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
sequencelengths 1
8
|
---|---|---|---|---|---|
/********************************************************************************
* Copyright (c) {date} Red Hat Inc. and/or its affiliates and others
*
* This program and the accompanying materials are made available under the
* terms of the Apache License, Version 2.0 which is available at
* http://www.apache.org/licenses/LICENSE-2.0
*
* SPDX-License-Identifier: Apache-2.0
********************************************************************************/
import com.intellij.codeInsight.generation {
ClassMember,
MemberChooserObjectBase,
PsiElementMemberChooserObject
}
import com.intellij.codeInsight.generation.actions {
PresentableCodeInsightActionHandler
}
import com.intellij.ide.util {
MemberChooser
}
import com.intellij.lang {
LanguageCodeInsightActionHandler
}
import com.intellij.openapi.actionSystem {
Presentation
}
import com.intellij.openapi.application {
Result
}
import com.intellij.openapi.command {
WriteCommandAction
}
import com.intellij.openapi.editor {
Editor
}
import com.intellij.openapi.project {
Project
}
import com.intellij.psi {
PsiFile,
PsiElement
}
import org.eclipse.ceylon.compiler.typechecker.tree {
Node,
Tree
}
import org.eclipse.ceylon.ide.common.completion {
overloads,
getRefinementTextFor,
completionManager
}
import org.eclipse.ceylon.ide.common.correct {
CommonImportProposals
}
import org.eclipse.ceylon.ide.common.platform {
InsertEdit,
platformServices
}
import org.eclipse.ceylon.model.typechecker.model {
ClassOrInterface,
Interface,
Declaration
}
import java.lang {
ObjectArray
}
import java.util {
ArrayList
}
import org.eclipse.ceylon.ide.intellij.platform {
IdeaDocument,
IdeaTextChange
}
import org.eclipse.ceylon.ide.intellij.psi {
CeylonFile,
CeylonPsi,
descriptions
}
import org.eclipse.ceylon.ide.intellij.resolve {
resolveDeclaration
}
import org.eclipse.ceylon.ide.intellij.util {
icons
}
shared class CeylonOverrideMembersAction() extends AbstractMembersAction() {
proposable(Declaration member) => member.formal || member.default;
title => "Select Inherited Members to Refine";
menuLabel => "Refine Inherited Members";
selectAll => false;
}
shared class CeylonImplementMembersAction() extends AbstractMembersAction() {
proposable(Declaration member) => member.formal;
title => "Select Inherited Formal Members to Implement";
menuLabel => "Implement Formal Members";
selectAll => true;
}
shared abstract class AbstractMembersAction()
satisfies LanguageCodeInsightActionHandler
& PresentableCodeInsightActionHandler {
shared formal String menuLabel;
shared formal Boolean proposable(Declaration member);
shared formal String title;
shared formal Boolean selectAll;
update(Editor editor, PsiFile psiFile, Presentation presentation)
=> presentation.setText(menuLabel, false);
void apply(CeylonFile file, Editor editor, Integer offset, Node node,
{Declaration*} selected, ClassOrInterface ci) {
value rootNode = file.compilationUnit;
value doc = IdeaDocument(editor.document);
value bodyIndent = doc.getIndent(node);
value delim = doc.defaultLineDelimiter;
value indent = delim + bodyIndent + platformServices.document.defaultIndent;
value importProposals = CommonImportProposals(doc, rootNode);
value result = StringBuilder();
for (d in selected) {
value rtext = getRefinementTextFor {
d = d;
pr = completionManager.getRefinedProducedReference(ci, d);
unit = rootNode.unit;
isInterface = ci is Interface;
ci = ci;
indent = indent;
containsNewline = true;
preamble = true;
addParameterTypesInCompletions = true;
};
result.append(indent).append(rtext).append(indent);
importProposals.importSignatureTypes(d);
}
value change = IdeaTextChange(doc);
importProposals.apply(change);
change.addEdit(InsertEdit(offset, result.string));
change.apply();
}
alias TypeDecPsi
=> CeylonPsi.ClassOrInterfacePsi
| CeylonPsi.ObjectDefinitionPsi
| CeylonPsi.ObjectExpressionPsi
| CeylonPsi.ObjectArgumentPsi;
shared actual void invoke(Project project, Editor editor, PsiFile file) {
//TODO: make this approach work:
// object chooser extends MemberChooser<ClassMember>
// (elements, false, true, project, null, null) {
// isContainerNode(MemberChooserObject key) => key is Parent;
//}
class Parent(PsiElement psiElement, ClassOrInterface container)
extends PsiElementMemberChooserObject(
//TODO: I hate resolving and passing this in here, but
// due to a packaging issue I could not refine
// MemberChooser.isContainerNode
psiElement,
descriptions.descriptionForDeclaration {
decl = container;
includeContainer = false;
includeKeyword = false;
},
icons.forDeclaration(container)) {
hash => container.hash;
equals(Object that)
=> if (is Parent that)
then container==that.container
else false;
}
class Member(declaration, container)
extends MemberChooserObjectBase(
descriptions.descriptionForDeclaration {
decl = declaration;
includeContainer = false;
includeKeyword = false;
},
icons.forDeclaration(declaration))
satisfies ClassMember {
ClassOrInterface container;
shared Declaration declaration;
assert (exists containerPsi
= resolveDeclaration(container, project));
parentNodeDelegate = Parent(containerPsi, container);
hash => declaration.hash;
equals(Object that)
=> if (is Member that)
then declaration==that.declaration
else false;
}
value offset = editor.selectionModel.selectionStart;
if (is CeylonFile file,
exists psi = file.findElementAt(offset)) {
variable PsiElement? element = psi;
while (exists e = element, !e is TypeDecPsi) {
element = e.parent;
}
value node = element;
if (!is TypeDecPsi node) {
return;
}
value ci =
switch (treeNode = node.ceylonNode)
case (is Tree.ObjectDefinition) treeNode.anonymousClass
case (is Tree.ObjectExpression) treeNode.anonymousClass
case (is Tree.ObjectArgument) treeNode.anonymousClass
case (is Tree.ClassOrInterface) treeNode.declarationModel
else null; //impossible
if (!exists ci) {
return;
}
value proposals
= ci.getMatchingMemberDeclarations(ci.unit, ci, "", 0, null)
.values();
value list = ArrayList<ClassMember>();
for (dwp in proposals) {
for (member in overloads(dwp.declaration)) {
if (proposable(member) && ci.isInheritedFromSupertype(member)) {
assert (is ClassOrInterface container = member.container);
list.add(Member(member, container));
}
}
}
value none = ObjectArray<ClassMember>(0);
value elements = list.toArray(none);
value chooser = MemberChooser(elements, false, true, project, null, null);
chooser.title = title;
chooser.setCopyJavadocVisible(false);
chooser.selectElements(selectAll then elements else none);
chooser.show();
if (exists selected = chooser.selectedElements,
!selected.empty) {
value p = project;
object extends WriteCommandAction<Nothing>
(p, "Refine Members", file) {
run(Result<Nothing> result) => apply {
file = file;
editor = editor;
node = node.ceylonNode;
ci = ci;
offset = offset;
for (cm in selected)
if (is Member cm)
cm.declaration
};
}.execute();
}
}
}
isValidFor(Editor editor, PsiFile psiFile) => psiFile is CeylonFile;
startInWriteAction() => true;
}
| Ceylon | 3 | Kopilov/ceylon-ide-intellij | source/org/eclipse/ceylon/ide/intellij/action/ImplementMembersAction.ceylon | [
"Apache-2.0"
] |
#!MC 1410
# For all zones, this macro automatically assigns the solution time of a zone as a variable of that same zone.
# For example, in the 1st iteration of the loop, if the 1st zone has a solution time of 0,
# then each value of solution_time in that 1st zone will be 0. For the 2nd iteration,
# if the solution time is 4.1e-05, then all solution_time values of zone 2 will be 4.1e-05.
$!Loop |NumZones|
$!AlterData [|LOOP|]
Equation = '{solution_time} = SOLUTIONTIME[|LOOP|]'
$!EndLoop
| MAXScript | 4 | Tecplot/handyscripts | macro/add_solution_time_variable.mcr | [
"MIT"
] |
range: 20
cyclems: 2000
v: 12
fill
// modify to see the whole picture
move (range/-2) + 10
move 0, (v/-2) + 5
scale 0.1
for phase: 0 to 1 step 0.1
push
cycle: (TIME+(phase*cyclems)) % cyclems
pos_v: (range)/(cyclems/cycle)
pos_h: noise(1, phase*100) * 20
move pos_v, pos_h
rotate noise(1, phase*100)*180, noise(2, phase*100)*360, noise(3, phase*100)*360
box
pop
end
| Cycript | 3 | marcinbiegun/creativecoding-sketches | Cyril/data/code_old/4.cy | [
"MIT"
] |
<greeting><%= greeting %></greeting><name><%= customer.name %></name> | HTML+ERB | 2 | mdesantis/rails | actionview/test/fixtures/customers/_customer.xml.erb | [
"MIT"
] |
; v3.0.1
; https://github.com/GraxCode/threadtear/
[Components]
Name: "java\threadtear"; Description: "Threadtear"; Types: full;
[Files]
Source: "{#MySrcDir}\java\threadtear\*"; DestDir: "{app}\java\threadtear"; Components: "java\threadtear"; Flags: ignoreversion recursesubdirs createallsubdirs
[Icons]
Name: "{group}\{#MyAppName}\Threadtear"; Filename: "{app}\java\threadtear\threadtear-gui-3.0.1-all.jar"; WorkingDir: "{app}\java\threadtear"; Components: "java\recaf"
Name: "{app}\sendto+\sendto\Java Decompilers\Threadtear"; Filename: "{app}\java\threadtear\threadtear-gui-3.0.1-all.jar"; Components: "java\threadtear" | Inno Setup | 1 | reckdo/retoolkit | src/installer/java/threadtear.iss | [
"Apache-2.0"
] |
prelude
inductive nat : Type
| zero : nat
| succ : nat → nat
namespace nat end nat open nat
inductive {u} list (A : Type u) : Type u
| nil {} : list
| cons : A → list → list
namespace list end list open list
#check nil
#check nil.{0}
#check @nil.{0} nat
#check @nil nat
#check cons zero nil
inductive {u} vector (A : Type u) : nat → Type u
| vnil {} : vector zero
| vcons : forall {n : nat}, A → vector n → vector (succ n)
namespace vector end vector open vector
#check vcons zero vnil
constant n : nat
#check vcons n vnil
#check vector.rec
| Lean | 4 | JLimperg/lean | tests/lean/run/e16.lean | [
"Apache-2.0"
] |
import { getModuleBuildInfo } from './get-module-build-info'
import crypto from 'crypto'
export default function MiddlewareWasmLoader(this: any, source: Buffer) {
const name = `wasm_${sha1(source)}`
const filePath = `edge-chunks/${name}.wasm`
const buildInfo = getModuleBuildInfo(this._module)
buildInfo.nextWasmMiddlewareBinding = { filePath: `server/${filePath}`, name }
this.emitFile(`/${filePath}`, source, null)
return `module.exports = ${name};`
}
export const raw = true
function sha1(source: string | Buffer) {
return crypto.createHash('sha1').update(source).digest('hex')
}
| TypeScript | 4 | hanneslund/next.js | packages/next/build/webpack/loaders/next-middleware-wasm-loader.ts | [
"MIT"
] |
trait Foo {
const ID: i32;
}
trait Bar {
const ID: i32;
}
impl Foo for i32 {
const ID: i32 = 1;
}
impl Bar for i32 {
const ID: i32 = 3;
}
const X: i32 = <i32>::ID; //~ ERROR E0034
fn main() {
assert_eq!(1, X);
}
| Rust | 3 | Eric-Arellano/rust | src/test/ui/associated-consts/associated-const-ambiguity-report.rs | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
# - Find Flake8
# Find the Flake8 executable and extract the version number
#
# OUTPUT Variables
#
# FLAKE8_FOUND
# True if the flake8 package was found
# FLAKE8_EXECUTABLE
# The flake8 executable location
# FLAKE8_VERSION
# A string denoting the version of flake8 that has been found
find_host_program(FLAKE8_EXECUTABLE flake8 PATHS /usr/bin)
if(FLAKE8_EXECUTABLE AND NOT DEFINED FLAKE8_VERSION)
execute_process(COMMAND ${FLAKE8_EXECUTABLE} --version RESULT_VARIABLE _result OUTPUT_VARIABLE FLAKE8_VERSION_RAW)
if(NOT _result EQUAL 0)
ocv_clear_vars(FLAKE8_EXECUTABLE FLAKE8_VERSION)
elseif(FLAKE8_VERSION_RAW MATCHES "^([0-9\\.]+[0-9])")
set(FLAKE8_VERSION "${CMAKE_MATCH_1}")
else()
set(FLAKE8_VERSION "unknown")
endif()
endif()
include(FindPackageHandleStandardArgs)
FIND_PACKAGE_HANDLE_STANDARD_ARGS(Flake8
REQUIRED_VARS FLAKE8_EXECUTABLE
VERSION_VAR FLAKE8_VERSION
)
mark_as_advanced(FLAKE8_EXECUTABLE FLAKE8_VERSION)
| CMake | 4 | xipingyan/opencv | cmake/FindFlake8.cmake | [
"Apache-2.0"
] |
var testPackage = require('../../helpers/test-package');
var Dgeni = require('dgeni');
describe('checkContentRules processor', function() {
let processor, logger;
beforeEach(function() {
const dgeni = new Dgeni([testPackage('angular-base-package')]);
const injector = dgeni.configureInjector();
processor = injector.get('checkContentRules');
logger = injector.get('log');
});
it('should exist on the injector', () => {
expect(processor).toBeDefined();
expect(processor.$process).toEqual(jasmine.any(Function));
});
it('shpuld run at the right time', () => {
expect(processor.$runAfter).toEqual(['tags-extracted']);
expect(processor.$runBefore).toEqual([]);
});
it('should do nothing if not configured', () => {
const docs = [{ docType: 'test', description: '## heading 2' }];
processor.$process(docs);
expect(docs).toEqual([{ docType: 'test', description: '## heading 2' }]);
expect(logger.error).not.toHaveBeenCalled();
});
it('should run configured rules against matching docs', () => {
const nameSpy1 = jasmine.createSpy('name 1');
const nameSpy2 = jasmine.createSpy('name 2');
const nameSpy3 = jasmine.createSpy('name 3');
const descriptionSpy1 = jasmine.createSpy('description 1');
const descriptionSpy2 = jasmine.createSpy('description 2');
const descriptionSpy3 = jasmine.createSpy('description 3');
processor.docTypeRules = {
'test1': {
name: [nameSpy1, nameSpy3],
description: [descriptionSpy1, descriptionSpy3]
},
'test2': {
name: [nameSpy2],
description: [descriptionSpy2]
}
};
const docs = [
{ docType: 'test1', description: 'test doc 1', name: 'test-1' },
{ docType: 'test2', description: 'test doc 2', name: 'test-2' },
];
processor.$process(docs);
expect(nameSpy1).toHaveBeenCalledTimes(1);
expect(nameSpy1).toHaveBeenCalledWith(docs[0], 'name', 'test-1');
expect(nameSpy2).toHaveBeenCalledTimes(1);
expect(nameSpy2).toHaveBeenCalledWith(docs[1], 'name', 'test-2');
expect(nameSpy3).toHaveBeenCalledTimes(1);
expect(nameSpy3).toHaveBeenCalledWith(docs[0], 'name', 'test-1');
expect(descriptionSpy1).toHaveBeenCalledTimes(1);
expect(descriptionSpy1).toHaveBeenCalledWith(docs[0], 'description', 'test doc 1');
expect(descriptionSpy2).toHaveBeenCalledTimes(1);
expect(descriptionSpy2).toHaveBeenCalledWith(docs[1], 'description', 'test doc 2');
expect(descriptionSpy3).toHaveBeenCalledTimes(1);
expect(descriptionSpy3).toHaveBeenCalledWith(docs[0], 'description', 'test doc 1');
});
it('should log warnings if the rule returns error messages and `failOnContentErrors` is false', () => {
const nameSpy1 = jasmine.createSpy('name 1').and.returnValue('name error message');
const descriptionSpy1 = jasmine.createSpy('description 1').and.returnValue('description error message');
processor.failOnContentErrors = false;
processor.docTypeRules = {
'test1': {
name: [nameSpy1],
description: [descriptionSpy1]
}
};
const docs = [
{ docType: 'test1', description: 'test doc 1', name: 'test-1' },
{ docType: 'test2', description: 'test doc 2', name: 'test-2' }
];
processor.$process(docs);
expect(logger.warn).toHaveBeenCalledTimes(2);
expect(logger.warn).toHaveBeenCalledWith('Content contains errors');
expect(logger.warn).toHaveBeenCalledWith(`name error message
description error message
- doc "test-1" (test1) `);
});
it('should log errors and then throw if `failOnContentErrors` is true and errors are found', () => {
const nameSpy1 = jasmine.createSpy('name 1').and.returnValue('name error message');
const descriptionSpy1 = jasmine.createSpy('description 1').and.returnValue('description error message');
processor.failOnContentErrors = true;
processor.docTypeRules = {
'test1': {
name: [nameSpy1],
description: [descriptionSpy1]
}
};
const docs = [
{ docType: 'test1', description: 'test doc 1', name: 'test-1' },
{ docType: 'test2', description: 'test doc 2', name: 'test-2' }
];
expect(() => processor.$process(docs)).toThrowError('Stopping due to content errors.');
expect(logger.error).toHaveBeenCalledTimes(2);
expect(logger.error).toHaveBeenCalledWith('Content contains errors');
expect(logger.error).toHaveBeenCalledWith(`name error message
description error message
- doc "test-1" (test1) `);
});
it('should ignore docs whose id contains a barred-o', () => {
const nameSpy1 = jasmine.createSpy('name 1');
processor.docTypeRules = { 'doc-type': { name: [nameSpy1] } };
const docs = [
{ docType: 'doc-type', id: 'package/class/property/param', name: 'name-1' },
{ docType: 'doc-type', id: 'package/class/property/ɵparam', name: 'name-2' },
{ docType: 'doc-type', id: 'package/class/ɵproperty/param', name: 'name-3' },
{ docType: 'doc-type', id: 'package/ɵclass/property/param', name: 'name-4' },
];
processor.$process(docs);
expect(nameSpy1).toHaveBeenCalledTimes(1);
expect(nameSpy1).toHaveBeenCalledWith(docs[0], 'name', 'name-1');
});
});
| JavaScript | 5 | coreyscherbing/angular | aio/tools/transforms/angular-base-package/processors/checkContentRules.spec.js | [
"MIT"
] |
name: hol-quotient-unint
version: 1.0
description: HOL quotient theories (before re-interpretation)
author: HOL OpenTheory Packager <[email protected]>
license: MIT
main {
import: quotient
import: quotient-option
import: quotient-list
import: quotient-pair
import: quotient-pred-set
import: quotient-sum
}
quotient {
article: "quotient.ot.art"
}
quotient-option {
import: quotient
article: "quotient_option.ot.art"
}
quotient-list {
import: quotient
article: "quotient_list.ot.art"
}
quotient-pair {
import: quotient
article: "quotient_pair.ot.art"
}
quotient-pred-set {
import: quotient
import: quotient-pair
article: "quotient_pred_set.ot.art"
}
quotient-sum {
import: quotient
article: "quotient_sum.ot.art"
}
| Isabelle | 2 | dwRchyngqxs/HOL | src/quotient/src/hol4-quotient-unint.thy | [
"BSD-3-Clause"
] |
exporter,importer,year,trade,Y,E,pta,contiguity,common_language,lndist,international
GBR,AUS,2006,4310,925638,362227,0,0,1,9.7126,1
FIN,AUS,2006,514,142759,362227,0,0,0,9.5997,1
USA,AUS,2006,16619,5019964,362227,1,0,1,9.5963,1
IND,AUS,2006,763,548517,362227,0,0,1,9.1455,1
SGP,AUS,2006,8756,329817,362227,1,0,1,8.6732,1
CHE,AUS,2006,1318,380556,362227,0,0,1,9.6876,1
ZAF,AUS,2006,1135,190479,362227,0,0,1,9.2608,1
AUS,AUS,2006,261365,305793,362227,0,0,1,7.0733,0
MYS,AUS,2006,3283,305418,362227,0,0,1,8.7082,1
THA,AUS,2006,4189,252672,362227,1,0,1,8.8667,1
CAN,AUS,2006,1373,485003,362227,0,0,1,9.6377,1
JPN,AUS,2006,12419,2664872,362227,0,0,0,8.9572,1
AUT,AUS,2006,731,170427,362227,0,0,0,9.6498,1
DEU,AUS,2006,6580,2007800,362227,0,0,0,9.675,1
NLD,AUS,2006,1116,458746,362227,0,0,0,9.6905,1
CHN,AUS,2006,15261,3711792,362227,0,0,1,9.0032,1
ITA,AUS,2006,3152,1126884,362227,0,0,1,9.6671,1
MEX,AUS,2006,608,378327,362227,0,0,0,9.5074,1
IRL,AUS,2006,1157,172374,362227,0,0,1,9.7298,1
KOR,AUS,2006,4696,1055450,362227,0,0,1,8.9905,1
TUR,AUS,2006,246,277857,362227,0,0,0,9.5528,1
IDN,AUS,2006,1620,228454,362227,0,0,1,8.5177,1
BEL,AUS,2006,1261,762280,362227,0,0,0,9.6951,1
FRA,AUS,2006,2862,1081810,362227,0,0,0,9.7018,1
POL,AUS,2006,142,228337,362227,0,0,0,9.6308,1
ESP,AUS,2006,970,610390,362227,0,0,0,9.7426,1
BRA,AUS,2006,512,552642,362227,0,0,1,9.5533,1
DNK,AUS,2006,664,112651,362227,0,0,1,9.6573,1
HKG,AUS,2006,904,86885,362227,0,0,1,8.8615,1
SWE,AUS,2006,1777,247445,362227,0,0,0,9.6356,1
AUT,AUT,2006,73142,170427,174534,0,0,1,4.7111,0
CAN,AUT,2006,404,485003,174534,0,0,0,8.86,1
IDN,AUT,2006,95,228454,174534,0,0,0,9.2742,1
CHN,AUT,2006,2634,3711792,174534,0,0,0,8.9802,1
THA,AUT,2006,340,252672,174534,0,0,0,9.05,1
POL,AUT,2006,1502,228337,174534,1,0,0,6.2632,1
USA,AUT,2006,3317,5019964,174534,0,0,0,9.0059,1
DEU,AUT,2006,52099,2007800,174534,1,1,1,6.4055,1
ZAF,AUT,2006,116,190479,174534,1,0,0,9.0665,1
NLD,AUT,2006,3716,458746,174534,1,0,0,6.7906,1
IND,AUT,2006,232,548517,174534,0,0,0,8.7407,1
CHE,AUT,2006,3491,380556,174534,1,1,1,6.4187,1
SGP,AUT,2006,135,329817,174534,0,0,0,9.1876,1
MEX,AUT,2006,121,378327,174534,1,0,0,9.209,1
IRL,AUT,2006,573,172374,174534,1,0,0,7.4268,1
HKG,AUT,2006,89,86885,174534,0,0,0,9.082,1
TUR,AUT,2006,724,277857,174534,1,0,1,7.4137,1
MYS,AUT,2006,331,305418,174534,0,0,0,9.1669,1
GBR,AUT,2006,2747,925638,174534,1,0,0,7.1813,1
BEL,AUT,2006,3023,762280,174534,1,0,1,6.7624,1
FRA,AUT,2006,4358,1081810,174534,1,0,0,7.1134,1
FIN,AUT,2006,758,142759,174534,1,0,0,7.3834,1
JPN,AUT,2006,1789,2664872,174534,0,0,0,9.1125,1
DNK,AUT,2006,557,112651,174534,1,0,1,6.8232,1
ITA,AUT,2006,8776,1126884,174534,1,1,1,6.5765,1
BRA,AUT,2006,165,552642,174534,0,0,1,9.1623,1
SWE,AUT,2006,1380,247445,174534,1,0,0,7.116,1
ESP,AUT,2006,1659,610390,174534,1,0,0,7.464,1
AUS,AUT,2006,66,305793,174534,0,0,0,9.6498,1
KOR,AUT,2006,968,1055450,174534,0,0,0,9.0416,1
DNK,BEL,2006,1075,112651,760115,1,0,1,6.5948,1
POL,BEL,2006,2803,228337,760115,1,0,0,6.95,1
CHE,BEL,2006,2707,380556,760115,1,0,1,6.2098,1
TUR,BEL,2006,1717,277857,760115,1,0,0,7.8286,1
GBR,BEL,2006,22998,925638,760115,1,0,0,6.1478,1
FRA,BEL,2006,34394,1081810,760115,1,1,1,6.5987,1
THA,BEL,2006,1354,252672,760115,0,0,0,9.1329,1
SWE,BEL,2006,6626,247445,760115,1,0,0,7.0553,1
BRA,BEL,2006,2134,552642,760115,0,0,1,9.1151,1
AUT,BEL,2006,2189,170427,760115,1,0,1,6.7624,1
BEL,BEL,2006,486707,762280,760115,0,0,1,4.0511,0
MEX,BEL,2006,748,378327,760115,1,0,0,9.1203,1
IRL,BEL,2006,17686,172374,760115,1,0,0,6.7112,1
NLD,BEL,2006,39239,458746,760115,1,1,1,5.0613,1
JPN,BEL,2006,8239,2664872,760115,0,0,0,9.1428,1
SGP,BEL,2006,1232,329817,760115,0,0,0,9.2642,1
CHN,BEL,2006,11776,3711792,760115,0,0,0,9.0409,1
CAN,BEL,2006,1192,485003,760115,0,0,1,8.7388,1
KOR,BEL,2006,2223,1055450,760115,0,0,0,9.0841,1
AUS,BEL,2006,410,305793,760115,0,0,0,9.6951,1
DEU,BEL,2006,58048,2007800,760115,1,1,1,5.9274,1
FIN,BEL,2006,1604,142759,760115,1,0,0,7.45,1
USA,BEL,2006,18223,5019964,760115,0,0,0,8.8998,1
ZAF,BEL,2006,1258,190479,760115,1,0,0,9.1235,1
ESP,BEL,2006,5839,610390,760115,1,0,0,7.2262,1
IND,BEL,2006,3226,548517,760115,0,0,0,8.8615,1
ITA,BEL,2006,11682,1126884,760115,1,0,1,6.9882,1
IDN,BEL,2006,970,228454,760115,0,0,1,9.3442,1
HKG,BEL,2006,539,86885,760115,0,0,0,9.1471,1
MYS,BEL,2006,612,305418,760115,0,0,0,9.2436,1
THA,BRA,2006,487,252672,532990,1,0,1,9.6986,1
BRA,BRA,2006,465995,552642,532990,0,0,1,7.1753,0
JPN,BRA,2006,3282,2664872,532990,0,0,1,9.7922,1
FIN,BRA,2006,452,142759,532990,0,0,0,9.2852,1
TUR,BRA,2006,97,277857,532990,1,0,0,9.2407,1
AUT,BRA,2006,393,170427,532990,0,0,1,9.1623,1
CAN,BRA,2006,894,485003,532990,0,0,1,9.0406,1
NLD,BRA,2006,859,458746,532990,0,0,0,9.1281,1
USA,BRA,2006,14763,5019964,532990,0,0,1,8.9944,1
ESP,BRA,2006,1324,610390,532990,0,0,1,8.9661,1
SWE,BRA,2006,905,247445,532990,0,0,0,9.2309,1
BEL,BRA,2006,1245,762280,532990,0,0,1,9.1151,1
SGP,BRA,2006,1210,329817,532990,1,0,1,9.6878,1
IDN,BRA,2006,427,228454,532990,1,0,1,9.6893,1
IRL,BRA,2006,249,172374,532990,0,0,1,9.0768,1
GBR,BRA,2006,1474,925638,532990,0,0,1,9.0992,1
DNK,BRA,2006,256,112651,532990,0,0,1,9.1905,1
DEU,BRA,2006,6711,2007800,532990,0,0,1,9.1439,1
FRA,BRA,2006,2948,1081810,532990,0,0,0,9.0646,1
HKG,BRA,2006,342,86885,532990,0,0,1,9.7813,1
ZAF,BRA,2006,344,190479,532990,0,0,1,8.9123,1
MEX,BRA,2006,1208,378327,532990,1,0,1,8.921,1
AUS,BRA,2006,109,305793,532990,0,0,1,9.5533,1
CHN,BRA,2006,7239,3711792,532990,0,0,0,9.7536,1
MYS,BRA,2006,617,305418,532990,1,0,1,9.6964,1
KOR,BRA,2006,3047,1055450,532990,1,0,1,9.7856,1
ITA,BRA,2006,2608,1126884,532990,0,0,1,9.1029,1
IND,BRA,2006,1424,548517,532990,1,0,1,9.5554,1
CHE,BRA,2006,1194,380556,532990,0,0,1,9.103,1
POL,BRA,2006,186,228337,532990,0,0,0,9.2079,1
AUT,CAN,2006,974,170427,494740,0,0,0,8.86,1
NLD,CAN,2006,1261,458746,494740,0,0,0,8.7305,1
BRA,CAN,2006,2458,552642,494740,0,0,1,9.0406,1
MYS,CAN,2006,1755,305418,494740,0,0,1,9.549,1
IRL,CAN,2006,1350,172374,494740,0,0,1,8.6058,1
ESP,CAN,2006,1019,610390,494740,0,0,0,8.7783,1
TUR,CAN,2006,413,277857,494740,0,0,0,9.0608,1
AUS,CAN,2006,928,305793,494740,0,0,1,9.6377,1
MEX,CAN,2006,8413,378327,494740,1,0,0,8.1525,1
DNK,CAN,2006,594,112651,494740,0,0,1,8.7486,1
CHE,CAN,2006,2015,380556,494740,0,0,1,8.8057,1
CHN,CAN,2006,21686,3711792,494740,0,0,0,9.2754,1
SWE,CAN,2006,1732,247445,494740,0,0,0,8.748,1
THA,CAN,2006,1436,252672,494740,0,0,1,9.4746,1
DEU,CAN,2006,8616,2007800,494740,0,0,0,8.7781,1
SGP,CAN,2006,819,329817,494740,0,0,1,9.5704,1
JPN,CAN,2006,11558,2664872,494740,0,0,0,9.1795,1
KOR,CAN,2006,4248,1055450,494740,0,0,1,9.2091,1
IND,CAN,2006,1213,548517,494740,0,0,1,9.3976,1
BEL,CAN,2006,2177,762280,494740,0,0,1,8.7388,1
FRA,CAN,2006,3892,1081810,494740,0,0,1,8.7753,1
FIN,CAN,2006,785,142759,494740,0,0,0,8.7799,1
HKG,CAN,2006,308,86885,494740,0,0,1,9.3821,1
USA,CAN,2006,176541,5019964,494740,1,1,1,7.6662,1
ZAF,CAN,2006,405,190479,494740,0,0,1,9.5513,1
IDN,CAN,2006,460,228454,494740,0,0,1,9.6033,1
POL,CAN,2006,461,228337,494740,0,0,0,8.8473,1
CAN,CAN,2006,223583,485003,494740,0,0,1,7.3345,0
ITA,CAN,2006,3700,1126884,494740,0,0,1,8.8874,1
GBR,CAN,2006,5295,925638,494740,0,0,1,8.6666,1
BEL,CHE,2006,4903,762280,374809,1,0,1,6.2098,1
KOR,CHE,2006,691,1055450,374809,1,0,1,9.1012,1
ZAF,CHE,2006,1323,190479,374809,0,0,1,9.0696,1
IND,CHE,2006,479,548517,374809,0,0,1,8.8311,1
ESP,CHE,2006,2946,610390,374809,1,0,1,7.0746,1
SGP,CHE,2006,586,329817,374809,1,0,1,9.2474,1
SWE,CHE,2006,1293,247445,374809,1,0,0,7.2758,1
NLD,CHE,2006,5585,458746,374809,1,0,0,6.4171,1
CHE,CHE,2006,251301,380556,374809,0,0,1,4.7485,0
AUT,CHE,2006,5528,170427,374809,1,1,1,6.4187,1
JPN,CHE,2006,2156,2664872,374809,0,0,0,9.1643,1
ITA,CHE,2006,14112,1126884,374809,1,1,1,6.4248,1
IDN,CHE,2006,112,228454,374809,0,0,1,9.329,1
HKG,CHE,2006,1070,86885,374809,0,0,1,9.1472,1
USA,CHE,2006,9176,5019964,374809,0,0,1,8.9552,1
IRL,CHE,2006,3045,172374,374809,1,0,1,7.1254,1
TUR,CHE,2006,629,277857,374809,1,0,0,7.6829,1
MYS,CHE,2006,305,305418,374809,0,0,1,9.228,1
POL,CHE,2006,754,228337,374809,1,0,0,6.9211,1
DNK,CHE,2006,703,112651,374809,1,0,1,6.9352,1
DEU,CHE,2006,40191,2007800,374809,1,1,1,6.2135,1
THA,CHE,2006,709,252672,374809,0,0,1,9.119,1
MEX,CHE,2006,70,378327,374809,1,0,1,9.1627,1
AUS,CHE,2006,206,305793,374809,0,0,1,9.6876,1
GBR,CHE,2006,6043,925638,374809,1,0,1,6.8146,1
FIN,CHE,2006,841,142759,374809,1,0,0,7.5775,1
FRA,CHE,2006,11622,1081810,374809,1,1,1,6.5617,1
CAN,CHE,2006,745,485003,374809,0,0,1,8.8057,1
CHN,CHE,2006,2609,3711792,374809,0,0,0,9.0486,1
BRA,CHE,2006,661,552642,374809,0,0,1,9.103,1
NLD,CHN,2006,3498,458746,3207130,0,0,0,9.0279,1
MYS,CHN,2006,16329,305418,3207130,1,0,1,8.1773,1
ZAF,CHN,2006,1544,190479,3207130,0,0,0,9.3559,1
KOR,CHN,2006,78097,1055450,3207130,0,0,0,7.2726,1
DNK,CHN,2006,1026,112651,3207130,0,0,0,8.9555,1
IDN,CHN,2006,5534,228454,3207130,1,0,0,8.3839,1
MEX,CHN,2006,1926,378327,3207130,0,0,0,9.4545,1
ESP,CHN,2006,2205,610390,3207130,0,0,0,9.175,1
AUT,CHN,2006,1688,170427,3207130,0,0,0,8.9802,1
SGP,CHN,2006,21692,329817,3207130,1,0,1,8.2415,1
AUS,CHN,2006,4675,305793,3207130,0,0,1,9.0032,1
BRA,CHN,2006,2556,552642,3207130,0,0,0,9.7536,1
SWE,CHN,2006,3031,247445,3207130,0,0,0,8.905,1
CHE,CHN,2006,3426,380556,3207130,0,0,0,9.0486,1
GBR,CHN,2006,5961,925638,3207130,0,0,0,9.0635,1
USA,CHN,2006,47378,5019964,3207130,0,0,0,9.3461,1
HKG,CHN,2006,7124,86885,3207130,1,1,1,7.2448,1
TUR,CHN,2006,315,277857,3207130,0,0,0,8.875,1
IND,CHN,2006,3486,548517,3207130,0,1,0,8.2693,1
FRA,CHN,2006,10355,1081810,3207130,0,0,0,9.0947,1
CHN,CHN,2006,2795426,3711792,3207130,0,0,1,7.1023,0
CAN,CHN,2006,5471,485003,3207130,0,0,0,9.2754,1
IRL,CHN,2006,1273,172374,3207130,0,0,0,9.0909,1
BEL,CHN,2006,3855,762280,3207130,0,0,0,9.0409,1
DEU,CHN,2006,34983,2007800,3207130,0,0,0,9.0069,1
FIN,CHN,2006,2709,142759,3207130,0,0,0,8.8256,1
POL,CHN,2006,693,228337,3207130,0,0,0,8.9249,1
ITA,CHN,2006,7627,1126884,3207130,0,0,0,9.0452,1
THA,CHN,2006,12149,252672,3207130,1,0,0,7.8936,1
JPN,CHN,2006,99550,2664872,3207130,0,0,0,7.7126,1
FRA,DEU,2006,66177,1081810,1771970,1,1,0,6.8572,1
SGP,DEU,2006,5966,329817,1771970,0,0,0,9.2322,1
ITA,DEU,2006,47359,1126884,1771970,1,0,1,6.8896,1
CHN,DEU,2006,49105,3711792,1771970,0,0,0,9.0069,1
TUR,DEU,2006,9161,277857,1771970,1,0,0,7.7068,1
CHE,DEU,2006,28604,380556,1771970,1,1,1,6.2135,1
IND,DEU,2006,4023,548517,1771970,0,0,0,8.8139,1
JPN,DEU,2006,24476,2664872,1771970,0,0,0,9.1188,1
IRL,DEU,2006,14231,172374,1771970,1,0,0,7.037,1
AUS,DEU,2006,758,305793,1771970,0,0,0,9.675,1
USA,DEU,2006,46298,5019964,1771970,0,0,0,8.9351,1
BEL,DEU,2006,54617,762280,1771970,1,1,1,5.9274,1
GBR,DEU,2006,40175,925638,1771970,1,0,0,6.663,1
ESP,DEU,2006,19904,610390,1771970,1,0,0,7.3681,1
DEU,DEU,2006,1126255,2007800,1771970,0,0,1,5.6549,0
BRA,DEU,2006,4668,552642,1771970,0,0,1,9.1439,1
MYS,DEU,2006,3991,305418,1771970,0,0,0,9.2111,1
IDN,DEU,2006,2144,228454,1771970,0,0,0,9.3149,1
FIN,DEU,2006,8422,142759,1771970,1,0,0,7.3215,1
THA,DEU,2006,2593,252672,1771970,0,0,0,9.0967,1
KOR,DEU,2006,12047,1055450,1771970,0,0,0,9.0555,1
NLD,DEU,2006,63133,458746,1771970,1,1,0,5.8974,1
CAN,DEU,2006,3023,485003,1771970,0,0,0,8.7781,1
DNK,DEU,2006,10331,112651,1771970,1,1,1,6.3611,1
SWE,DEU,2006,13150,247445,1771970,1,0,0,6.8986,1
AUT,DEU,2006,33920,170427,1771970,1,1,1,6.4055,1
MEX,DEU,2006,3254,378327,1771970,1,0,0,9.1509,1
POL,DEU,2006,24366,228337,1771970,1,1,0,6.6131,1
ZAF,DEU,2006,3378,190479,1771970,1,0,0,9.1148,1
HKG,DEU,2006,1450,86885,1771970,0,0,0,9.1141,1
BEL,DNK,2006,2927,762280,119404,1,0,1,6.5948,1
JPN,DNK,2006,779,2664872,119404,0,0,0,9.0621,1
SWE,DNK,2006,10390,247445,119404,1,0,0,6.1211,1
ITA,DNK,2006,3012,1126884,119404,1,0,1,7.2976,1
CAN,DNK,2006,192,485003,119404,0,0,1,8.7486,1
AUS,DNK,2006,125,305793,119404,0,0,1,9.6573,1
IDN,DNK,2006,124,228454,119404,0,0,1,9.297,1
NLD,DNK,2006,4307,458746,119404,1,0,0,6.4019,1
FIN,DNK,2006,1605,142759,119404,1,0,0,6.9084,1
SGP,DNK,2006,281,329817,119404,0,0,1,9.2134,1
CHN,DNK,2006,3709,3711792,119404,0,0,0,8.9555,1
IRL,DNK,2006,839,172374,119404,1,0,1,7.1153,1
GBR,DNK,2006,5458,925638,119404,1,0,1,6.8367,1
ESP,DNK,2006,1425,610390,119404,1,0,0,7.642,1
IND,DNK,2006,407,548517,119404,0,0,1,8.7956,1
FRA,DNK,2006,3406,1081810,119404,1,0,0,7.2473,1
AUT,DNK,2006,810,170427,119404,1,0,1,6.8232,1
MEX,DNK,2006,90,378327,119404,1,0,0,9.1375,1
USA,DNK,2006,2158,5019964,119404,0,0,1,8.9135,1
DNK,DNK,2006,52037,112651,119404,0,0,1,4.5901,0
TUR,DNK,2006,707,277857,119404,1,0,0,7.7768,1
BRA,DNK,2006,197,552642,119404,0,0,1,9.1905,1
DEU,DNK,2006,16549,2007800,119404,1,1,1,6.3611,1
POL,DNK,2006,1797,228337,119404,1,0,0,6.5316,1
HKG,DNK,2006,237,86885,119404,0,0,1,9.0735,1
KOR,DNK,2006,667,1055450,119404,0,0,1,8.9985,1
THA,DNK,2006,307,252672,119404,0,0,1,9.07,1
CHE,DNK,2006,965,380556,119404,1,0,1,6.9352,1
MYS,DNK,2006,225,305418,119404,0,0,1,9.1904,1
ZAF,DNK,2006,54,190479,119404,1,0,1,9.1657,1
AUS,ESP,2006,213,305793,686477,0,0,0,9.7426,1
TUR,ESP,2006,3638,277857,686477,1,0,0,8.0147,1
CAN,ESP,2006,715,485003,686477,0,0,0,8.7783,1
FIN,ESP,2006,1804,142759,686477,1,0,0,8.0262,1
ITA,ESP,2006,26957,1126884,686477,1,0,0,7.2122,1
ZAF,ESP,2006,881,190479,686477,1,0,0,9.0224,1
FRA,ESP,2006,40557,1081810,686477,1,1,0,7.1019,1
BEL,ESP,2006,11242,762280,686477,1,0,0,7.2262,1
DNK,ESP,2006,1946,112651,686477,1,0,0,7.642,1
NLD,ESP,2006,11616,458746,686477,1,0,0,7.3219,1
DEU,ESP,2006,46721,2007800,686477,1,0,0,7.3681,1
KOR,ESP,2006,4075,1055450,686477,0,0,0,9.2219,1
CHN,ESP,2006,13790,3711792,686477,0,0,0,9.175,1
POL,ESP,2006,2574,228337,686477,1,0,0,7.6845,1
HKG,ESP,2006,365,86885,686477,0,0,0,9.2612,1
GBR,ESP,2006,18491,925638,686477,1,0,0,7.2858,1
SGP,ESP,2006,621,329817,686477,0,0,0,9.3361,1
MYS,ESP,2006,914,305418,686477,0,0,0,9.3202,1
JPN,ESP,2006,6099,2664872,686477,0,0,0,9.2758,1
ESP,ESP,2006,442382,610390,686477,0,0,1,6.3015,0
IDN,ESP,2006,697,228454,686477,0,0,0,9.4103,1
IND,ESP,2006,1719,548517,686477,1,0,0,8.9599,1
IRL,ESP,2006,3950,172374,686477,1,0,0,7.3392,1
AUT,ESP,2006,2999,170427,686477,1,0,0,7.464,1
THA,ESP,2006,1129,252672,686477,0,0,0,9.2261,1
BRA,ESP,2006,1402,552642,686477,0,0,1,8.9661,1
SWE,ESP,2006,4078,247445,686477,1,0,0,7.8288,1
CHE,ESP,2006,4753,380556,686477,1,0,1,7.0746,1
MEX,ESP,2006,488,378327,686477,1,0,1,9.1153,1
USA,ESP,2006,7545,5019964,686477,0,0,1,8.9175,1
THA,FIN,2006,362,252672,133358,0,0,0,8.9763,1
ESP,FIN,2006,827,610390,133358,1,0,0,8.0262,1
BEL,FIN,2006,1856,762280,133358,1,0,0,7.45,1
JPN,FIN,2006,2153,2664872,133358,0,0,0,8.9409,1
SGP,FIN,2006,297,329817,133358,0,0,0,9.1374,1
CHN,FIN,2006,4964,3711792,133358,0,0,0,8.8256,1
SWE,FIN,2006,6656,247445,133358,1,1,1,6.4342,1
TUR,FIN,2006,331,277857,133358,1,0,0,7.8275,1
AUS,FIN,2006,253,305793,133358,0,0,0,9.5997,1
AUT,FIN,2006,610,170427,133358,1,0,0,7.3834,1
IDN,FIN,2006,133,228454,133358,0,0,0,9.2259,1
MYS,FIN,2006,510,305418,133358,0,0,0,9.1109,1
IND,FIN,2006,174,548517,133358,0,0,0,8.7021,1
BRA,FIN,2006,454,552642,133358,0,0,0,9.2852,1
IRL,FIN,2006,454,172374,133358,1,0,0,7.6513,1
DEU,FIN,2006,9409,2007800,133358,1,0,0,7.3215,1
FRA,FIN,2006,2205,1081810,133358,1,0,0,7.7667,1
HKG,FIN,2006,58,86885,133358,0,0,0,8.9627,1
GBR,FIN,2006,2617,925638,133358,1,0,0,7.5291,1
ITA,FIN,2006,2040,1126884,133358,1,0,0,7.726,1
NLD,FIN,2006,2571,458746,133358,1,0,0,7.3723,1
CHE,FIN,2006,667,380556,133358,1,0,0,7.5775,1
POL,FIN,2006,651,228337,133358,1,0,0,7.0329,1
CAN,FIN,2006,242,485003,133358,0,0,0,8.7799,1
USA,FIN,2006,2030,5019964,133358,0,0,0,8.9433,1
ZAF,FIN,2006,58,190479,133358,1,0,0,9.2179,1
MEX,FIN,2006,147,378327,133358,1,0,0,9.1654,1
KOR,FIN,2006,1487,1055450,133358,0,0,0,8.8687,1
FIN,FIN,2006,85499,142759,133358,0,0,1,5.4032,0
DNK,FIN,2006,1626,112651,133358,1,0,0,6.9084,1
HKG,FRA,2006,369,86885,1105285,0,0,0,9.1906,1
KOR,FRA,2006,4208,1055450,1105285,0,0,0,9.1399,1
THA,FRA,2006,1442,252672,1105285,0,0,0,9.1664,1
AUT,FRA,2006,4243,170427,1105285,1,0,0,7.1134,1
IND,FRA,2006,2164,548517,1105285,0,0,0,8.8974,1
CHE,FRA,2006,11334,380556,1105285,1,1,1,6.5617,1
DNK,FRA,2006,3082,112651,1105285,1,0,0,7.2473,1
NLD,FRA,2006,23344,458746,1105285,1,0,0,6.7611,1
CHN,FRA,2006,20786,3711792,1105285,0,0,0,9.0947,1
IDN,FRA,2006,931,228454,1105285,0,0,0,9.3652,1
ITA,FRA,2006,43858,1126884,1105285,1,1,1,7.0477,1
FIN,FRA,2006,3065,142759,1105285,1,0,0,7.7667,1
ZAF,FRA,2006,860,190479,1105285,1,0,0,9.0792,1
ESP,FRA,2006,34690,610390,1105285,1,1,0,7.1019,1
CAN,FRA,2006,2134,485003,1105285,0,0,1,8.7753,1
FRA,FRA,2006,685144,1081810,1105285,0,0,1,6.773,0
JPN,FRA,2006,9860,2664872,1105285,0,0,0,9.1963,1
POL,FRA,2006,6190,228337,1105285,1,0,0,7.3518,1
AUS,FRA,2006,420,305793,1105285,0,0,0,9.7018,1
BRA,FRA,2006,2075,552642,1105285,0,0,0,9.0646,1
TUR,FRA,2006,4532,277857,1105285,1,0,0,7.9099,1
SWE,FRA,2006,6452,247445,1105285,1,0,0,7.5083,1
MEX,FRA,2006,702,378327,1105285,1,0,0,9.1295,1
SGP,FRA,2006,3340,329817,1105285,0,0,0,9.2878,1
IRL,FRA,2006,6715,172374,1105285,1,0,0,7.1095,1
GBR,FRA,2006,37113,925638,1105285,1,0,0,6.8698,1
MYS,FRA,2006,1993,305418,1105285,0,0,0,9.2694,1
BEL,FRA,2006,44257,762280,1105285,1,1,1,6.5987,1
USA,FRA,2006,25713,5019964,1105285,0,0,0,8.9231,1
DEU,FRA,2006,89294,2007800,1105285,1,1,0,6.8572,1
HKG,GBR,2006,3582,86885,1025627,0,0,1,9.1726,1
NLD,GBR,2006,31910,458746,1025627,1,0,0,6.1371,1
BEL,GBR,2006,27323,762280,1025627,1,0,0,6.1478,1
IND,GBR,2006,4942,548517,1025627,0,0,1,8.9149,1
POL,GBR,2006,5667,228337,1025627,1,0,0,7.2597,1
TUR,GBR,2006,6457,277857,1025627,1,0,0,7.9923,1
MEX,GBR,2006,1314,378327,1025627,1,0,0,9.0703,1
SWE,GBR,2006,10215,247445,1025627,1,0,0,7.1693,1
CAN,GBR,2006,5919,485003,1025627,0,0,1,8.6666,1
JPN,GBR,2006,17005,2664872,1025627,0,0,0,9.1496,1
DNK,GBR,2006,6743,112651,1025627,1,0,1,6.8367,1
AUT,GBR,2006,4439,170427,1025627,1,0,0,7.1813,1
IDN,GBR,2006,1418,228454,1025627,0,0,1,9.3747,1
ITA,GBR,2006,22965,1126884,1025627,1,0,0,7.3143,1
THA,GBR,2006,3611,252672,1025627,0,0,1,9.1683,1
BRA,GBR,2006,2497,552642,1025627,0,0,1,9.0992,1
IRL,GBR,2006,17995,172374,1025627,1,1,1,6.0365,1
KOR,GBR,2006,5931,1055450,1025627,0,0,1,9.0972,1
CHN,GBR,2006,30895,3711792,1025627,0,0,0,9.0635,1
DEU,GBR,2006,74835,2007800,1025627,1,0,0,6.663,1
SGP,GBR,2006,6456,329817,1025627,0,0,1,9.2977,1
MYS,GBR,2006,3496,305418,1025627,0,0,1,9.2769,1
FIN,GBR,2006,4596,142759,1025627,1,0,0,7.5291,1
AUS,GBR,2006,3678,305793,1025627,0,0,1,9.7126,1
CHE,GBR,2006,6021,380556,1025627,1,0,1,6.8146,1
FRA,GBR,2006,38030,1081810,1025627,1,0,0,6.8698,1
ESP,GBR,2006,16582,610390,1025627,1,0,0,7.2858,1
USA,GBR,2006,37932,5019964,1025627,0,0,1,8.838,1
GBR,GBR,2006,595161,925638,1025627,0,0,1,5.4097,0
ZAF,GBR,2006,4635,190479,1025627,1,0,1,9.1593,1
TUR,HKG,2006,119,277857,341460,0,0,0,8.9582,1
AUS,HKG,2006,1633,305793,341460,0,0,1,8.8615,1
HKG,HKG,2006,48756,86885,341460,0,0,1,0.0,0
AUT,HKG,2006,553,170427,341460,0,0,0,9.082,1
BRA,HKG,2006,1024,552642,341460,0,0,1,9.7813,1
JPN,HKG,2006,33145,2664872,341460,0,0,0,7.9048,1
CHN,HKG,2006,145480,3711792,341460,1,1,1,7.2448,1
MEX,HKG,2006,240,378327,341460,0,0,0,9.5317,1
ESP,HKG,2006,499,610390,341460,0,0,0,9.2612,1
IRL,HKG,2006,816,172374,341460,0,0,1,9.2004,1
DEU,HKG,2006,5638,2007800,341460,0,0,0,9.1141,1
BEL,HKG,2006,2358,762280,341460,0,0,0,9.1471,1
MYS,HKG,2006,7675,305418,341460,0,0,1,7.7775,1
USA,HKG,2006,13585,5019964,341460,0,0,1,9.4416,1
KOR,HKG,2006,16916,1055450,341460,0,0,1,7.626,1
IDN,HKG,2006,1182,228454,341460,0,0,1,8.0524,1
DNK,HKG,2006,321,112651,341460,0,0,1,9.0735,1
THA,HKG,2006,6675,252672,341460,0,0,1,7.4511,1
SGP,HKG,2006,23778,329817,341460,0,0,1,7.8593,1
ZAF,HKG,2006,334,190479,341460,0,0,1,9.302,1
FIN,HKG,2006,204,142759,341460,0,0,0,8.9627,1
SWE,HKG,2006,469,247445,341460,0,0,0,9.0315,1
NLD,HKG,2006,1348,458746,341460,0,0,0,9.1367,1
CHE,HKG,2006,3623,380556,341460,0,0,1,9.1472,1
IND,HKG,2006,4455,548517,341460,0,0,1,8.2249,1
ITA,HKG,2006,3544,1126884,341460,0,0,0,9.1349,1
POL,HKG,2006,66,228337,341460,0,0,0,9.0365,1
GBR,HKG,2006,4367,925638,341460,0,0,1,9.1726,1
FRA,HKG,2006,2912,1081810,341460,0,0,0,9.1906,1
CAN,HKG,2006,1004,485003,341460,0,0,1,9.3821,1
SWE,IDN,2006,640,247445,221553,0,0,0,9.2724,1
THA,IDN,2006,3009,252672,221553,1,0,1,7.7619,1
POL,IDN,2006,43,228337,221553,0,0,0,9.2503,1
DNK,IDN,2006,70,112651,221553,0,0,1,9.297,1
NLD,IDN,2006,467,458746,221553,0,0,1,9.3395,1
TUR,IDN,2006,53,277857,221553,0,0,0,9.1287,1
AUT,IDN,2006,101,170427,221553,0,0,0,9.2742,1
MEX,IDN,2006,45,378327,221553,1,0,0,9.6921,1
IDN,IDN,2006,166768,228454,221553,0,0,1,6.8576,0
CAN,IDN,2006,443,485003,221553,0,0,1,9.6033,1
KOR,IDN,2006,3696,1055450,221553,1,0,1,8.5207,1
BEL,IDN,2006,306,762280,221553,0,0,1,9.3442,1
CHE,IDN,2006,264,380556,221553,0,0,1,9.329,1
JPN,IDN,2006,6207,2664872,221553,0,0,0,8.5971,1
ZAF,IDN,2006,181,190479,221553,0,0,1,9.1089,1
HKG,IDN,2006,200,86885,221553,0,0,1,8.0524,1
CHN,IDN,2006,6852,3711792,221553,1,0,0,8.3839,1
USA,IDN,2006,2678,5019964,221553,0,0,1,9.6433,1
MYS,IDN,2006,2586,305418,221553,1,1,1,7.2472,1
BRA,IDN,2006,317,552642,221553,1,0,1,9.6893,1
FRA,IDN,2006,731,1081810,221553,0,0,0,9.3652,1
IND,IDN,2006,1461,548517,221553,1,0,1,8.4147,1
DEU,IDN,2006,1609,2007800,221553,0,0,0,9.3149,1
ITA,IDN,2006,620,1126884,221553,0,0,0,9.2995,1
SGP,IDN,2006,16982,329817,221553,1,0,1,7.01,1
FIN,IDN,2006,296,142759,221553,0,0,0,9.2259,1
AUS,IDN,2006,1589,305793,221553,0,0,1,8.5177,1
ESP,IDN,2006,191,610390,221553,0,0,0,9.4103,1
IRL,IDN,2006,135,172374,221553,0,0,1,9.4031,1
GBR,IDN,2006,514,925638,221553,0,0,1,9.3747,1
ITA,IND,2006,2444,1126884,555040,0,0,0,8.7805,1
IDN,IND,2006,1876,228454,555040,1,0,1,8.4147,1
KOR,IND,2006,5040,1055450,555040,1,0,1,8.5224,1
MEX,IND,2006,106,378327,555040,1,0,0,9.6234,1
BRA,IND,2006,575,552642,555040,1,0,1,9.5554,1
DNK,IND,2006,356,112651,555040,0,0,1,8.7956,1
SWE,IND,2006,1522,247445,555040,0,0,0,8.7665,1
MYS,IND,2006,2165,305418,555040,1,0,1,8.1536,1
AUT,IND,2006,406,170427,555040,0,0,0,8.7407,1
TUR,IND,2006,148,277857,555040,0,0,0,8.4756,1
BEL,IND,2006,4914,762280,555040,0,0,0,8.8615,1
CHE,IND,2006,4586,380556,555040,0,0,1,8.8311,1
IRL,IND,2006,216,172374,555040,0,0,1,8.9619,1
GBR,IND,2006,4154,925638,555040,0,0,1,8.9149,1
ZAF,IND,2006,1396,190479,555040,0,0,1,8.9766,1
NLD,IND,2006,982,458746,555040,0,0,0,8.8562,1
POL,IND,2006,161,228337,555040,0,0,0,8.7074,1
JPN,IND,2006,4345,2664872,555040,0,0,0,8.685,1
CHN,IND,2006,13664,3711792,555040,0,1,0,8.2693,1
HKG,IND,2006,1394,86885,555040,0,0,1,8.2249,1
CAN,IND,2006,830,485003,555040,0,0,1,9.3976,1
THA,IND,2006,1564,252672,555040,1,0,1,7.869,1
FIN,IND,2006,504,142759,555040,0,0,0,8.7021,1
FRA,IND,2006,3630,1081810,555040,0,0,0,8.8974,1
AUS,IND,2006,3227,305793,555040,0,0,1,9.1455,1
DEU,IND,2006,7095,2007800,555040,0,0,0,8.8139,1
IND,IND,2006,464780,548517,555040,0,0,1,6.9197,0
SGP,IND,2006,6060,329817,555040,1,0,1,8.1948,1
ESP,IND,2006,623,610390,555040,1,0,0,8.9599,1
USA,IND,2006,8928,5019964,555040,0,0,1,9.4851,1
CHE,IRL,2006,691,380556,123310,1,0,1,7.1254,1
BRA,IRL,2006,216,552642,123310,0,0,1,9.0768,1
SGP,IRL,2006,1649,329817,123310,0,0,1,9.3287,1
IDN,IRL,2006,96,228454,123310,0,0,1,9.4031,1
JPN,IRL,2006,1728,2664872,123310,0,0,0,9.1646,1
ZAF,IRL,2006,157,190479,123310,1,0,1,9.1814,1
GBR,IRL,2006,24901,925638,123310,1,1,1,6.0365,1
IRL,IRL,2006,56096,172374,123310,0,0,1,4.5356,0
TUR,IRL,2006,581,277857,123310,1,0,0,8.1099,1
USA,IRL,2006,7803,5019964,123310,0,0,1,8.7854,1
NLD,IRL,2006,2907,458746,123310,1,0,0,6.699,1
BEL,IRL,2006,2126,762280,123310,1,0,0,6.7112,1
MEX,IRL,2006,146,378327,123310,1,0,0,9.0272,1
POL,IRL,2006,226,228337,123310,1,0,0,7.4819,1
IND,IRL,2006,290,548517,123310,0,0,1,8.9619,1
ESP,IRL,2006,1155,610390,123310,1,0,0,7.3392,1
HKG,IRL,2006,192,86885,123310,0,0,1,9.2004,1
SWE,IRL,2006,777,247445,123310,1,0,0,7.3493,1
FRA,IRL,2006,2726,1081810,123310,1,0,0,7.1095,1
THA,IRL,2006,594,252672,123310,0,0,1,9.2022,1
KOR,IRL,2006,827,1055450,123310,0,0,1,9.1175,1
CAN,IRL,2006,381,485003,123310,0,0,1,8.6058,1
AUT,IRL,2006,323,170427,123310,1,0,0,7.4268,1
DNK,IRL,2006,846,112651,123310,1,0,1,7.1153,1
AUS,IRL,2006,135,305793,123310,0,0,1,9.7298,1
MYS,IRL,2006,476,305418,123310,0,0,1,9.3081,1
DEU,IRL,2006,6303,2007800,123310,1,0,0,7.037,1
CHN,IRL,2006,4610,3711792,123310,0,0,0,9.0909,1
ITA,IRL,2006,1835,1126884,123310,1,0,0,7.5106,1
FIN,IRL,2006,272,142759,123310,1,0,0,7.6513,1
IDN,ITA,2006,901,228454,1094964,0,0,0,9.2995,1
CAN,ITA,2006,1165,485003,1094964,0,0,1,8.8874,1
SWE,ITA,2006,4591,247445,1094964,1,0,0,7.5205,1
AUS,ITA,2006,518,305793,1094964,0,0,1,9.6671,1
USA,ITA,2006,11010,5019964,1094964,0,0,0,9.0248,1
FIN,ITA,2006,2433,142759,1094964,1,0,0,7.726,1
POL,ITA,2006,6706,228337,1094964,1,0,0,7.0843,1
BRA,ITA,2006,2611,552642,1094964,0,0,1,9.1029,1
ZAF,ITA,2006,1588,190479,1094964,1,0,0,9.0044,1
JPN,ITA,2006,6432,2664872,1094964,0,0,0,9.1781,1
GBR,ITA,2006,15349,925638,1094964,1,0,0,7.3143,1
ITA,ITA,2006,799728,1126884,1094964,0,0,1,6.0704,0
BEL,ITA,2006,18772,762280,1094964,1,0,1,6.9882,1
THA,ITA,2006,1190,252672,1094964,0,0,0,9.0898,1
CHN,ITA,2006,17872,3711792,1094964,0,0,0,9.0452,1
MYS,ITA,2006,942,305418,1094964,0,0,0,9.1975,1
FRA,ITA,2006,35250,1081810,1094964,1,1,1,7.0477,1
NLD,ITA,2006,18861,458746,1094964,1,0,0,7.0782,1
SGP,ITA,2006,371,329817,1094964,0,0,0,9.2156,1
IRL,ITA,2006,4139,172374,1094964,1,0,0,7.5106,1
DEU,ITA,2006,68049,2007800,1094964,1,0,1,6.8896,1
HKG,ITA,2006,385,86885,1094964,0,0,0,9.1349,1
TUR,ITA,2006,5812,277857,1094964,1,0,0,7.4747,1
ESP,ITA,2006,16129,610390,1094964,1,0,0,7.2122,1
KOR,ITA,2006,4381,1055450,1094964,0,0,0,9.1095,1
MEX,ITA,2006,231,378327,1094964,1,0,0,9.218,1
CHE,ITA,2006,10490,380556,1094964,1,1,1,6.4248,1
IND,ITA,2006,3072,548517,1094964,0,0,0,8.7805,1
DNK,ITA,2006,2279,112651,1094964,1,0,1,7.2976,1
AUT,ITA,2006,9507,170427,1094964,1,1,1,6.5765,1
CHN,JPN,2006,93165,3711792,2409677,0,0,0,7.7126,1
NLD,JPN,2006,2137,458746,2409677,0,0,0,9.1284,1
IND,JPN,2006,2435,548517,2409677,0,0,0,8.685,1
FIN,JPN,2006,1181,142759,2409677,0,0,0,8.9409,1
SGP,JPN,2006,10431,329817,2409677,1,0,0,8.551,1
BRA,JPN,2006,2342,552642,2409677,0,0,1,9.7922,1
DEU,JPN,2006,17231,2007800,2409677,0,0,0,9.1188,1
FRA,JPN,2006,7683,1081810,2409677,0,0,0,9.1963,1
ZAF,JPN,2006,5533,190479,2409677,0,0,0,9.5184,1
JPN,JPN,2006,2101317,2664872,2409677,0,0,1,6.0628,0
AUT,JPN,2006,1370,170427,2409677,0,0,0,9.1125,1
IRL,JPN,2006,2843,172374,2409677,0,0,0,9.1646,1
BEL,JPN,2006,2405,762280,2409677,0,0,0,9.1428,1
TUR,JPN,2006,153,277857,2409677,0,0,0,9.0671,1
USA,JPN,2006,52504,5019964,2409677,0,0,0,9.233,1
HKG,JPN,2006,838,86885,2409677,0,0,0,7.9048,1
CHE,JPN,2006,5115,380556,2409677,0,0,0,9.1643,1
IDN,JPN,2006,9272,228454,2409677,0,0,0,8.5971,1
SWE,JPN,2006,2147,247445,2409677,0,0,0,9.0115,1
MYS,JPN,2006,9494,305418,2409677,1,0,0,8.5073,1
AUS,JPN,2006,5778,305793,2409677,0,0,0,8.9572,1
ITA,JPN,2006,5782,1126884,2409677,0,0,0,9.1781,1
DNK,JPN,2006,1689,112651,2409677,0,0,0,9.0621,1
GBR,JPN,2006,6617,925638,2409677,0,0,0,9.1496,1
KOR,JPN,2006,25354,1055450,2409677,0,0,0,6.864,1
POL,JPN,2006,203,228337,2409677,0,0,0,9.0577,1
THA,JPN,2006,14308,252672,2409677,0,0,0,8.3919,1
MEX,JPN,2006,1560,378327,2409677,1,0,0,9.3174,1
ESP,JPN,2006,1576,610390,2409677,0,0,0,9.2758,1
CAN,JPN,2006,4910,485003,2409677,0,0,0,9.1795,1
ZAF,KOR,2006,1078,190479,950557,0,0,1,9.4558,1
THA,KOR,2006,2230,252672,950557,1,0,1,8.2124,1
ITA,KOR,2006,2696,1126884,950557,0,0,0,9.1095,1
MYS,KOR,2006,3544,305418,950557,1,0,1,8.3865,1
FRA,KOR,2006,3305,1081810,950557,0,0,0,9.1399,1
CHE,KOR,2006,1267,380556,950557,1,0,1,9.1012,1
CAN,KOR,2006,1969,485003,950557,0,0,1,9.2091,1
NLD,KOR,2006,2774,458746,950557,0,0,0,9.0697,1
DEU,KOR,2006,10553,2007800,950557,0,0,0,9.0555,1
IND,KOR,2006,2577,548517,950557,1,0,1,8.5224,1
IRL,KOR,2006,711,172374,950557,0,0,1,9.1175,1
AUT,KOR,2006,663,170427,950557,0,0,0,9.0416,1
CHN,KOR,2006,41324,3711792,950557,0,0,0,7.2726,1
AUS,KOR,2006,3340,305793,950557,0,0,1,8.9905,1
MEX,KOR,2006,500,378327,950557,1,0,0,9.3715,1
BRA,KOR,2006,1017,552642,950557,1,0,1,9.7856,1
ESP,KOR,2006,680,610390,950557,0,0,0,9.2219,1
FIN,KOR,2006,471,142759,950557,0,0,0,8.8687,1
IDN,KOR,2006,2223,228454,950557,1,0,1,8.5207,1
JPN,KOR,2006,47945,2664872,950557,0,0,0,6.864,1
SWE,KOR,2006,833,247445,950557,0,0,0,8.9459,1
USA,KOR,2006,28831,5019964,950557,0,0,1,9.2729,1
GBR,KOR,2006,2828,925638,950557,0,0,1,9.0972,1
TUR,KOR,2006,146,277857,950557,1,0,0,8.9747,1
POL,KOR,2006,207,228337,950557,0,0,0,8.9844,1
SGP,KOR,2006,7154,329817,950557,1,0,1,8.4389,1
HKG,KOR,2006,1334,86885,950557,0,0,1,7.626,1
KOR,KOR,2006,769535,1055450,950557,0,0,1,5.0872,0
BEL,KOR,2006,988,762280,950557,0,0,0,9.0841,1
DNK,KOR,2006,489,112651,950557,0,0,1,8.9985,1
IRL,MEX,2006,754,172374,380400,1,0,0,9.0272,1
ESP,MEX,2006,3549,610390,380400,1,0,1,9.1153,1
FRA,MEX,2006,2306,1081810,380400,1,0,0,9.1295,1
USA,MEX,2006,110334,5019964,380400,1,1,1,7.8212,1
CHN,MEX,2006,15887,3711792,380400,0,0,0,9.4545,1
POL,MEX,2006,159,228337,380400,1,0,0,9.2062,1
THA,MEX,2006,1173,252672,380400,1,0,0,9.6407,1
AUS,MEX,2006,298,305793,380400,0,0,0,9.5074,1
HKG,MEX,2006,324,86885,380400,0,0,0,9.5317,1
GBR,MEX,2006,1714,925638,380400,1,0,0,9.0703,1
NLD,MEX,2006,1473,458746,380400,1,0,0,9.1169,1
DEU,MEX,2006,8462,2007800,380400,1,0,0,9.1509,1
TUR,MEX,2006,229,277857,380400,1,0,0,9.3598,1
DNK,MEX,2006,199,112651,380400,1,0,0,9.1375,1
CAN,MEX,2006,4606,485003,380400,1,0,0,8.1525,1
MYS,MEX,2006,2639,305418,380400,1,0,0,9.6823,1
IDN,MEX,2006,481,228454,380400,1,0,0,9.6921,1
SGP,MEX,2006,1421,329817,380400,1,0,0,9.6976,1
IND,MEX,2006,762,548517,380400,1,0,0,9.6234,1
BRA,MEX,2006,4543,552642,380400,1,0,1,8.921,1
KOR,MEX,2006,8325,1055450,380400,1,0,0,9.3715,1
AUT,MEX,2006,381,170427,380400,1,0,0,9.209,1
JPN,MEX,2006,11805,2664872,380400,1,0,0,9.3174,1
CHE,MEX,2006,1046,380556,380400,1,0,1,9.1627,1
MEX,MEX,2006,184821,378327,380400,0,0,1,6.6411,0
SWE,MEX,2006,802,247445,380400,1,0,0,9.1406,1
BEL,MEX,2006,856,762280,380400,1,0,0,9.1203,1
ITA,MEX,2006,3500,1126884,380400,1,0,0,9.218,1
FIN,MEX,2006,241,142759,380400,1,0,0,9.1654,1
ZAF,MEX,2006,231,190479,380400,0,0,0,9.597,1
ESP,MYS,2006,300,610390,267757,0,0,0,9.3202,1
FRA,MYS,2006,1891,1081810,267757,0,0,0,9.2694,1
USA,MYS,2006,12955,5019964,267757,0,0,1,9.6028,1
NLD,MYS,2006,742,458746,267757,0,0,0,9.2381,1
HKG,MYS,2006,1773,86885,267757,0,0,1,7.7775,1
DEU,MYS,2006,4998,2007800,267757,0,0,0,9.2111,1
MEX,MYS,2006,122,378327,267757,1,0,0,9.6823,1
MYS,MYS,2006,163176,305418,267757,0,0,1,6.4228,0
FIN,MYS,2006,218,142759,267757,0,0,0,9.1109,1
CHE,MYS,2006,819,380556,267757,0,0,1,9.228,1
IRL,MYS,2006,998,172374,267757,0,0,1,9.3081,1
BRA,MYS,2006,591,552642,267757,1,0,1,9.6964,1
IDN,MYS,2006,3354,228454,267757,1,1,1,7.2472,1
THA,MYS,2006,5675,252672,267757,1,1,1,7.1472,1
ITA,MYS,2006,999,1126884,267757,0,0,0,9.1975,1
IND,MYS,2006,1071,548517,267757,1,0,1,8.1536,1
JPN,MYS,2006,14617,2664872,267757,1,0,0,8.5073,1
DNK,MYS,2006,105,112651,267757,0,0,1,9.1904,1
POL,MYS,2006,85,228337,267757,0,0,0,9.139,1
BEL,MYS,2006,359,762280,267757,0,0,0,9.2436,1
CAN,MYS,2006,431,485003,267757,0,0,1,9.549,1
AUT,MYS,2006,231,170427,267757,0,0,0,9.1669,1
GBR,MYS,2006,1504,925638,267757,0,0,1,9.2769,1
SGP,MYS,2006,24614,329817,267757,1,1,1,6.2979,1
CHN,MYS,2006,13693,3711792,267757,1,0,1,8.1773,1
SWE,MYS,2006,504,247445,267757,0,0,0,9.163,1
KOR,MYS,2006,6072,1055450,267757,1,0,1,8.3865,1
TUR,MYS,2006,45,277857,267757,0,0,0,9.0076,1
ZAF,MYS,2006,310,190479,267757,0,0,1,9.105,1
AUS,MYS,2006,1539,305793,267757,0,0,1,8.7082,1
IRL,NLD,2006,4063,172374,456092,1,0,0,6.699,1
MEX,NLD,2006,917,378327,456092,1,0,0,9.1169,1
KOR,NLD,2006,3379,1055450,456092,0,0,0,9.0697,1
NLD,NLD,2006,180236,458746,456092,0,0,1,4.3142,0
ITA,NLD,2006,7715,1126884,456092,1,0,0,7.0782,1
CAN,NLD,2006,1705,485003,456092,0,0,0,8.7305,1
ZAF,NLD,2006,1019,190479,456092,1,0,0,9.1367,1
BRA,NLD,2006,3159,552642,456092,0,0,0,9.1281,1
CHN,NLD,2006,28529,3711792,456092,0,0,0,9.0279,1
CHE,NLD,2006,3669,380556,456092,1,0,0,6.4171,1
IND,NLD,2006,1868,548517,456092,0,0,0,8.8562,1
MYS,NLD,2006,5678,305418,456092,0,0,0,9.2381,1
SWE,NLD,2006,5846,247445,456092,1,0,0,6.9336,1
DNK,NLD,2006,2354,112651,456092,1,0,0,6.4019,1
POL,NLD,2006,3347,228337,456092,1,0,0,6.8998,1
AUT,NLD,2006,1846,170427,456092,1,0,0,6.7906,1
USA,NLD,2006,26389,5019964,456092,0,0,0,8.8939,1
BEL,NLD,2006,33501,762280,456092,1,1,1,5.0613,1
DEU,NLD,2006,55168,2007800,456092,1,1,0,5.8974,1
FRA,NLD,2006,15948,1081810,456092,1,0,0,6.7611,1
FIN,NLD,2006,3603,142759,456092,1,0,0,7.3723,1
AUS,NLD,2006,389,305793,456092,0,0,0,9.6905,1
HKG,NLD,2006,1631,86885,456092,0,0,0,9.1367,1
IDN,NLD,2006,1932,228454,456092,0,0,1,9.3395,1
JPN,NLD,2006,10807,2664872,456092,0,0,0,9.1284,1
GBR,NLD,2006,19809,925638,456092,1,0,0,6.1371,1
ESP,NLD,2006,5426,610390,456092,1,0,0,7.3219,1
TUR,NLD,2006,1868,277857,456092,1,0,0,7.8369,1
SGP,NLD,2006,4625,329817,456092,0,0,0,9.2592,1
THA,NLD,2006,2891,252672,456092,0,0,0,9.1258,1
IND,POL,2006,338,548517,245770,0,0,0,8.7074,1
ZAF,POL,2006,190,190479,245770,1,0,0,9.1094,1
TUR,POL,2006,1144,277857,245770,1,0,0,7.4534,1
HKG,POL,2006,54,86885,245770,0,0,0,9.0365,1
POL,POL,2006,154613,228337,245770,0,0,1,5.5138,0
ESP,POL,2006,1964,610390,245770,1,0,0,7.6845,1
CHE,POL,2006,1287,380556,245770,1,0,0,6.9211,1
MEX,POL,2006,139,378327,245770,1,0,0,9.2062,1
GBR,POL,2006,4130,925638,245770,1,0,0,7.2597,1
AUS,POL,2006,48,305793,245770,0,0,0,9.6308,1
SWE,POL,2006,2539,247445,245770,1,0,0,6.7531,1
CAN,POL,2006,184,485003,245770,0,0,0,8.8473,1
DNK,POL,2006,1454,112651,245770,1,0,0,6.5316,1
FRA,POL,2006,7397,1081810,245770,1,0,0,7.3518,1
IRL,POL,2006,590,172374,245770,1,0,0,7.4819,1
USA,POL,2006,2189,5019964,245770,0,0,0,8.9979,1
KOR,POL,2006,2718,1055450,245770,0,0,0,8.9844,1
BEL,POL,2006,3844,762280,245770,1,0,0,6.95,1
BRA,POL,2006,342,552642,245770,0,0,0,9.2079,1
DEU,POL,2006,30659,2007800,245770,1,1,0,6.6131,1
ITA,POL,2006,8123,1126884,245770,1,0,0,7.0843,1
SGP,POL,2006,243,329817,245770,0,0,0,9.1616,1
FIN,POL,2006,1427,142759,245770,1,0,0,7.0329,1
IDN,POL,2006,157,228454,245770,0,0,0,9.2503,1
NLD,POL,2006,4209,458746,245770,1,0,0,6.8998,1
JPN,POL,2006,1511,2664872,245770,0,0,0,9.0577,1
CHN,POL,2006,5563,3711792,245770,0,0,0,8.9249,1
THA,POL,2006,286,252672,245770,0,0,0,9.015,1
MYS,POL,2006,358,305418,245770,0,0,0,9.139,1
AUT,POL,2006,2336,170427,245770,1,0,0,6.2632,1
MEX,SGP,2006,383,378327,306892,1,0,0,9.6976,1
HKG,SGP,2006,2260,86885,306892,0,0,1,7.8593,1
GBR,SGP,2006,4029,925638,306892,0,0,1,9.2977,1
CHN,SGP,2006,24155,3711792,306892,1,0,1,8.2415,1
FRA,SGP,2006,4749,1081810,306892,0,0,0,9.2878,1
ZAF,SGP,2006,383,190479,306892,0,0,1,9.0862,1
SGP,SGP,2006,140095,329817,306892,0,0,1,0.0,0
ESP,SGP,2006,481,610390,306892,0,0,0,9.3361,1
BRA,SGP,2006,798,552642,306892,1,0,1,9.6878,1
BEL,SGP,2006,663,762280,306892,0,0,0,9.2642,1
SWE,SGP,2006,730,247445,306892,0,0,0,9.1875,1
FIN,SGP,2006,290,142759,306892,0,0,0,9.1374,1
CAN,SGP,2006,671,485003,306892,0,0,1,9.5704,1
DEU,SGP,2006,6145,2007800,306892,0,0,0,9.2322,1
CHE,SGP,2006,1581,380556,306892,1,0,1,9.2474,1
TUR,SGP,2006,267,277857,306892,0,0,0,9.028,1
DNK,SGP,2006,369,112651,306892,0,0,1,9.2134,1
ITA,SGP,2006,2299,1126884,306892,0,0,0,9.2156,1
AUS,SGP,2006,2195,305793,306892,1,0,1,8.6732,1
THA,SGP,2006,8220,252672,306892,1,0,1,7.2726,1
NLD,SGP,2006,1790,458746,306892,0,0,0,9.2592,1
POL,SGP,2006,130,228337,306892,0,0,0,9.1616,1
IND,SGP,2006,5118,548517,306892,1,0,1,8.1948,1
IRL,SGP,2006,792,172374,306892,0,0,1,9.3287,1
JPN,SGP,2006,18134,2664872,306892,1,0,0,8.551,1
IDN,SGP,2006,9777,228454,306892,1,0,1,7.01,1
MYS,SGP,2006,25709,305418,306892,1,1,1,6.2979,1
KOR,SGP,2006,9894,1055450,306892,1,0,1,8.4389,1
USA,SGP,2006,25143,5019964,306892,1,0,1,9.6225,1
AUT,SGP,2006,539,170427,306892,0,0,0,9.1876,1
BEL,SWE,2006,5396,762280,222625,1,0,0,7.0553,1
CHE,SWE,2006,1305,380556,222625,1,0,0,7.2758,1
DEU,SWE,2006,21301,2007800,222625,1,0,0,6.8986,1
CAN,SWE,2006,280,485003,222625,0,0,0,8.748,1
SWE,SWE,2006,126226,247445,222625,0,0,1,5.7169,0
BRA,SWE,2006,343,552642,222625,0,0,0,9.2309,1
ZAF,SWE,2006,391,190479,222625,1,0,0,9.1957,1
DNK,SWE,2006,8455,112651,222625,1,0,0,6.1211,1
POL,SWE,2006,3172,228337,222625,1,0,0,6.7531,1
ITA,SWE,2006,4022,1126884,222625,1,0,0,7.5205,1
CHN,SWE,2006,3464,3711792,222625,0,0,0,8.905,1
IND,SWE,2006,354,548517,222625,0,0,0,8.7665,1
MYS,SWE,2006,351,305418,222625,0,0,0,9.163,1
IDN,SWE,2006,141,228454,222625,0,0,0,9.2724,1
FIN,SWE,2006,7070,142759,222625,1,1,1,6.4342,1
THA,SWE,2006,402,252672,222625,0,0,0,9.0372,1
KOR,SWE,2006,982,1055450,222625,0,0,0,8.9459,1
IRL,SWE,2006,1460,172374,222625,1,0,0,7.3493,1
TUR,SWE,2006,794,277857,222625,1,0,0,7.818,1
GBR,SWE,2006,7889,925638,222625,1,0,0,7.1693,1
MEX,SWE,2006,57,378327,222625,1,0,0,9.1406,1
ESP,SWE,2006,1711,610390,222625,1,0,0,7.8288,1
HKG,SWE,2006,578,86885,222625,0,0,0,9.0315,1
AUT,SWE,2006,1228,170427,222625,1,0,0,7.116,1
SGP,SWE,2006,190,329817,222625,0,0,0,9.1875,1
JPN,SWE,2006,2053,2664872,222625,0,0,0,9.0115,1
NLD,SWE,2006,6448,458746,222625,1,0,0,6.9336,1
AUS,SWE,2006,140,305793,222625,0,0,0,9.6356,1
USA,SWE,2006,3694,5019964,222625,0,0,0,8.9148,1
FRA,SWE,2006,5897,1081810,222625,1,0,0,7.5083,1
IDN,THA,2006,2043,228454,229261,1,0,1,7.7619,1
CAN,THA,2006,394,485003,229261,0,0,1,9.4746,1
FRA,THA,2006,1155,1081810,229261,0,0,0,9.1664,1
THA,THA,2006,145666,252672,229261,0,0,1,5.7543,0
USA,THA,2006,7156,5019964,229261,0,0,1,9.5398,1
DEU,THA,2006,2895,2007800,229261,0,0,0,9.0967,1
ESP,THA,2006,279,610390,229261,0,0,0,9.2261,1
AUS,THA,2006,2251,305793,229261,1,0,1,8.8667,1
IND,THA,2006,1385,548517,229261,1,0,1,7.869,1
POL,THA,2006,81,228337,229261,0,0,0,9.015,1
GBR,THA,2006,1114,925638,229261,0,0,1,9.1683,1
JPN,THA,2006,23641,2664872,229261,0,0,0,8.3919,1
FIN,THA,2006,227,142759,229261,0,0,0,8.9763,1
DNK,THA,2006,203,112651,229261,0,0,1,9.07,1
CHE,THA,2006,1040,380556,229261,0,0,1,9.119,1
AUT,THA,2006,172,170427,229261,0,0,0,9.05,1
SGP,THA,2006,8241,329817,229261,1,0,1,7.2726,1
BEL,THA,2006,744,762280,229261,0,0,0,9.1329,1
TUR,THA,2006,104,277857,229261,0,0,0,8.8802,1
NLD,THA,2006,759,458746,229261,0,0,0,9.1258,1
KOR,THA,2006,4520,1055450,229261,1,0,1,8.2124,1
SWE,THA,2006,386,247445,229261,0,0,0,9.0372,1
MYS,THA,2006,6827,305418,229261,1,1,1,7.1472,1
ZAF,THA,2006,292,190479,229261,0,0,1,9.1332,1
IRL,THA,2006,163,172374,229261,0,0,1,9.2022,1
BRA,THA,2006,565,552642,229261,1,0,1,9.6986,1
ITA,THA,2006,1210,1126884,229261,0,0,0,9.0898,1
HKG,THA,2006,913,86885,229261,0,0,1,7.4511,1
CHN,THA,2006,11195,3711792,229261,1,0,0,7.8936,1
MEX,THA,2006,164,378327,229261,1,0,0,9.6407,1
USA,TUR,2006,4171,5019964,304866,0,0,0,9.1837,1
THA,TUR,2006,674,252672,304866,0,0,0,8.8802,1
HKG,TUR,2006,66,86885,304866,0,0,0,8.9582,1
FRA,TUR,2006,6740,1081810,304866,1,0,0,7.9099,1
IDN,TUR,2006,781,228454,304866,0,0,0,9.1287,1
SWE,TUR,2006,1141,247445,304866,1,0,0,7.818,1
BEL,TUR,2006,2910,762280,304866,1,0,0,7.8286,1
FIN,TUR,2006,914,142759,304866,1,0,0,7.8275,1
MYS,TUR,2006,688,305418,304866,0,0,0,9.0076,1
POL,TUR,2006,1335,228337,304866,1,0,0,7.4534,1
SGP,TUR,2006,247,329817,304866,0,0,0,9.028,1
GBR,TUR,2006,4124,925638,304866,1,0,0,7.9923,1
ZAF,TUR,2006,914,190479,304866,0,0,0,8.9459,1
AUT,TUR,2006,936,170427,304866,1,0,1,7.4137,1
IRL,TUR,2006,616,172374,304866,1,0,0,8.1099,1
BRA,TUR,2006,507,552642,304866,1,0,0,9.2407,1
TUR,TUR,2006,220398,277857,304866,0,0,1,6.1759,0
CHE,TUR,2006,2806,380556,304866,1,0,0,7.6829,1
ESP,TUR,2006,3527,610390,304866,1,0,0,8.0147,1
ITA,TUR,2006,8199,1126884,304866,1,0,0,7.4747,1
KOR,TUR,2006,3173,1055450,304866,1,0,0,8.9747,1
JPN,TUR,2006,2782,2664872,304866,0,0,0,9.0671,1
DNK,TUR,2006,366,112651,304866,1,0,0,7.7768,1
MEX,TUR,2006,144,378327,304866,1,0,0,9.3598,1
AUS,TUR,2006,151,305793,304866,0,0,0,9.5528,1
DEU,TUR,2006,15549,2007800,304866,1,0,0,7.7068,1
CHN,TUR,2006,7909,3711792,304866,0,0,0,8.875,1
NLD,TUR,2006,2791,458746,304866,1,0,0,7.8369,1
IND,TUR,2006,1253,548517,304866,0,0,0,8.4756,1
CAN,TUR,2006,308,485003,304866,0,0,0,9.0608,1
DEU,USA,2006,89466,2007800,5563060,0,0,0,8.9351,1
IND,USA,2006,18305,548517,5563060,0,0,1,9.4851,1
ZAF,USA,2006,6462,190479,5563060,0,0,1,9.5782,1
MEX,USA,2006,163229,378327,5563060,1,1,1,7.8212,1
THA,USA,2006,19276,252672,5563060,0,0,1,9.5398,1
JPN,USA,2006,142972,2664872,5563060,0,0,0,9.233,1
AUS,USA,2006,6433,305793,5563060,1,0,1,9.5963,1
BEL,USA,2006,18375,762280,5563060,0,0,0,8.8998,1
TUR,USA,2006,4780,277857,5563060,0,0,0,9.1837,1
GBR,USA,2006,46232,925638,5563060,0,0,1,8.838,1
FIN,USA,2006,4152,142759,5563060,0,0,0,8.9433,1
ESP,USA,2006,9046,610390,5563060,0,0,1,8.9175,1
SWE,USA,2006,13128,247445,5563060,0,0,0,8.9148,1
AUT,USA,2006,7474,170427,5563060,0,0,0,9.0059,1
NLD,USA,2006,17039,458746,5563060,0,0,0,8.8939,1
BRA,USA,2006,21643,552642,5563060,0,0,1,8.9944,1
CHN,USA,2006,241537,3711792,5563060,0,0,0,9.3461,1
IRL,USA,2006,22901,172374,5563060,0,0,1,8.7854,1
HKG,USA,2006,5200,86885,5563060,0,0,1,9.4416,1
CAN,USA,2006,214830,485003,5563060,1,1,1,7.6662,1
ITA,USA,2006,30666,1126884,5563060,0,0,0,9.0248,1
CHE,USA,2006,14188,380556,5563060,0,0,1,8.9552,1
POL,USA,2006,2101,228337,5563060,0,0,0,8.9979,1
SGP,USA,2006,21593,329817,5563060,1,0,1,9.6225,1
USA,USA,2006,4233436,5019964,5563060,0,0,1,7.5592,0
MYS,USA,2006,32775,305418,5563060,0,0,1,9.6028,1
DNK,USA,2006,5050,112651,5563060,0,0,1,8.9135,1
FRA,USA,2006,32968,1081810,5563060,0,0,0,8.9231,1
IDN,USA,2006,8888,228454,5563060,0,0,1,9.6433,1
KOR,USA,2006,43749,1055450,5563060,0,0,1,9.2729,1
FIN,ZAF,2006,629,142759,198604,1,0,0,9.2179,1
IND,ZAF,2006,1738,548517,198604,0,0,1,8.9766,1
NLD,ZAF,2006,1356,458746,198604,1,0,0,9.1367,1
THA,ZAF,2006,881,252672,198604,0,0,1,9.1332,1
IRL,ZAF,2006,515,172374,198604,1,0,1,9.1814,1
TUR,ZAF,2006,520,277857,198604,0,0,0,8.9459,1
USA,ZAF,2006,4451,5019964,198604,0,0,1,9.5782,1
CHE,ZAF,2006,557,380556,198604,0,0,1,9.0696,1
AUT,ZAF,2006,563,170427,198604,1,0,0,9.0665,1
MEX,ZAF,2006,191,378327,198604,0,0,0,9.597,1
MYS,ZAF,2006,706,305418,198604,0,0,1,9.105,1
GBR,ZAF,2006,3429,925638,198604,1,0,1,9.1593,1
DEU,ZAF,2006,7626,2007800,198604,1,0,0,9.1148,1
AUS,ZAF,2006,980,305793,198604,0,0,1,9.2608,1
IDN,ZAF,2006,319,228454,198604,0,0,1,9.1089,1
POL,ZAF,2006,198,228337,198604,1,0,0,9.1094,1
ITA,ZAF,2006,1950,1126884,198604,1,0,0,9.0044,1
HKG,ZAF,2006,226,86885,198604,0,0,1,9.302,1
JPN,ZAF,2006,3515,2664872,198604,0,0,0,9.5184,1
DNK,ZAF,2006,192,112651,198604,1,0,1,9.1657,1
FRA,ZAF,2006,2162,1081810,198604,1,0,0,9.0792,1
CHN,ZAF,2006,5778,3711792,198604,0,0,0,9.3559,1
CAN,ZAF,2006,414,485003,198604,0,0,1,9.5513,1
ESP,ZAF,2006,864,610390,198604,1,0,0,9.0224,1
SGP,ZAF,2006,1017,329817,198604,0,0,1,9.0862,1
BRA,ZAF,2006,1129,552642,198604,0,0,1,8.9123,1
BEL,ZAF,2006,1035,762280,198604,1,0,0,9.1235,1
SWE,ZAF,2006,775,247445,198604,1,0,0,9.1957,1
KOR,ZAF,2006,1737,1055450,198604,0,0,1,9.4558,1
ZAF,ZAF,2006,150851,190479,198604,0,0,1,6.4119,0
| IDL | 2 | peter-herman/gegravity | examples/sample_data_set.dlm | [
"MIT"
] |
<?xml version="1.0" encoding="UTF-8"?>
<!-- generated with COPASI 4.0 Debug 13++ (http://www.copasi.org) at 2005-08-11 13:57:23 UTC -->
<COPASI xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="http://calvin.bioinformatics.vt.edu/copasi/schema/copasi.xsd" versionMajor="0" versionMinor="1">
<ListOfFunctions>
<Function key="Function_0" name="Allosteric inhibition (MWC)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate*(Ks+substrate)^(n-1)/(L*(Ks*(1+Inhibitor/Ki))^n+(Ks+substrate)^n)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_0" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_1" name="Inhibitor" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_2" name="V" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_3" name="Ks" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_4" name="n" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_5" name="L" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_6" name="Ki" order="6" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_1" name="Allosteric inhibition (empirical)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)/(1+substrate/Kms+product/Kmp+(Inhibitor/Ki)^n)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_7" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_8" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_9" name="Inhibitor" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_10" name="Vf" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_11" name="Vr" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_12" name="Kms" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_13" name="Kmp" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_14" name="n" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_15" name="Ki" order="8" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_10" name="Hyperbolic modifier (irrev)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate*(1+b*Modifier/(a*Kd))/(Km*(1+Modifier/Kd)+substrate*(1+Modifier/(a*Kd)))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_51" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_52" name="Modifier" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_53" name="Km" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_54" name="V" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_55" name="Kd" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_56" name="a" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_57" name="b" order="6" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_11" name="Hyperbolic modifier (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)*(1+b*Modifier/(a*Kd))/(1+Modifier/Kd+(substrate/Kms+product/Kmp)*(1+Modifier/(a*Kd)))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_58" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_59" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_60" name="Modifier" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_61" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_62" name="Kmp" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_63" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_64" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_65" name="Kd" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_66" name="a" order="8" role="constant"/>
<ParameterDescription key="FunctionParameter_67" name="b" order="9" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_12" name="Iso Uni Uni" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*(substrate-product/Keq)/(substrate*(1+product/Kii)+Kms*(1+product/Kmp))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_68" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_69" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_70" name="Kms" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_71" name="Kmp" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_72" name="Kii" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_73" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_74" name="Keq" order="6" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_13" name="Mass action (irreversible)" type="MassAction" positive="false">
<MathML>
<Text>
k1*PRODUCT<substrate_i>
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_75" name="k1" order="0" role="constant"/>
<ParameterDescription key="FunctionParameter_76" name="substrate" order="1" role="substrate" minOccurs="1" maxOccurs="unbounded"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_14" name="Mass action (reversible)" type="MassAction" positive="true">
<MathML>
<Text>
k1*PRODUCT<substrate_i>-k2*PRODUCT<product_j>
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_77" name="k1" order="0" role="constant"/>
<ParameterDescription key="FunctionParameter_78" name="substrate" order="1" role="substrate" minOccurs="1" maxOccurs="unbounded"/>
<ParameterDescription key="FunctionParameter_79" name="k2" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_80" name="product" order="3" role="product" minOccurs="1" maxOccurs="unbounded"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_15" name="Mixed activation (irrev)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate*Activator/(Kms*(Kas+Activator)+substrate*(Kac+Activator))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_81" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_82" name="Activator" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_83" name="Kms" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_84" name="V" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_85" name="Kas" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_86" name="Kac" order="5" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_16" name="Mixed activation (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)*Activator/(Kas+Activator+(substrate/Kms+product/Kmp)*(Kac+Activator))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_87" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_88" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_89" name="Activator" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_90" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_91" name="Kmp" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_92" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_93" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_94" name="Kas" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_95" name="Kac" order="8" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_17" name="Mixed inhibition (irr)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate/(Km*(1+Inhibitor/Kis)+substrate*(1+Inhibitor/Kic))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_96" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_97" name="Inhibitor" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_98" name="Km" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_99" name="V" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_100" name="Kis" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_101" name="Kic" order="5" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_18" name="Mixed inhibition (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)/(1+Inhibitor/Kis+(substrate/Kms+product/Kmp)*(1+Inhibitor/Kic))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_102" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_103" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_104" name="Inhibitor" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_105" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_106" name="Kmp" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_107" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_108" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_109" name="Kis" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_110" name="Kic" order="8" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_19" name="Noncompetitive inhibition (irr)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate/((Km+substrate)*(1+Inhibitor/Ki))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_111" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_112" name="Inhibitor" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_113" name="Km" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_114" name="V" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_115" name="Ki" order="4" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_2" name="Catalytic activation (irrev)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate*Activator/((Kms+substrate)*(Ka+Activator))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_16" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_17" name="Activator" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_18" name="Kms" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_19" name="V" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_20" name="Ka" order="4" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_20" name="Noncompetitive inhibition (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)/((1+substrate/Kms+product/Kmp)*(1+Inhibitor/Ki))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_116" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_117" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_118" name="Inhibitor" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_119" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_120" name="Kmp" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_121" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_122" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_123" name="Ki" order="7" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_21" name="Ordered Bi Bi" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*(substratea*substrateb-productp*productq/Keq)/(substratea*substrateb*(1+productp/Kip)+Kma*substrateb+Kmb*(substratea+Kia)+Vf/(Vr*Keq)*(Kmq*productp*(1+substratea/Kia)+productq*(Kmp*(1+Kia*substrateb/(Kma*Kmb))+productp*(1+substrateb/Kib))))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_124" name="substratea" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_125" name="substrateb" order="1" role="substrate"/>
<ParameterDescription key="FunctionParameter_126" name="productp" order="2" role="product"/>
<ParameterDescription key="FunctionParameter_127" name="productq" order="3" role="product"/>
<ParameterDescription key="FunctionParameter_128" name="Keq" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_129" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_130" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_131" name="Kma" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_132" name="Kmb" order="8" role="constant"/>
<ParameterDescription key="FunctionParameter_133" name="Kmp" order="9" role="constant"/>
<ParameterDescription key="FunctionParameter_134" name="Kmq" order="10" role="constant"/>
<ParameterDescription key="FunctionParameter_135" name="Kia" order="11" role="constant"/>
<ParameterDescription key="FunctionParameter_136" name="Kib" order="12" role="constant"/>
<ParameterDescription key="FunctionParameter_137" name="Kip" order="13" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_22" name="Ordered Bi Uni" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*(substratea*substrateb-product/Keq)/(substratea*substrateb+Kma*substrateb+Kmb*substratea+Vf/(Vr*Keq)*(Kmp+product*(1+substratea/Kia)))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_138" name="substratea" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_139" name="substrateb" order="1" role="substrate"/>
<ParameterDescription key="FunctionParameter_140" name="product" order="2" role="product"/>
<ParameterDescription key="FunctionParameter_141" name="Kma" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_142" name="Kmb" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_143" name="Kmp" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_144" name="Kia" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_145" name="Keq" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_146" name="Vf" order="8" role="constant"/>
<ParameterDescription key="FunctionParameter_147" name="Vr" order="9" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_23" name="Ordered Uni Bi" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*(substrate-productp*productq/Keq)/(Kms+substrate*(1+productp/Kip)+Vf/(Vr*Keq)*(Kmq*productp+Kmp*productq+productp*productq))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_148" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_149" name="productp" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_150" name="productq" order="2" role="product"/>
<ParameterDescription key="FunctionParameter_151" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_152" name="Kmq" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_153" name="Kmp" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_154" name="Kip" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_155" name="Keq" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_156" name="Vf" order="8" role="constant"/>
<ParameterDescription key="FunctionParameter_157" name="Vr" order="9" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_24" name="Ping Pong Bi Bi" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*(substratea*substrateb-productp*productq/Keq)/(substratea*substrateb*(1+productq/Kiq)+Kma*substrateb+Kmb*substratea+Vf/(Vr*Keq)*(Kmq*productp*(1+substratea/Kia)+productq*(Kmp+productp)))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_158" name="substratea" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_159" name="substrateb" order="1" role="substrate"/>
<ParameterDescription key="FunctionParameter_160" name="productp" order="2" role="product"/>
<ParameterDescription key="FunctionParameter_161" name="productq" order="3" role="product"/>
<ParameterDescription key="FunctionParameter_162" name="Keq" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_163" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_164" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_165" name="Kma" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_166" name="Kmb" order="8" role="constant"/>
<ParameterDescription key="FunctionParameter_167" name="Kmp" order="9" role="constant"/>
<ParameterDescription key="FunctionParameter_168" name="Kmq" order="10" role="constant"/>
<ParameterDescription key="FunctionParameter_169" name="Kia" order="11" role="constant"/>
<ParameterDescription key="FunctionParameter_170" name="Kiq" order="12" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_25" name="Reversible Hill 1 modifier" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*substrate/Shalve*(1-product/(substrate*Keq))*(substrate/Shalve+product/Phalve)^(h-1)/((1+(Modifier/Mhalve)^h)/(1+alpha*(Modifier/Mhalve)^h)+(substrate/Shalve+product/Phalve)^h)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_171" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_172" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_173" name="Modifier" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_174" name="Keq" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_175" name="Vf" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_176" name="Shalve" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_177" name="Phalve" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_178" name="h" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_179" name="Mhalve" order="8" role="constant"/>
<ParameterDescription key="FunctionParameter_180" name="alpha" order="9" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_26" name="Reversible Hill 2 modifiers" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*substrate/Shalve*(1-product/(substrate*Keq))*(substrate/Shalve+product/Phalve)^(h-1)/((1+(ModifierA/MAhalve)^h+(ModifierB/MBhalve)^h)/(1+alphaA*(ModifierA/MAhalve)^h+alphaB*(ModifierB/MBhalve)^h+alphaA*alphaB*alphaAB*(ModifierA/MAhalve)^h*(ModifierB/MBhalve)^h)+(substrate/Shalve+product/Phalve)^h)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_181" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_182" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_183" name="ModifierA" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_184" name="ModifierB" order="3" role="modifier"/>
<ParameterDescription key="FunctionParameter_185" name="Keq" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_186" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_187" name="Shalve" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_188" name="Phalve" order="7" role="constant"/>
<ParameterDescription key="FunctionParameter_189" name="h" order="8" role="constant"/>
<ParameterDescription key="FunctionParameter_190" name="MAhalve" order="9" role="constant"/>
<ParameterDescription key="FunctionParameter_191" name="alphaA" order="10" role="constant"/>
<ParameterDescription key="FunctionParameter_192" name="MBhalve" order="11" role="constant"/>
<ParameterDescription key="FunctionParameter_193" name="alphaB" order="12" role="constant"/>
<ParameterDescription key="FunctionParameter_194" name="alphaAB" order="13" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_27" name="Reversible Hill" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*substrate/Shalve*(1-product/(substrate*Keq))*(substrate/Shalve+product/Phalve)^(h-1)/(1+(substrate/Shalve+product/Phalve)^h)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_195" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_196" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_197" name="Keq" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_198" name="Vf" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_199" name="Shalve" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_200" name="Phalve" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_201" name="h" order="6" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_28" name="Reversible Michaelis-Menten" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)/(1+substrate/Kms+product/Kmp)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_202" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_203" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_204" name="Kms" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_205" name="Kmp" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_206" name="Vf" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_207" name="Vr" order="5" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_29" name="Specific activation (irrev)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate*Activator/(Kms*Ka+(Kms+substrate)*Activator)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_208" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_209" name="Activator" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_210" name="Kms" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_211" name="V" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_212" name="Ka" order="4" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_3" name="Catalytic activation (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)*Activator/((1+substrate/Kms+product/Kmp)*(Ka+Activator))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_21" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_22" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_23" name="Activator" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_24" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_25" name="Kmp" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_26" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_27" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_28" name="Ka" order="7" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_30" name="Specific activation (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)*Activator/(Ka+(1+substrate/Kms+product/Kmp)*Activator)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_213" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_214" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_215" name="Activator" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_216" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_217" name="Kmp" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_218" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_219" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_220" name="Ka" order="7" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_31" name="Substrate activation (irr)" type="PreDefined" positive="false">
<MathML>
<Text>
V*(substrate/Ksa)^2/(1+substrate/Ksc+substrate/Ksa+(substrate/Ksa)^2)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_221" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_222" name="V" order="1" role="constant"/>
<ParameterDescription key="FunctionParameter_223" name="Ksc" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_224" name="Ksa" order="3" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_32" name="Substrate inhibition (irr)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate/(Km+substrate+Km*(substrate/Ki)^2)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_225" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_226" name="Km" order="1" role="constant"/>
<ParameterDescription key="FunctionParameter_227" name="V" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_228" name="Ki" order="3" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_33" name="Substrate inhibition (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)/(1+substrate/Kms+product/Kmp+(substrate/Ki)^2)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_229" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_230" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_231" name="Kms" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_232" name="Kmp" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_233" name="Vf" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_234" name="Vr" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_235" name="Ki" order="6" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_34" name="Uncompetitive inhibition (irr)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate/(Km+substrate*(1+Inhibitor/Ki))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_236" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_237" name="Inhibitor" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_238" name="Km" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_239" name="V" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_240" name="Ki" order="4" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_35" name="Uncompetitive inhibition (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)/(1+(substrate/Kms+product/Kmp)*(1+Inhibitor/Ki))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_241" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_242" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_243" name="Inhibitor" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_244" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_245" name="Kmp" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_246" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_247" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_248" name="Ki" order="7" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_36" name="Uni Uni" type="PreDefined" positive="true">
<MathML>
<Text>
Vf*(substrate-product/Keq)/(substrate+Kms*(1+product/Kmp))
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_249" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_250" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_251" name="Kms" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_252" name="Kmp" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_253" name="Vf" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_254" name="Keq" order="5" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_4" name="Competitive inhibition (irr)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate/(Km+substrate+Km*Inhibitor/Ki)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_29" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_30" name="Inhibitor" order="1" role="modifier"/>
<ParameterDescription key="FunctionParameter_31" name="Km" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_32" name="V" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_33" name="Ki" order="4" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_5" name="Competitive inhibition (rev)" type="PreDefined" positive="true">
<MathML>
<Text>
(Vf*substrate/Kms-Vr*product/Kmp)/(1+substrate/Kms+product/Kmp+Inhibitor/Ki)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_34" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_35" name="product" order="1" role="product"/>
<ParameterDescription key="FunctionParameter_36" name="Inhibitor" order="2" role="modifier"/>
<ParameterDescription key="FunctionParameter_37" name="Kms" order="3" role="constant"/>
<ParameterDescription key="FunctionParameter_38" name="Kmp" order="4" role="constant"/>
<ParameterDescription key="FunctionParameter_39" name="Vf" order="5" role="constant"/>
<ParameterDescription key="FunctionParameter_40" name="Vr" order="6" role="constant"/>
<ParameterDescription key="FunctionParameter_41" name="Ki" order="7" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_6" name="Constant flux (irreversible)" type="PreDefined" positive="false">
<MathML>
<Text>
v
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_42" name="v" order="0" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_7" name="Constant flux (reversible)" type="PreDefined" positive="true">
<MathML>
<Text>
v
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_43" name="v" order="0" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_8" name="Henri-Michaelis-Menten (irreversible)" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate/(Km+substrate)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_44" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_45" name="Km" order="1" role="constant"/>
<ParameterDescription key="FunctionParameter_46" name="V" order="2" role="constant"/>
</ListOfParameterDescriptions>
</Function>
<Function key="Function_9" name="Hill Cooperativity" type="PreDefined" positive="false">
<MathML>
<Text>
V*substrate^h/(Shalve^h+substrate^h)
</Text>
</MathML>
<ListOfParameterDescriptions>
<ParameterDescription key="FunctionParameter_47" name="substrate" order="0" role="substrate"/>
<ParameterDescription key="FunctionParameter_48" name="Shalve" order="1" role="constant"/>
<ParameterDescription key="FunctionParameter_49" name="V" order="2" role="constant"/>
<ParameterDescription key="FunctionParameter_50" name="h" order="3" role="constant"/>
</ListOfParameterDescriptions>
</Function>
</ListOfFunctions>
<Model key="Model_0" name="New Model" timeUnit="s" volumeUnit="ml" quantityUnit="mMol" stateVariable="StateVariable_807">
<Comment>
<body xmlns="http://www.w3.org/1999/xhtml">
</body>
</Comment>
<ListOfCompartments>
<Compartment key="Compartment_0" name="compartment" stateVariable="StateVariable_808"/>
</ListOfCompartments>
<ListOfMetabolites>
<Metabolite key="Metabolite_1" name="P1" compartment="Compartment_0" status="variable" stateVariable="StateVariable_809"/>
<Metabolite key="Metabolite_3" name="S1" compartment="Compartment_0" status="variable" stateVariable="StateVariable_810"/>
<Metabolite key="Metabolite_7" name="P2" compartment="Compartment_0" status="variable" stateVariable="StateVariable_811"/>
<Metabolite key="Metabolite_10" name="S2" compartment="Compartment_0" status="variable" stateVariable="StateVariable_812"/>
<Metabolite key="Metabolite_16" name="P3" compartment="Compartment_0" status="variable" stateVariable="StateVariable_813"/>
<Metabolite key="Metabolite_19" name="S3" compartment="Compartment_0" status="variable" stateVariable="StateVariable_814"/>
<Metabolite key="Metabolite_22" name="P4" compartment="Compartment_0" status="variable" stateVariable="StateVariable_815"/>
<Metabolite key="Metabolite_25" name="S4" compartment="Compartment_0" status="variable" stateVariable="StateVariable_816"/>
<Metabolite key="Metabolite_28" name="P5" compartment="Compartment_0" status="variable" stateVariable="StateVariable_817"/>
<Metabolite key="Metabolite_31" name="S5" compartment="Compartment_0" status="variable" stateVariable="StateVariable_818"/>
<Metabolite key="Metabolite_37" name="P6" compartment="Compartment_0" status="variable" stateVariable="StateVariable_819"/>
<Metabolite key="Metabolite_40" name="S6" compartment="Compartment_0" status="variable" stateVariable="StateVariable_820"/>
<Metabolite key="Metabolite_46" name="P10" compartment="Compartment_0" status="variable" stateVariable="StateVariable_821"/>
<Metabolite key="Metabolite_49" name="S10" compartment="Compartment_0" status="variable" stateVariable="StateVariable_822"/>
<Metabolite key="Metabolite_55" name="P11" compartment="Compartment_0" status="variable" stateVariable="StateVariable_823"/>
<Metabolite key="Metabolite_58" name="S11" compartment="Compartment_0" status="variable" stateVariable="StateVariable_824"/>
<Metabolite key="Metabolite_61" name="P12" compartment="Compartment_0" status="variable" stateVariable="StateVariable_825"/>
<Metabolite key="Metabolite_64" name="S12" compartment="Compartment_0" status="variable" stateVariable="StateVariable_826"/>
<Metabolite key="Metabolite_70" name="P13" compartment="Compartment_0" status="variable" stateVariable="StateVariable_827"/>
<Metabolite key="Metabolite_73" name="S13" compartment="Compartment_0" status="variable" stateVariable="StateVariable_828"/>
<Metabolite key="Metabolite_76" name="P14" compartment="Compartment_0" status="variable" stateVariable="StateVariable_829"/>
<Metabolite key="Metabolite_79" name="S14" compartment="Compartment_0" status="variable" stateVariable="StateVariable_830"/>
<Metabolite key="Metabolite_82" name="P15" compartment="Compartment_0" status="variable" stateVariable="StateVariable_831"/>
<Metabolite key="Metabolite_85" name="S15" compartment="Compartment_0" status="variable" stateVariable="StateVariable_832"/>
<Metabolite key="Metabolite_91" name="P16" compartment="Compartment_0" status="variable" stateVariable="StateVariable_833"/>
<Metabolite key="Metabolite_94" name="S16" compartment="Compartment_0" status="variable" stateVariable="StateVariable_834"/>
<Metabolite key="Metabolite_103" name="P18" compartment="Compartment_0" status="variable" stateVariable="StateVariable_835"/>
<Metabolite key="Metabolite_106" name="S18" compartment="Compartment_0" status="variable" stateVariable="StateVariable_836"/>
<Metabolite key="Metabolite_112" name="P19" compartment="Compartment_0" status="variable" stateVariable="StateVariable_837"/>
<Metabolite key="Metabolite_115" name="S19" compartment="Compartment_0" status="variable" stateVariable="StateVariable_838"/>
<Metabolite key="Metabolite_121" name="P20" compartment="Compartment_0" status="variable" stateVariable="StateVariable_839"/>
<Metabolite key="Metabolite_124" name="S20" compartment="Compartment_0" status="variable" stateVariable="StateVariable_840"/>
<Metabolite key="Metabolite_127" name="P21" compartment="Compartment_0" status="variable" stateVariable="StateVariable_841"/>
<Metabolite key="Metabolite_133" name="P22" compartment="Compartment_0" status="variable" stateVariable="StateVariable_842"/>
<Metabolite key="Metabolite_136" name="S22" compartment="Compartment_0" status="variable" stateVariable="StateVariable_843"/>
<Metabolite key="Metabolite_139" name="P23" compartment="Compartment_0" status="variable" stateVariable="StateVariable_844"/>
<Metabolite key="Metabolite_142" name="S23" compartment="Compartment_0" status="variable" stateVariable="StateVariable_845"/>
<Metabolite key="Metabolite_148" name="P27" compartment="Compartment_0" status="variable" stateVariable="StateVariable_846"/>
<Metabolite key="Metabolite_151" name="S27" compartment="Compartment_0" status="variable" stateVariable="StateVariable_847"/>
<Metabolite key="Metabolite_157" name="P28" compartment="Compartment_0" status="variable" stateVariable="StateVariable_848"/>
<Metabolite key="Metabolite_160" name="S28" compartment="Compartment_0" status="variable" stateVariable="StateVariable_849"/>
<Metabolite key="Metabolite_166" name="P29" compartment="Compartment_0" status="variable" stateVariable="StateVariable_850"/>
<Metabolite key="Metabolite_169" name="S29" compartment="Compartment_0" status="variable" stateVariable="StateVariable_851"/>
<Metabolite key="Metabolite_172" name="P30" compartment="Compartment_0" status="variable" stateVariable="StateVariable_852"/>
<Metabolite key="Metabolite_175" name="P31" compartment="Compartment_0" status="variable" stateVariable="StateVariable_853"/>
<Metabolite key="Metabolite_178" name="S30" compartment="Compartment_0" status="variable" stateVariable="StateVariable_854"/>
<Metabolite key="Metabolite_181" name="S31" compartment="Compartment_0" status="variable" stateVariable="StateVariable_855"/>
<Metabolite key="Metabolite_184" name="P32" compartment="Compartment_0" status="variable" stateVariable="StateVariable_856"/>
<Metabolite key="Metabolite_187" name="S32" compartment="Compartment_0" status="variable" stateVariable="StateVariable_857"/>
<Metabolite key="Metabolite_190" name="S33" compartment="Compartment_0" status="variable" stateVariable="StateVariable_858"/>
<Metabolite key="Metabolite_193" name="P34" compartment="Compartment_0" status="variable" stateVariable="StateVariable_859"/>
<Metabolite key="Metabolite_196" name="P35" compartment="Compartment_0" status="variable" stateVariable="StateVariable_860"/>
<Metabolite key="Metabolite_199" name="S34" compartment="Compartment_0" status="variable" stateVariable="StateVariable_861"/>
<Metabolite key="Metabolite_202" name="P36" compartment="Compartment_0" status="variable" stateVariable="StateVariable_862"/>
<Metabolite key="Metabolite_205" name="P37" compartment="Compartment_0" status="variable" stateVariable="StateVariable_863"/>
<Metabolite key="Metabolite_208" name="S36" compartment="Compartment_0" status="variable" stateVariable="StateVariable_864"/>
<Metabolite key="Metabolite_211" name="S37" compartment="Compartment_0" status="variable" stateVariable="StateVariable_865"/>
<Metabolite key="Metabolite_217" name="P38" compartment="Compartment_0" status="variable" stateVariable="StateVariable_866"/>
<Metabolite key="Metabolite_220" name="S38" compartment="Compartment_0" status="variable" stateVariable="StateVariable_867"/>
<Metabolite key="Metabolite_232" name="P39" compartment="Compartment_0" status="variable" stateVariable="StateVariable_868"/>
<Metabolite key="Metabolite_235" name="S39" compartment="Compartment_0" status="variable" stateVariable="StateVariable_869"/>
<Metabolite key="Metabolite_238" name="P41" compartment="Compartment_0" status="variable" stateVariable="StateVariable_870"/>
<Metabolite key="Metabolite_241" name="S41" compartment="Compartment_0" status="variable" stateVariable="StateVariable_871"/>
<Metabolite key="Metabolite_244" name="P42" compartment="Compartment_0" status="variable" stateVariable="StateVariable_872"/>
<Metabolite key="Metabolite_247" name="S42" compartment="Compartment_0" status="variable" stateVariable="StateVariable_873"/>
<Metabolite key="Metabolite_253" name="P43" compartment="Compartment_0" status="variable" stateVariable="StateVariable_874"/>
<Metabolite key="Metabolite_256" name="S43" compartment="Compartment_0" status="variable" stateVariable="StateVariable_875"/>
<Metabolite key="Metabolite_259" name="P44" compartment="Compartment_0" status="variable" stateVariable="StateVariable_876"/>
<Metabolite key="Metabolite_262" name="S44" compartment="Compartment_0" status="variable" stateVariable="StateVariable_877"/>
<Metabolite key="Metabolite_268" name="P45" compartment="Compartment_0" status="variable" stateVariable="StateVariable_878"/>
<Metabolite key="Metabolite_271" name="S45" compartment="Compartment_0" status="variable" stateVariable="StateVariable_879"/>
<Metabolite key="Metabolite_274" name="P46" compartment="Compartment_0" status="variable" stateVariable="StateVariable_880"/>
<Metabolite key="Metabolite_277" name="S46" compartment="Compartment_0" status="variable" stateVariable="StateVariable_881"/>
<Metabolite key="Metabolite_280" name="P7" compartment="Compartment_0" status="variable" stateVariable="StateVariable_882"/>
<Metabolite key="Metabolite_283" name="A1" compartment="Compartment_0" status="variable" stateVariable="StateVariable_883"/>
<Metabolite key="Metabolite_286" name="A2" compartment="Compartment_0" status="variable" stateVariable="StateVariable_884"/>
<Metabolite key="Metabolite_289" name="A3" compartment="Compartment_0" status="variable" stateVariable="StateVariable_885"/>
<Metabolite key="Metabolite_292" name="B1" compartment="Compartment_0" status="variable" stateVariable="StateVariable_886"/>
<Metabolite key="Metabolite_295" name="C1" compartment="Compartment_0" status="variable" stateVariable="StateVariable_887"/>
<Metabolite key="Metabolite_298" name="C2" compartment="Compartment_0" status="variable" stateVariable="StateVariable_888"/>
<Metabolite key="Metabolite_301" name="D1" compartment="Compartment_0" status="variable" stateVariable="StateVariable_889"/>
<Metabolite key="Metabolite_304" name="D2" compartment="Compartment_0" status="variable" stateVariable="StateVariable_890"/>
<Metabolite key="Metabolite_307" name="D3" compartment="Compartment_0" status="variable" stateVariable="StateVariable_891"/>
<Metabolite key="Metabolite_97" name="P17" compartment="Compartment_0" status="variable" stateVariable="StateVariable_892"/>
<Metabolite key="Metabolite_265" name="M45" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_893"/>
<Metabolite key="Metabolite_250" name="M42" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_894"/>
<Metabolite key="Metabolite_229" name="M40" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_895"/>
<Metabolite key="Metabolite_226" name="M39" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_896"/>
<Metabolite key="Metabolite_223" name="," compartment="Compartment_0" status="fixed" stateVariable="StateVariable_897"/>
<Metabolite key="Metabolite_214" name="M38" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_898"/>
<Metabolite key="Metabolite_163" name="M29" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_899"/>
<Metabolite key="Metabolite_154" name="M28" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_900"/>
<Metabolite key="Metabolite_145" name="M27" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_901"/>
<Metabolite key="Metabolite_130" name="M22" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_902"/>
<Metabolite key="Metabolite_118" name="M20" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_903"/>
<Metabolite key="Metabolite_109" name="M19" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_904"/>
<Metabolite key="Metabolite_100" name="M18" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_905"/>
<Metabolite key="Metabolite_88" name="M16" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_906"/>
<Metabolite key="Metabolite_67" name="M13" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_907"/>
<Metabolite key="Metabolite_52" name="M11" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_908"/>
<Metabolite key="Metabolite_43" name="M10" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_909"/>
<Metabolite key="Metabolite_34" name="M6" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_910"/>
<Metabolite key="Metabolite_13" name="M3" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_911"/>
<Metabolite key="Metabolite_4" name="M2" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_912"/>
<Metabolite key="Metabolite_0" name="M1" compartment="Compartment_0" status="fixed" stateVariable="StateVariable_913"/>
</ListOfMetabolites>
<ListOfModelValues>
<ModelValue key="ModelValue_0" name="K1" status="fixed" stateVariable="StateVariable_914"/>
<ModelValue key="ModelValue_1" name="K2" status="fixed" stateVariable="StateVariable_915"/>
<ModelValue key="ModelValue_2" name="K3" status="fixed" stateVariable="StateVariable_916"/>
<ModelValue key="ModelValue_3" name="K4" status="fixed" stateVariable="StateVariable_917"/>
<ModelValue key="ModelValue_4" name="K5" status="fixed" stateVariable="StateVariable_918"/>
<ModelValue key="ModelValue_5" name="K6" status="fixed" stateVariable="StateVariable_919"/>
<ModelValue key="ModelValue_6" name="K7" status="fixed" stateVariable="StateVariable_920"/>
<ModelValue key="ModelValue_7" name="K8" status="fixed" stateVariable="StateVariable_921"/>
<ModelValue key="ModelValue_8" name="K9" status="fixed" stateVariable="StateVariable_922"/>
<ModelValue key="ModelValue_9" name="K10" status="fixed" stateVariable="StateVariable_923"/>
</ListOfModelValues>
<ListOfReactions>
<Reaction key="Reaction_0" name="reaction" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_3" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_1" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_0" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_93" name="V" value="0.1"/>
<Constant key="Parameter_94" name="Ks" value="0.1"/>
<Constant key="Parameter_95" name="n" value="0.1"/>
<Constant key="Parameter_96" name="L" value="0.1"/>
<Constant key="Parameter_97" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_0">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_0">
<SourceParameter reference="Metabolite_3"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_1">
<SourceParameter reference="Metabolite_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_2">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_3">
<SourceParameter reference="Parameter_94"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_4">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_5">
<SourceParameter reference="Parameter_96"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_6">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_1" name="reaction_1" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_10" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_7" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_4" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_37" name="Kms" value="0.1"/>
<Constant key="Parameter_98" name="V" value="0.1"/>
<Constant key="Parameter_99" name="Ka" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_2">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_16">
<SourceParameter reference="Metabolite_10"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_17">
<SourceParameter reference="Metabolite_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_18">
<SourceParameter reference="Parameter_37"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_19">
<SourceParameter reference="ModelValue_1"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_20">
<SourceParameter reference="Parameter_99"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_2" name="reaction_2" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_19" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_16" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_13" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_38" name="Km" value="0.1"/>
<Constant key="Parameter_100" name="V" value="0.1"/>
<Constant key="Parameter_101" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_4">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_29">
<SourceParameter reference="Metabolite_19"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_30">
<SourceParameter reference="Metabolite_13"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_31">
<SourceParameter reference="ModelValue_3"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_32">
<SourceParameter reference="Parameter_100"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_33">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_3" name="reaction_3" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_25" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_22" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_40" name="Km" value="0.1"/>
<Constant key="Parameter_102" name="V" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_8">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_44">
<SourceParameter reference="Metabolite_25"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_45">
<SourceParameter reference="Parameter_40"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_46">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_4" name="reaction_4" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_31" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_28" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_39" name="Shalve" value="0.1"/>
<Constant key="Parameter_103" name="V" value="0.1"/>
<Constant key="Parameter_104" name="h" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_9">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_47">
<SourceParameter reference="Metabolite_31"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_48">
<SourceParameter reference="Parameter_39"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_49">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_50">
<SourceParameter reference="Parameter_104"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_5" name="reaction_5" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_40" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_37" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_34" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_41" name="Km" value="0.1"/>
<Constant key="Parameter_105" name="V" value="0.1"/>
<Constant key="Parameter_106" name="Kd" value="0.1"/>
<Constant key="Parameter_107" name="a" value="0.1"/>
<Constant key="Parameter_108" name="b" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_10">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_51">
<SourceParameter reference="Metabolite_40"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_52">
<SourceParameter reference="Metabolite_34"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_53">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_54">
<SourceParameter reference="Parameter_105"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_55">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_56">
<SourceParameter reference="Parameter_107"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_57">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_6" name="reaction_6" reversible="false">
<ListOfProducts>
<Product metabolite="Metabolite_280" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_92" name="v" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_6">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_42">
<SourceParameter reference="ModelValue_5"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_7" name="reaction_7" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_49" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_46" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_43" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_42" name="Kms" value="0.1"/>
<Constant key="Parameter_109" name="V" value="0.1"/>
<Constant key="Parameter_110" name="Kas" value="0.1"/>
<Constant key="Parameter_111" name="Kac" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_15">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_81">
<SourceParameter reference="Metabolite_49"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_82">
<SourceParameter reference="Metabolite_43"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_83">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_84">
<SourceParameter reference="Parameter_109"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_85">
<SourceParameter reference="Parameter_110"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_86">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_8" name="reaction_8" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_58" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_55" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_52" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_43" name="Km" value="0.1"/>
<Constant key="Parameter_112" name="V" value="0.1"/>
<Constant key="Parameter_113" name="Kis" value="0.1"/>
<Constant key="Parameter_114" name="Kic" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_17">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_96">
<SourceParameter reference="Metabolite_58"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_97">
<SourceParameter reference="Metabolite_52"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_98">
<SourceParameter reference="Parameter_43"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_99">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_100">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_101">
<SourceParameter reference="Parameter_114"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_9" name="reaction_9" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_64" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_61" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_4" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_44" name="Km" value="0.1"/>
<Constant key="Parameter_115" name="V" value="0.1"/>
<Constant key="Parameter_116" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_19">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_111">
<SourceParameter reference="Metabolite_64"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_112">
<SourceParameter reference="Metabolite_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_113">
<SourceParameter reference="Parameter_44"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_114">
<SourceParameter reference="ModelValue_8"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_115">
<SourceParameter reference="Parameter_116"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_10" name="reaction_10" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_73" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_70" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_67" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_45" name="Kms" value="0.1"/>
<Constant key="Parameter_117" name="V" value="0.1"/>
<Constant key="Parameter_118" name="Ka" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_29">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_208">
<SourceParameter reference="Metabolite_73"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_209">
<SourceParameter reference="Metabolite_67"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_210">
<SourceParameter reference="ModelValue_9"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_211">
<SourceParameter reference="Parameter_117"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_212">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_11" name="reaction_11" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_79" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_76" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_46" name="V" value="0.1"/>
<Constant key="Parameter_119" name="Ksc" value="0.1"/>
<Constant key="Parameter_120" name="Ksa" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_31">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_221">
<SourceParameter reference="Metabolite_79"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_222">
<SourceParameter reference="Parameter_46"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_223">
<SourceParameter reference="ModelValue_8"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_224">
<SourceParameter reference="Parameter_120"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_12" name="reaction_12" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_85" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_82" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_47" name="Km" value="0.1"/>
<Constant key="Parameter_121" name="V" value="0.1"/>
<Constant key="Parameter_122" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_32">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_225">
<SourceParameter reference="Metabolite_85"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_226">
<SourceParameter reference="Parameter_47"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_227">
<SourceParameter reference="Parameter_121"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_228">
<SourceParameter reference="Parameter_122"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_13" name="reaction_13" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_94" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_91" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_88" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_48" name="Km" value="0.1"/>
<Constant key="Parameter_123" name="V" value="0.1"/>
<Constant key="Parameter_124" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_34">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_236">
<SourceParameter reference="Metabolite_94"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_237">
<SourceParameter reference="Metabolite_88"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_238">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_239">
<SourceParameter reference="Parameter_123"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_240">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_14" name="reaction_14" reversible="false">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_283" stoichiometry="1"/>
<Substrate metabolite="Metabolite_286" stoichiometry="1"/>
<Substrate metabolite="Metabolite_289" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_292" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_49" name="k1" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_13">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_75">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_76">
<SourceParameter reference="Metabolite_283"/>
<SourceParameter reference="Metabolite_286"/>
<SourceParameter reference="Metabolite_289"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_15" name="reaction_15" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_106" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_103" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_100" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_50" name="Vf" value="0.1"/>
<Constant key="Parameter_125" name="Vr" value="0.1"/>
<Constant key="Parameter_126" name="Kms" value="0.1"/>
<Constant key="Parameter_127" name="Kmp" value="0.1"/>
<Constant key="Parameter_128" name="n" value="0.1"/>
<Constant key="Parameter_129" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_1">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_7">
<SourceParameter reference="Metabolite_106"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_8">
<SourceParameter reference="Metabolite_103"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_9">
<SourceParameter reference="Metabolite_100"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_10">
<SourceParameter reference="ModelValue_3"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_11">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_12">
<SourceParameter reference="Parameter_126"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_13">
<SourceParameter reference="Parameter_127"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_14">
<SourceParameter reference="Parameter_128"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_15">
<SourceParameter reference="ModelValue_5"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_16" name="reaction_16" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_115" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_112" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_109" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_51" name="Kms" value="0.1"/>
<Constant key="Parameter_52" name="Kmp" value="0.1"/>
<Constant key="Parameter_130" name="Vf" value="0.1"/>
<Constant key="Parameter_131" name="Vr" value="0.1"/>
<Constant key="Parameter_132" name="Ka" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_3">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_21">
<SourceParameter reference="Metabolite_115"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_22">
<SourceParameter reference="Metabolite_112"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_23">
<SourceParameter reference="Metabolite_109"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_24">
<SourceParameter reference="Parameter_51"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_25">
<SourceParameter reference="Parameter_52"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_26">
<SourceParameter reference="Parameter_130"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_27">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_28">
<SourceParameter reference="ModelValue_8"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_17" name="reaction_17" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_124" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_121" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_118" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_53" name="Kms" value="0.1"/>
<Constant key="Parameter_54" name="Kmp" value="0.1"/>
<Constant key="Parameter_133" name="Vf" value="0.1"/>
<Constant key="Parameter_134" name="Vr" value="0.1"/>
<Constant key="Parameter_135" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_5">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_34">
<SourceParameter reference="Metabolite_124"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_35">
<SourceParameter reference="Metabolite_121"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_36">
<SourceParameter reference="Metabolite_118"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_37">
<SourceParameter reference="Parameter_53"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_38">
<SourceParameter reference="ModelValue_3"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_39">
<SourceParameter reference="Parameter_133"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_40">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_41">
<SourceParameter reference="Parameter_135"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_18" name="reaction_18" reversible="true">
<ListOfProducts>
<Product metabolite="Metabolite_127" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_57" name="v" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_7">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_43">
<SourceParameter reference="Parameter_57"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_19" name="reaction_19" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_136" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_133" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_130" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_55" name="Kms" value="0.1"/>
<Constant key="Parameter_56" name="Kmp" value="0.1"/>
<Constant key="Parameter_136" name="Vf" value="0.1"/>
<Constant key="Parameter_137" name="Vr" value="0.1"/>
<Constant key="Parameter_138" name="Kd" value="0.1"/>
<Constant key="Parameter_139" name="a" value="0.1"/>
<Constant key="Parameter_140" name="b" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_11">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_58">
<SourceParameter reference="Metabolite_136"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_59">
<SourceParameter reference="Metabolite_133"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_60">
<SourceParameter reference="Metabolite_130"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_61">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_62">
<SourceParameter reference="Parameter_56"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_63">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_64">
<SourceParameter reference="Parameter_137"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_65">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_66">
<SourceParameter reference="Parameter_139"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_67">
<SourceParameter reference="ModelValue_8"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_20" name="reaction_20" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_142" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_139" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_58" name="Kms" value="0.1"/>
<Constant key="Parameter_59" name="Kmp" value="0.1"/>
<Constant key="Parameter_141" name="Kii" value="0.1"/>
<Constant key="Parameter_142" name="Vf" value="0.1"/>
<Constant key="Parameter_143" name="Keq" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_12">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_68">
<SourceParameter reference="Metabolite_142"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_69">
<SourceParameter reference="Metabolite_139"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_70">
<SourceParameter reference="ModelValue_3"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_71">
<SourceParameter reference="Parameter_59"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_72">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_73">
<SourceParameter reference="Parameter_142"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_74">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_21" name="reaction_21" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_295" stoichiometry="1"/>
<Substrate metabolite="Metabolite_298" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_301" stoichiometry="1"/>
<Product metabolite="Metabolite_304" stoichiometry="1"/>
<Product metabolite="Metabolite_307" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_90" name="k1" value="0.1"/>
<Constant key="Parameter_91" name="k2" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_14">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_77">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_78">
<SourceParameter reference="Metabolite_295"/>
<SourceParameter reference="Metabolite_298"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_79">
<SourceParameter reference="Parameter_91"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_80">
<SourceParameter reference="Metabolite_301"/>
<SourceParameter reference="Metabolite_304"/>
<SourceParameter reference="Metabolite_307"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_22" name="reaction_22" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_151" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_148" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_145" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_60" name="Kms" value="0.1"/>
<Constant key="Parameter_61" name="Kmp" value="0.1"/>
<Constant key="Parameter_144" name="Vf" value="0.1"/>
<Constant key="Parameter_145" name="Vr" value="0.1"/>
<Constant key="Parameter_146" name="Kas" value="0.1"/>
<Constant key="Parameter_147" name="Kac" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_16">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_87">
<SourceParameter reference="Metabolite_151"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_88">
<SourceParameter reference="Metabolite_148"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_89">
<SourceParameter reference="Metabolite_145"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_90">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_91">
<SourceParameter reference="Parameter_61"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_92">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_93">
<SourceParameter reference="Parameter_145"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_94">
<SourceParameter reference="Parameter_146"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_95">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_23" name="reaction_23" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_160" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_157" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_154" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_62" name="Kms" value="0.1"/>
<Constant key="Parameter_63" name="Kmp" value="0.1"/>
<Constant key="Parameter_148" name="Vf" value="0.1"/>
<Constant key="Parameter_149" name="Vr" value="0.1"/>
<Constant key="Parameter_150" name="Kis" value="0.1"/>
<Constant key="Parameter_151" name="Kic" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_18">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_102">
<SourceParameter reference="Metabolite_160"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_103">
<SourceParameter reference="Metabolite_157"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_104">
<SourceParameter reference="Metabolite_154"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_105">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_106">
<SourceParameter reference="Parameter_63"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_107">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_108">
<SourceParameter reference="Parameter_149"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_109">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_110">
<SourceParameter reference="Parameter_151"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_24" name="reaction_24" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_169" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_166" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_163" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_64" name="Kms" value="0.1"/>
<Constant key="Parameter_65" name="Kmp" value="0.1"/>
<Constant key="Parameter_152" name="Vf" value="0.1"/>
<Constant key="Parameter_153" name="Vr" value="0.1"/>
<Constant key="Parameter_154" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_20">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_116">
<SourceParameter reference="Metabolite_169"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_117">
<SourceParameter reference="Metabolite_166"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_118">
<SourceParameter reference="Metabolite_163"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_119">
<SourceParameter reference="Parameter_64"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_120">
<SourceParameter reference="ModelValue_1"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_121">
<SourceParameter reference="Parameter_152"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_122">
<SourceParameter reference="ModelValue_3"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_123">
<SourceParameter reference="Parameter_154"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_25" name="reaction_25" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_178" stoichiometry="1"/>
<Substrate metabolite="Metabolite_181" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_172" stoichiometry="1"/>
<Product metabolite="Metabolite_175" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_66" name="Keq" value="0.1"/>
<Constant key="Parameter_67" name="Vf" value="0.1"/>
<Constant key="Parameter_155" name="Vr" value="0.1"/>
<Constant key="Parameter_156" name="Kma" value="0.1"/>
<Constant key="Parameter_157" name="Kmb" value="0.1"/>
<Constant key="Parameter_158" name="Kmp" value="0.1"/>
<Constant key="Parameter_159" name="Kmq" value="0.1"/>
<Constant key="Parameter_160" name="Kia" value="0.1"/>
<Constant key="Parameter_161" name="Kib" value="0.1"/>
<Constant key="Parameter_162" name="Kip" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_21">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_124">
<SourceParameter reference="Metabolite_178"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_125">
<SourceParameter reference="Metabolite_181"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_126">
<SourceParameter reference="Metabolite_172"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_127">
<SourceParameter reference="Metabolite_175"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_128">
<SourceParameter reference="Parameter_66"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_129">
<SourceParameter reference="ModelValue_1"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_130">
<SourceParameter reference="Parameter_155"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_131">
<SourceParameter reference="ModelValue_3"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_132">
<SourceParameter reference="Parameter_157"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_133">
<SourceParameter reference="ModelValue_5"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_134">
<SourceParameter reference="Parameter_159"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_135">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_136">
<SourceParameter reference="Parameter_161"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_137">
<SourceParameter reference="ModelValue_9"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_26" name="reaction_26" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_187" stoichiometry="1"/>
<Substrate metabolite="Metabolite_190" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_184" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_68" name="Kma" value="0.1"/>
<Constant key="Parameter_69" name="Kmb" value="0.1"/>
<Constant key="Parameter_163" name="Kmp" value="0.1"/>
<Constant key="Parameter_164" name="Kia" value="0.1"/>
<Constant key="Parameter_165" name="Keq" value="0.1"/>
<Constant key="Parameter_166" name="Vf" value="0.1"/>
<Constant key="Parameter_167" name="Vr" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_22">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_138">
<SourceParameter reference="Metabolite_187"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_139">
<SourceParameter reference="Metabolite_190"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_140">
<SourceParameter reference="Metabolite_184"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_141">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_142">
<SourceParameter reference="Parameter_69"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_143">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_144">
<SourceParameter reference="Parameter_164"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_145">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_146">
<SourceParameter reference="Parameter_166"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_147">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_27" name="reaction_27" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_199" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_193" stoichiometry="1"/>
<Product metabolite="Metabolite_196" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_70" name="Kms" value="0.1"/>
<Constant key="Parameter_71" name="Kmq" value="0.1"/>
<Constant key="Parameter_168" name="Kmp" value="0.1"/>
<Constant key="Parameter_169" name="Kip" value="0.1"/>
<Constant key="Parameter_170" name="Keq" value="0.1"/>
<Constant key="Parameter_171" name="Vf" value="0.1"/>
<Constant key="Parameter_172" name="Vr" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_23">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_148">
<SourceParameter reference="Metabolite_199"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_149">
<SourceParameter reference="Metabolite_193"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_150">
<SourceParameter reference="Metabolite_196"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_151">
<SourceParameter reference="Parameter_70"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_152">
<SourceParameter reference="ModelValue_1"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_153">
<SourceParameter reference="Parameter_168"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_154">
<SourceParameter reference="ModelValue_3"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_155">
<SourceParameter reference="Parameter_170"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_156">
<SourceParameter reference="ModelValue_5"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_157">
<SourceParameter reference="Parameter_172"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_28" name="reaction_28" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_208" stoichiometry="1"/>
<Substrate metabolite="Metabolite_211" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_202" stoichiometry="1"/>
<Product metabolite="Metabolite_205" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_72" name="Keq" value="0.1"/>
<Constant key="Parameter_73" name="Vf" value="0.1"/>
<Constant key="Parameter_173" name="Vr" value="0.1"/>
<Constant key="Parameter_174" name="Kma" value="0.1"/>
<Constant key="Parameter_175" name="Kmb" value="0.1"/>
<Constant key="Parameter_176" name="Kmp" value="0.1"/>
<Constant key="Parameter_177" name="Kmq" value="0.1"/>
<Constant key="Parameter_178" name="Kia" value="0.1"/>
<Constant key="Parameter_179" name="Kiq" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_24">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_158">
<SourceParameter reference="Metabolite_208"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_159">
<SourceParameter reference="Metabolite_211"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_160">
<SourceParameter reference="Metabolite_202"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_161">
<SourceParameter reference="Metabolite_205"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_162">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_163">
<SourceParameter reference="Parameter_73"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_164">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_165">
<SourceParameter reference="Parameter_174"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_166">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_167">
<SourceParameter reference="Parameter_176"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_168">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_169">
<SourceParameter reference="Parameter_178"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_170">
<SourceParameter reference="ModelValue_8"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_29" name="reaction_29" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_220" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_217" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_214" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_74" name="Keq" value="0.1"/>
<Constant key="Parameter_75" name="Vf" value="0.1"/>
<Constant key="Parameter_180" name="Shalve" value="0.1"/>
<Constant key="Parameter_181" name="Phalve" value="0.1"/>
<Constant key="Parameter_182" name="h" value="0.1"/>
<Constant key="Parameter_183" name="Mhalve" value="0.1"/>
<Constant key="Parameter_184" name="alpha" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_25">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_171">
<SourceParameter reference="Metabolite_220"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_172">
<SourceParameter reference="Metabolite_217"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_173">
<SourceParameter reference="Metabolite_214"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_174">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_175">
<SourceParameter reference="Parameter_75"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_176">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_177">
<SourceParameter reference="Parameter_181"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_178">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_179">
<SourceParameter reference="Parameter_183"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_180">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_30" name="reaction_30" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_235" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_232" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_226" stoichiometry="1"/>
<Modifier metabolite="Metabolite_229" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_76" name="Keq" value="0.1"/>
<Constant key="Parameter_77" name="Vf" value="0.1"/>
<Constant key="Parameter_185" name="Shalve" value="0.1"/>
<Constant key="Parameter_186" name="Phalve" value="0.1"/>
<Constant key="Parameter_187" name="h" value="0.1"/>
<Constant key="Parameter_188" name="MAhalve" value="0.1"/>
<Constant key="Parameter_189" name="alphaA" value="0.1"/>
<Constant key="Parameter_190" name="MBhalve" value="0.1"/>
<Constant key="Parameter_191" name="alphaB" value="0.1"/>
<Constant key="Parameter_192" name="alphaAB" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_26">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_181">
<SourceParameter reference="Metabolite_235"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_182">
<SourceParameter reference="Metabolite_232"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_183">
<SourceParameter reference="Metabolite_226"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_184">
<SourceParameter reference="Metabolite_229"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_185">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_186">
<SourceParameter reference="Parameter_77"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_187">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_188">
<SourceParameter reference="Parameter_186"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_189">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_190">
<SourceParameter reference="Parameter_188"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_191">
<SourceParameter reference="ModelValue_6"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_192">
<SourceParameter reference="Parameter_190"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_193">
<SourceParameter reference="ModelValue_8"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_194">
<SourceParameter reference="Parameter_192"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_31" name="reaction_31" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_241" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_238" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_78" name="Keq" value="0.1"/>
<Constant key="Parameter_79" name="Vf" value="0.1"/>
<Constant key="Parameter_193" name="Shalve" value="0.1"/>
<Constant key="Parameter_194" name="Phalve" value="0.1"/>
<Constant key="Parameter_195" name="h" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_27">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_195">
<SourceParameter reference="Metabolite_241"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_196">
<SourceParameter reference="Metabolite_238"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_197">
<SourceParameter reference="Parameter_78"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_198">
<SourceParameter reference="ModelValue_1"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_199">
<SourceParameter reference="Parameter_193"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_200">
<SourceParameter reference="Parameter_194"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_201">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_32" name="reaction_32" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_247" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_244" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_80" name="Kms" value="0.1"/>
<Constant key="Parameter_81" name="Kmp" value="0.1"/>
<Constant key="Parameter_196" name="Vf" value="0.1"/>
<Constant key="Parameter_197" name="Vr" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_28">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_202">
<SourceParameter reference="Metabolite_247"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_203">
<SourceParameter reference="Metabolite_244"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_204">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_205">
<SourceParameter reference="Parameter_81"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_206">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_207">
<SourceParameter reference="Parameter_197"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_33" name="reaction_33" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_256" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_253" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_250" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_82" name="Kms" value="0.1"/>
<Constant key="Parameter_83" name="Kmp" value="0.1"/>
<Constant key="Parameter_198" name="Vf" value="0.1"/>
<Constant key="Parameter_199" name="Vr" value="0.1"/>
<Constant key="Parameter_200" name="Ka" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_30">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_213">
<SourceParameter reference="Metabolite_256"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_214">
<SourceParameter reference="Metabolite_253"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_215">
<SourceParameter reference="Metabolite_250"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_216">
<SourceParameter reference="ModelValue_9"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_217">
<SourceParameter reference="Parameter_83"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_218">
<SourceParameter reference="ModelValue_7"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_219">
<SourceParameter reference="Parameter_199"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_220">
<SourceParameter reference="ModelValue_5"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_34" name="reaction_34" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_262" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_259" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_84" name="Kms" value="0.1"/>
<Constant key="Parameter_85" name="Kmp" value="0.1"/>
<Constant key="Parameter_201" name="Vf" value="0.1"/>
<Constant key="Parameter_202" name="Vr" value="0.1"/>
<Constant key="Parameter_203" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_33">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_229">
<SourceParameter reference="Metabolite_262"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_230">
<SourceParameter reference="Metabolite_259"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_231">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_232">
<SourceParameter reference="Parameter_85"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_233">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_234">
<SourceParameter reference="Parameter_202"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_235">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_35" name="reaction_35" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_271" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_268" stoichiometry="1"/>
</ListOfProducts>
<ListOfModifiers>
<Modifier metabolite="Metabolite_265" stoichiometry="1"/>
</ListOfModifiers>
<ListOfConstants>
<Constant key="Parameter_86" name="Kms" value="0.1"/>
<Constant key="Parameter_87" name="Kmp" value="0.1"/>
<Constant key="Parameter_204" name="Vf" value="0.1"/>
<Constant key="Parameter_205" name="Vr" value="0.1"/>
<Constant key="Parameter_206" name="Ki" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_35">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_241">
<SourceParameter reference="Metabolite_271"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_242">
<SourceParameter reference="Metabolite_268"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_243">
<SourceParameter reference="Metabolite_265"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_244">
<SourceParameter reference="ModelValue_0"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_245">
<SourceParameter reference="Parameter_87"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_246">
<SourceParameter reference="ModelValue_2"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_247">
<SourceParameter reference="Parameter_205"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_248">
<SourceParameter reference="ModelValue_4"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
<Reaction key="Reaction_36" name="reaction_36" reversible="true">
<ListOfSubstrates>
<Substrate metabolite="Metabolite_277" stoichiometry="1"/>
</ListOfSubstrates>
<ListOfProducts>
<Product metabolite="Metabolite_274" stoichiometry="1"/>
</ListOfProducts>
<ListOfConstants>
<Constant key="Parameter_88" name="Kms" value="0.1"/>
<Constant key="Parameter_89" name="Kmp" value="0.1"/>
<Constant key="Parameter_207" name="Vf" value="0.1"/>
<Constant key="Parameter_208" name="Keq" value="0.1"/>
</ListOfConstants>
<KineticLaw function="Function_36">
<ListOfCallParameters>
<CallParameter functionParameter="FunctionParameter_249">
<SourceParameter reference="Metabolite_277"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_250">
<SourceParameter reference="Metabolite_274"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_251">
<SourceParameter reference="Parameter_88"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_252">
<SourceParameter reference="ModelValue_1"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_253">
<SourceParameter reference="Parameter_207"/>
</CallParameter>
<CallParameter functionParameter="FunctionParameter_254">
<SourceParameter reference="ModelValue_3"/>
</CallParameter>
</ListOfCallParameters>
</KineticLaw>
</Reaction>
</ListOfReactions>
<StateTemplate>
<StateTemplateVariable key="StateVariable_807" objectReference="Model_0"/>
<StateTemplateVariable key="StateVariable_808" objectReference="Compartment_0"/>
<StateTemplateVariable key="StateVariable_809" objectReference="Metabolite_1"/>
<StateTemplateVariable key="StateVariable_810" objectReference="Metabolite_3"/>
<StateTemplateVariable key="StateVariable_811" objectReference="Metabolite_7"/>
<StateTemplateVariable key="StateVariable_812" objectReference="Metabolite_10"/>
<StateTemplateVariable key="StateVariable_813" objectReference="Metabolite_16"/>
<StateTemplateVariable key="StateVariable_814" objectReference="Metabolite_19"/>
<StateTemplateVariable key="StateVariable_815" objectReference="Metabolite_22"/>
<StateTemplateVariable key="StateVariable_816" objectReference="Metabolite_25"/>
<StateTemplateVariable key="StateVariable_817" objectReference="Metabolite_28"/>
<StateTemplateVariable key="StateVariable_818" objectReference="Metabolite_31"/>
<StateTemplateVariable key="StateVariable_819" objectReference="Metabolite_37"/>
<StateTemplateVariable key="StateVariable_820" objectReference="Metabolite_40"/>
<StateTemplateVariable key="StateVariable_821" objectReference="Metabolite_46"/>
<StateTemplateVariable key="StateVariable_822" objectReference="Metabolite_49"/>
<StateTemplateVariable key="StateVariable_823" objectReference="Metabolite_55"/>
<StateTemplateVariable key="StateVariable_824" objectReference="Metabolite_58"/>
<StateTemplateVariable key="StateVariable_825" objectReference="Metabolite_61"/>
<StateTemplateVariable key="StateVariable_826" objectReference="Metabolite_64"/>
<StateTemplateVariable key="StateVariable_827" objectReference="Metabolite_70"/>
<StateTemplateVariable key="StateVariable_828" objectReference="Metabolite_73"/>
<StateTemplateVariable key="StateVariable_829" objectReference="Metabolite_76"/>
<StateTemplateVariable key="StateVariable_830" objectReference="Metabolite_79"/>
<StateTemplateVariable key="StateVariable_831" objectReference="Metabolite_82"/>
<StateTemplateVariable key="StateVariable_832" objectReference="Metabolite_85"/>
<StateTemplateVariable key="StateVariable_833" objectReference="Metabolite_91"/>
<StateTemplateVariable key="StateVariable_834" objectReference="Metabolite_94"/>
<StateTemplateVariable key="StateVariable_835" objectReference="Metabolite_103"/>
<StateTemplateVariable key="StateVariable_836" objectReference="Metabolite_106"/>
<StateTemplateVariable key="StateVariable_837" objectReference="Metabolite_112"/>
<StateTemplateVariable key="StateVariable_838" objectReference="Metabolite_115"/>
<StateTemplateVariable key="StateVariable_839" objectReference="Metabolite_121"/>
<StateTemplateVariable key="StateVariable_840" objectReference="Metabolite_124"/>
<StateTemplateVariable key="StateVariable_841" objectReference="Metabolite_127"/>
<StateTemplateVariable key="StateVariable_842" objectReference="Metabolite_133"/>
<StateTemplateVariable key="StateVariable_843" objectReference="Metabolite_136"/>
<StateTemplateVariable key="StateVariable_844" objectReference="Metabolite_139"/>
<StateTemplateVariable key="StateVariable_845" objectReference="Metabolite_142"/>
<StateTemplateVariable key="StateVariable_846" objectReference="Metabolite_148"/>
<StateTemplateVariable key="StateVariable_847" objectReference="Metabolite_151"/>
<StateTemplateVariable key="StateVariable_848" objectReference="Metabolite_157"/>
<StateTemplateVariable key="StateVariable_849" objectReference="Metabolite_160"/>
<StateTemplateVariable key="StateVariable_850" objectReference="Metabolite_166"/>
<StateTemplateVariable key="StateVariable_851" objectReference="Metabolite_169"/>
<StateTemplateVariable key="StateVariable_852" objectReference="Metabolite_172"/>
<StateTemplateVariable key="StateVariable_853" objectReference="Metabolite_175"/>
<StateTemplateVariable key="StateVariable_854" objectReference="Metabolite_178"/>
<StateTemplateVariable key="StateVariable_855" objectReference="Metabolite_181"/>
<StateTemplateVariable key="StateVariable_856" objectReference="Metabolite_184"/>
<StateTemplateVariable key="StateVariable_857" objectReference="Metabolite_187"/>
<StateTemplateVariable key="StateVariable_858" objectReference="Metabolite_190"/>
<StateTemplateVariable key="StateVariable_859" objectReference="Metabolite_193"/>
<StateTemplateVariable key="StateVariable_860" objectReference="Metabolite_196"/>
<StateTemplateVariable key="StateVariable_861" objectReference="Metabolite_199"/>
<StateTemplateVariable key="StateVariable_862" objectReference="Metabolite_202"/>
<StateTemplateVariable key="StateVariable_863" objectReference="Metabolite_205"/>
<StateTemplateVariable key="StateVariable_864" objectReference="Metabolite_208"/>
<StateTemplateVariable key="StateVariable_865" objectReference="Metabolite_211"/>
<StateTemplateVariable key="StateVariable_866" objectReference="Metabolite_217"/>
<StateTemplateVariable key="StateVariable_867" objectReference="Metabolite_220"/>
<StateTemplateVariable key="StateVariable_868" objectReference="Metabolite_232"/>
<StateTemplateVariable key="StateVariable_869" objectReference="Metabolite_235"/>
<StateTemplateVariable key="StateVariable_870" objectReference="Metabolite_238"/>
<StateTemplateVariable key="StateVariable_871" objectReference="Metabolite_241"/>
<StateTemplateVariable key="StateVariable_872" objectReference="Metabolite_244"/>
<StateTemplateVariable key="StateVariable_873" objectReference="Metabolite_247"/>
<StateTemplateVariable key="StateVariable_874" objectReference="Metabolite_253"/>
<StateTemplateVariable key="StateVariable_875" objectReference="Metabolite_256"/>
<StateTemplateVariable key="StateVariable_876" objectReference="Metabolite_259"/>
<StateTemplateVariable key="StateVariable_877" objectReference="Metabolite_262"/>
<StateTemplateVariable key="StateVariable_878" objectReference="Metabolite_268"/>
<StateTemplateVariable key="StateVariable_879" objectReference="Metabolite_271"/>
<StateTemplateVariable key="StateVariable_880" objectReference="Metabolite_274"/>
<StateTemplateVariable key="StateVariable_881" objectReference="Metabolite_277"/>
<StateTemplateVariable key="StateVariable_882" objectReference="Metabolite_280"/>
<StateTemplateVariable key="StateVariable_883" objectReference="Metabolite_283"/>
<StateTemplateVariable key="StateVariable_884" objectReference="Metabolite_286"/>
<StateTemplateVariable key="StateVariable_885" objectReference="Metabolite_289"/>
<StateTemplateVariable key="StateVariable_886" objectReference="Metabolite_292"/>
<StateTemplateVariable key="StateVariable_887" objectReference="Metabolite_295"/>
<StateTemplateVariable key="StateVariable_888" objectReference="Metabolite_298"/>
<StateTemplateVariable key="StateVariable_889" objectReference="Metabolite_301"/>
<StateTemplateVariable key="StateVariable_890" objectReference="Metabolite_304"/>
<StateTemplateVariable key="StateVariable_891" objectReference="Metabolite_307"/>
<StateTemplateVariable key="StateVariable_892" objectReference="Metabolite_97"/>
<StateTemplateVariable key="StateVariable_893" objectReference="Metabolite_265"/>
<StateTemplateVariable key="StateVariable_894" objectReference="Metabolite_250"/>
<StateTemplateVariable key="StateVariable_895" objectReference="Metabolite_229"/>
<StateTemplateVariable key="StateVariable_896" objectReference="Metabolite_226"/>
<StateTemplateVariable key="StateVariable_897" objectReference="Metabolite_223"/>
<StateTemplateVariable key="StateVariable_898" objectReference="Metabolite_214"/>
<StateTemplateVariable key="StateVariable_899" objectReference="Metabolite_163"/>
<StateTemplateVariable key="StateVariable_900" objectReference="Metabolite_154"/>
<StateTemplateVariable key="StateVariable_901" objectReference="Metabolite_145"/>
<StateTemplateVariable key="StateVariable_902" objectReference="Metabolite_130"/>
<StateTemplateVariable key="StateVariable_903" objectReference="Metabolite_118"/>
<StateTemplateVariable key="StateVariable_904" objectReference="Metabolite_109"/>
<StateTemplateVariable key="StateVariable_905" objectReference="Metabolite_100"/>
<StateTemplateVariable key="StateVariable_906" objectReference="Metabolite_88"/>
<StateTemplateVariable key="StateVariable_907" objectReference="Metabolite_67"/>
<StateTemplateVariable key="StateVariable_908" objectReference="Metabolite_52"/>
<StateTemplateVariable key="StateVariable_909" objectReference="Metabolite_43"/>
<StateTemplateVariable key="StateVariable_910" objectReference="Metabolite_34"/>
<StateTemplateVariable key="StateVariable_911" objectReference="Metabolite_13"/>
<StateTemplateVariable key="StateVariable_912" objectReference="Metabolite_4"/>
<StateTemplateVariable key="StateVariable_913" objectReference="Metabolite_0"/>
<StateTemplateVariable key="StateVariable_914" objectReference="ModelValue_0"/>
<StateTemplateVariable key="StateVariable_915" objectReference="ModelValue_1"/>
<StateTemplateVariable key="StateVariable_916" objectReference="ModelValue_2"/>
<StateTemplateVariable key="StateVariable_917" objectReference="ModelValue_3"/>
<StateTemplateVariable key="StateVariable_918" objectReference="ModelValue_4"/>
<StateTemplateVariable key="StateVariable_919" objectReference="ModelValue_5"/>
<StateTemplateVariable key="StateVariable_920" objectReference="ModelValue_6"/>
<StateTemplateVariable key="StateVariable_921" objectReference="ModelValue_7"/>
<StateTemplateVariable key="StateVariable_922" objectReference="ModelValue_8"/>
<StateTemplateVariable key="StateVariable_923" objectReference="ModelValue_9"/>
</StateTemplate>
<InitialState type="initialState">
0 1 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 6.02214e+19 1 2 3 4 5 6 7 8 9 10
</InitialState>
</Model>
<ListOfTasks>
<Task key="Task_4" name="Steady-State" type="steadyState" scheduled="false">
<Problem>
<Parameter name="JacobianRequested" type="bool" value="1"/>
<Parameter name="StabilityAnalysisRequested" type="bool" value="1"/>
</Problem>
<Method name="Enhanced Newton" type="Deterministic(LSODA)">
<Parameter name="Newton.UseNewton" type="bool" value="1"/>
<Parameter name="Newton.UseIntegration" type="bool" value="1"/>
<Parameter name="Newton.UseBackIntegration" type="bool" value="1"/>
<Parameter name="Newton.acceptNegativeConcentrations" type="bool" value="0"/>
<Parameter name="Newton.IterationLimit" type="unsignedInteger" value="50"/>
<Parameter name="Newton.DerivationFactor" type="unsignedFloat" value="0.001"/>
<Parameter name="Newton.Resolution" type="unsignedFloat" value="1e-09"/>
<Parameter name="Newton.LSODA.RelativeTolerance" type="unsignedFloat" value="1e-06"/>
<Parameter name="Newton.LSODA.AbsoluteTolerance" type="unsignedFloat" value="1e-12"/>
<Parameter name="Newton.LSODA.AdamsMaxOrder" type="unsignedInteger" value="12"/>
<Parameter name="Newton.LSODA.BDFMaxOrder" type="unsignedInteger" value="5"/>
<Parameter name="Newton.LSODA.MaxStepsInternal" type="unsignedInteger" value="10000"/>
</Method>
</Task>
<Task key="Task_3" name="Time-Course" type="timeCourse" scheduled="false">
<Problem>
<Parameter name="StepNumber" type="unsignedInteger" value="100"/>
<Parameter name="StepSize" type="float" value="0.01"/>
<Parameter name="StartTime" type="float" value="0"/>
<Parameter name="EndTime" type="float" value="1"/>
<Parameter name="TimeSeriesRequested" type="bool" value="1"/>
<Parameter name="OutputStartTime" type="float" value="0"/>
</Problem>
<Method name="Deterministic (LSODA)" type="Stochastic">
<Parameter name="LSODA.RelativeTolerance" type="unsignedFloat" value="1e-06"/>
<Parameter name="LSODA.AbsoluteTolerance" type="unsignedFloat" value="1e-12"/>
<Parameter name="LSODA.AdamsMaxOrder" type="unsignedInteger" value="12"/>
<Parameter name="LSODA.BDFMaxOrder" type="unsignedInteger" value="5"/>
<Parameter name="LSODA.MaxStepsInternal" type="unsignedInteger" value="10000"/>
</Method>
</Task>
<Task key="Task_2" name="Scan" type="scan" scheduled="false">
<Problem>
<Parameter name="Subtask" type="unsignedInteger" value="1"/>
<ParameterGroup name="ScanItems">
</ParameterGroup>
<Parameter name="Output in subtask" type="bool" value="1"/>
<Parameter name="Adjust initial conditions" type="bool" value="0"/>
</Problem>
<Method name="Scan Framework" type="TimeScaleSeparationMethod">
</Method>
</Task>
<Task key="Task_1" name="Optimization" type="optimization" scheduled="false">
<Problem>
<ParameterGroup name="OptimizationItemList">
</ParameterGroup>
<ParameterGroup name="OptimizationConstraintList">
</ParameterGroup>
<Parameter name="Steady-State" type="key" value=""/>
<Parameter name="Time-Course" type="key" value=""/>
<Parameter name="ObjectiveFunction" type="key" value=""/>
<Parameter name="Maximize" type="bool" value="0"/>
</Problem>
<Method name="Random Search" type="RandomSearch">
<Parameter name="Number of Iterations" type="unsignedInteger" value="100000"/>
<Parameter name="Random Number Generator" type="unsignedInteger" value="1"/>
<Parameter name="Seed" type="unsignedInteger" value="0"/>
</Method>
</Task>
<Task key="Task_0" name="Metabolic Control Analysis" type="metabolicControlAnalysis" scheduled="false">
<Problem>
<Parameter name="SteadyStateRequested" type="bool" value="1"/>
</Problem>
<Method name="MCA Method (Reder)" type="ScanFramework">
<Parameter name="MCA.ModulationFactor" type="unsignedFloat" value="1e-09"/>
</Method>
</Task>
</ListOfTasks>
<ListOfReports>
<Report key="Report_1" name="Steady-State" taskType="steadyState" separator="	">
<Comment>
<body xmlns="http://www.w3.org/1999/xhtml">
Automatically generated report.
</body>
</Comment>
<Body>
<Object cn="CN=Root,Vector=TaskList[Steady-State]"/>
</Body>
</Report>
<Report key="Report_0" name="Optimization" taskType="optimization" separator="	">
<Comment>
<body xmlns="http://www.w3.org/1999/xhtml">
Automatically generated report.
</body>
</Comment>
<Table printTitle="1">
<Object cn="CN=Root,Vector=TaskList[Optimization],Problem=Optimization,Reference=Simulation Counter"/>
<Object cn="CN=Root,Vector=TaskList[Optimization],Problem=Optimization,Reference=Best Value"/>
<Object cn="CN=Root,Vector=TaskList[Optimization],Problem=Optimization,Reference=Best Parameters"/>
</Table>
</Report>
</ListOfReports>
<GUI>
</GUI>
</COPASI>
| Component Pascal | 5 | SzVarga/COPASI | TestSuite/sbml/import_export/AllKinetics_GlobalAndLocalParameters.cps | [
"Artistic-2.0"
] |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<title>trust anchors</title>
</head>
<body>
<iframe id="test-frame" src="https://localhost:{port}/test.html"></iframe>
</body>
</html> | Smarty | 2 | namaljayathunga/nw.js | test/manual/additional_trust_anchors/index.tpl | [
"MIT"
] |
definition module GenHylo
import StdGeneric, GenMap
:: Fix f = In (f .(Fix f))
Out :: !u:(Fix v:a) -> v:(a w:(Fix v:a)), [u <= w]
hylo :: ((.f .b) -> .b) (.a -> (.f .a)) -> (.a -> .b) | gMap{|*->*|} f
cata :: (u:(f .a) -> .a) -> (Fix u:f) -> .a | gMap{|*->*|} f
ana :: (.a -> u:(f .a)) -> .a -> (Fix u:f) | gMap{|*->*|} f
| Clean | 4 | JavascriptID/sourcerer-app | src/test/resources/samples/langs/Clean/GenHylo.dcl | [
"MIT"
] |
# Copyright 2021 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
create {
source {
url {
# See the link "[Binaries]" in
# https://wiki.openjdk.java.net/display/JDKUpdates/JDK11u#JDK11u-Releases
download_url: "https://github.com/AdoptOpenJDK/openjdk11-upstream-binaries/releases/download/jdk-11.0.4%2B11/OpenJDK11U-jdk_x64_linux_11.0.4_11.tar.gz"
version: "11.0.4+11"
}
patch_version: 'cr0'
unpack_archive: true
subdir: 'current'
}
}
upload {
pkg_prefix: "chromium/third_party"
universal: true
}
| PureBasic | 2 | zealoussnow/chromium | third_party/jdk/3pp/3pp.pb | [
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] |
datatype list a = Nil | Cons of a * list a
fun append (t ::: Type) (ls1 : list t) (ls2 : list t) : list t =
case ls1 of
Nil => ls2
| Cons (h, t) => Cons (h, append t ls2)
(*val rec ones : list int = Cons (1, ones)*)
val rec ones = fn () => Cons (1, ones ())
| UrWeb | 4 | apple314159/urweb | tests/recBad.ur | [
"BSD-3-Clause"
] |
! Copyright (C) 2008 Alfredo Beaumont
! See http://factorcode.org/license.txt for BSD license.
! Emacs Etags generator
! Alfredo Beaumont <[email protected]>
USING: arrays assocs ctags.private fry io.backend
io.encodings.ascii io.files kernel make math math.parser present
sequences sorting strings vocabs ;
IN: ctags.etags
<PRIVATE
: etag-hash ( alist -- hash )
H{ } clone [
'[ first2 swap [ 2array ] dip _ push-at ] assoc-each
] keep ;
: lines>bytes ( lines -- bytes )
0 [ length 1 + + ] accumulate nip ;
: etag ( bytes seq -- str )
[
dup first present %
0x7f ,
second dup number>string %
"," %
1 - swap nth number>string %
] "" make ;
: etag-header ( vec1 resource -- vec2 )
[
normalize-path %
"," %
dup sum-lengths number>string %
] "" make prefix "\f" prefix ;
: make-etags ( alist -- seq )
V{ } clone swap [
over [
[ ascii file-lines lines>bytes ] dip
[ etag ] with map
] dip etag-header append!
] assoc-each ;
PRIVATE>
: etags ( -- etags )
all-words locations etag-hash sort-keys make-etags ;
: write-etags ( path -- )
[ etags ] dip ascii set-file-lines ;
| Factor | 4 | alex-ilin/factor | extra/ctags/etags/etags.factor | [
"BSD-2-Clause"
] |
<?php
/** @var \App\Assets $assets */
$assets
->load('clipboard')
->addInlineJs($this->fetch('partials/log_inline.js'), 99);
?>
<div id="log-view" data-url="<?=$url?>">
<textarea class="form-control log-viewer" id="log-view-contents" spellcheck="false" readonly>Loading...</textarea>
<div class="buttons pt-2">
<button class="btn btn-copy btn-primary btn-sm" data-clipboard-target="#log-view-contents">
<i class="material-icons">file_copy</i> <?=__('Copy to Clipboard')?>
</button>
</div>
</div>
| HTML+PHP | 3 | ikafridi/PlayCast | templates/partials/log_inline.phtml | [
"Apache-2.0"
] |
var static = "static"
export { static }
closes_static() -> static
println(closes_static())
(() -> {
var local = "local"
var closes_local_anonymous = () -> local
closes_local_named() -> {
local
}
println("anonymous")
println(closes_local_anonymous())
println("named")
println(closes_local_named())
})()
var nested = "nested"
closes_nested1() -> {
closes_nested2() -> nested
closes_nested2()
}
println(closes_nested1())
| Harbour | 3 | dirk/hummingbird | spec/e2e/closures/test.hb | [
"BSD-3-Clause"
] |
-- Andreas, 2019-04-10, re #3687, better test case for #1926
-- {-# OPTIONS -v interaction.contents.record:20 #-}
module _ (Foo : Set) where
open import Agda.Builtin.Sigma
test : {A : Set} {B : A → Set} (r : Σ A B) → Set
test r = {!r!} -- C-c C-o
| Agda | 3 | cruhland/agda | test/interaction/Issue1926.agda | [
"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 = "AnubisDB"
type = "api"
function start()
set_rate_limit(1)
end
function vertical(ctx, domain)
scrape(ctx, {['url']=build_url(domain)})
end
function build_url(domain)
return "https://jldc.me/anubis/subdomains/" .. domain
end
| Ada | 4 | Elon143/Amass | resources/scripts/api/anubisdb.ads | [
"Apache-2.0"
] |
{{ get_doctype() }}
<html lang="en">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<title>{{ get_title() }}</title>
<meta name="viewport" content="width=device-width, initial-scale=1">
<meta content="{{ phalcon_team }}" name="author">
<link rel="shortcut icon" href="/favicon.ico?v={{ ptools_version }}">
{{ stylesheet_link("https://cdnjs.cloudflare.com/ajax/libs/font-awesome/5.11.2/css/all.min.css", false) }}
{{ assets.outputCss('main_css') }}
{% block head_custom %}{% endblock %}
</head>
{%- block body_start -%}
<body class="hold-transition sidebar-mini layout-fixed">
{%- endblock -%}
<div class="wrapper">
{% block header %}{% endblock %}
{% block sidebar %}{% endblock %}
{%- block wrapper_start -%}
<div class="content-wrapper">
{%- endblock -%}
{% block content %}{% endblock %}
{%- block wrapper_end -%}
<div class="control-sidebar-bg"></div>
</div>
{%- endblock -%}
{% block footer %}{% endblock %}
</div>
{% block footer_js %}{% endblock %}
{%- block body_end -%}
</body>
{%- endblock -%}
</html>
| Volt | 3 | PSD-Company/phalcon-devtools-docker | src/Web/Tools/Views/layouts/base.volt | [
"BSD-3-Clause"
] |
declare namespace t = "http://schemas.microsoft.com/exchange/services/2006/types";
declare namespace m = "http://schemas.microsoft.com/exchange/services/2006/messages";
declare namespace soap = "http://schemas.xmlsoap.org/soap/envelope/";
if (/soap:Envelope/soap:Body/m:SyncFolderHierarchy and
//m:SyncFolderHierarchy/m:FolderShape/t:BaseShape = <t:BaseShape>Default</t:BaseShape> and
count(//t:AdditionalProperties/t:ExtendedFieldURI) = 1 and
//t:AdditionalProperties/t:ExtendedFieldURI[@PropertyTag="0x3613" and
@PropertyType="String"] and
count(//t:AdditionalProperties/t:FieldURI) = 2 and
//t:AdditionalProperties/t:FieldURI[@FieldURI="folder:EffectiveRights"] and
//t:AdditionalProperties/t:FieldURI[@FieldURI="folder:ParentFolderId"] and
count(//m:SyncFolderHierarchy/m:SyncFolderId/t:DistinguishedFolderId) = 1 and
count(//m:SyncFolderHierarchy/m:SyncFolderId/t:FolderId) = 0 and
//m:SyncFolderHierarchy/m:SyncFolderId/t:DistinguishedFolderId[@Id="msgfolderroot"]
) then (
<soap:Envelope><soap:Header>
<t:ServerVersionInfo MajorVersion="15" MinorVersion="01" MajorBuildNumber="225" MinorBuildNumber="042" />
</soap:Header><soap:Body>
<m:SyncFolderHierarchyResponse>
<m:ResponseMessages>
<m:SyncFolderHierarchyResponseMessage ResponseClass="Success">
<m:ResponseCode>NoError</m:ResponseCode>
<m:SyncState>%1</m:SyncState>
<m:IncludesLastFolderInRange>true</m:IncludesLastFolderInRange>
<m:Changes>
%2
</m:Changes>
</m:SyncFolderHierarchyResponseMessage>
</m:ResponseMessages>
</m:SyncFolderHierarchyResponse></soap:Body></soap:Envelope>
) else () | XQuery | 3 | KrissN/akonadi-ews | test/resources/syncfolderhierarhy-emptystate.xq | [
"RSA-MD"
] |
/*
*
* Copyright 2016 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.
*
*/
#include <grpcpp/impl/codegen/core_codegen_interface.h>
#include <grpcpp/impl/codegen/grpc_library.h>
/// Null-initializes the global gRPC variables for the codegen library. These
/// stay null in the absence of grpc++ library. In this case, no gRPC
/// features such as the ability to perform calls will be available. Trying to
/// perform them would result in a segmentation fault when trying to deference
/// the following nulled globals. These should be associated with actual
/// as part of the instantiation of a \a grpc::GrpcLibraryInitializer variable.
grpc::CoreCodegenInterface* grpc::g_core_codegen_interface;
grpc::GrpcLibraryInterface* grpc::g_glip;
| C++ | 4 | mpminardi/grpc | src/cpp/codegen/codegen_init.cc | [
"Apache-2.0"
] |
Fixpoint Arity (A B: Set) (n: nat): Set := match n with
|O => B
|S n' => A -> (Arity A B n')
end.
| Coq | 3 | mullikine/RosettaCodeData | Task/Variadic-function/Coq/variadic-function-1.coq | [
"Info-ZIP"
] |
-- bare-bones luac in Lua
-- usage: lua luac.lua file.lua
assert(arg[1]~=nil and arg[2]==nil,"usage: lua luac.lua file.lua")
f=assert(io.open("luac.out","wb"))
assert(f:write(string.dump(assert(loadfile(arg[1])))))
assert(f:close())
| Lua | 3 | tomliugen/tomliugen-redis-3.2.2-rc | deps/lua/test/luac.lua | [
"BSD-3-Clause"
] |
name: hol-monad-unint
version: 1.0
description: HOL monad theories (before re-interpretation)
author: HOL OpenTheory Packager <[email protected]>
license: MIT
main {
import: state-transformer
import: error-state-monad
}
state-transformer {
article: "state_transformer.ot.art"
}
error-state-monad {
article: "errorStateMonad.ot.art"
}
| Isabelle | 3 | dwRchyngqxs/HOL | src/monad/more_monads/hol4-monad-unint.thy | [
"BSD-3-Clause"
] |
<?xml version="1.0"?>
<rdf:RDF xmlns="http://purl.obolibrary.org/obo/doid/imports/trans_import.owl#"
xml:base="http://purl.obolibrary.org/obo/doid/imports/trans_import.owl"
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:obo="http://purl.obolibrary.org/obo/"
xmlns:owl="http://www.w3.org/2002/07/owl#"
xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"
xmlns:xml="http://www.w3.org/XML/1998/namespace"
xmlns:xsd="http://www.w3.org/2001/XMLSchema#"
xmlns:rdfs="http://www.w3.org/2000/01/rdf-schema#"
xmlns:terms="http://purl.org/dc/terms/"
xmlns:oboInOwl="http://www.geneontology.org/formats/oboInOwl#">
<owl:Ontology rdf:about="http://purl.obolibrary.org/obo/doid/imports/trans_import.owl">
<owl:versionIRI rdf:resource="http://purl.obolibrary.org/obo/doid/imports/trans_import.owl"/>
<dc:description>The Pathogen Transmission Ontology describes the tranmission methods of human disease pathogens describing how a pathogen is transmitted from one host, reservoir, or source to another host. The pathogen transmission may occur either directly or indirectly and may involve animate vectors or inanimate vehicles.</dc:description>
<dc:title>Pathogen Transmission Ontology</dc:title>
<terms:license>https://creativecommons.org/publicdomain/zero/1.0/</terms:license>
<oboInOwl:auto-generated-by rdf:datatype="http://www.w3.org/2001/XMLSchema#string">OBO-Edit 1.101</oboInOwl:auto-generated-by>
<oboInOwl:date rdf:datatype="http://www.w3.org/2001/XMLSchema#string">06:02:2008 14:52</oboInOwl:date>
<oboInOwl:default-namespace rdf:datatype="http://www.w3.org/2001/XMLSchema#string">transmission_process</oboInOwl:default-namespace>
<oboInOwl:hasOBOFormatVersion rdf:datatype="http://www.w3.org/2001/XMLSchema#string">1.0</oboInOwl:hasOBOFormatVersion>
<oboInOwl:saved-by rdf:datatype="http://www.w3.org/2001/XMLSchema#string">Lynn</oboInOwl:saved-by>
<rdfs:comment rdf:resource="http://purl.obolibrary.org/obo/trans.owl/"/>
</owl:Ontology>
<!--
///////////////////////////////////////////////////////////////////////////////////////
//
// Annotation properties
//
///////////////////////////////////////////////////////////////////////////////////////
-->
<!-- http://purl.obolibrary.org/obo/IAO_0000115 -->
<owl:AnnotationProperty rdf:about="http://purl.obolibrary.org/obo/IAO_0000115">
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">definition</rdfs:label>
</owl:AnnotationProperty>
<!-- http://www.geneontology.org/formats/oboInOwl#id -->
<owl:AnnotationProperty rdf:about="http://www.geneontology.org/formats/oboInOwl#id"/>
<!-- http://www.w3.org/2000/01/rdf-schema#label -->
<owl:AnnotationProperty rdf:about="http://www.w3.org/2000/01/rdf-schema#label"/>
<!-- http://www.w3.org/2002/07/owl#deprecated -->
<owl:AnnotationProperty rdf:about="http://www.w3.org/2002/07/owl#deprecated"/>
<!--
///////////////////////////////////////////////////////////////////////////////////////
//
// Classes
//
///////////////////////////////////////////////////////////////////////////////////////
-->
<!-- http://purl.obolibrary.org/obo/TRANS_0000000 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000000">
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000000</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">transmission process</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000001 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000001">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000000"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000001</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">direct transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000002 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000002">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000000"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000002</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">indirect transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000003 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000003">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000005"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000003</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">mechanical transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000005 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000005">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000002"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000005</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">vector-borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000006 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000006">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000001"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000006</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">congenital transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000007 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000007">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000001"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000007</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">contact transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000008 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000008">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000001"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000008</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">droplet spread transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000009 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000009">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000002"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000009</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">airborne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000010 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000010">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000002"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000010</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">vehicle-borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000011 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000011">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000010"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000011</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">vehicle-borne fomite transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000012 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000012">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000010"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000012</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">vehicle-borne ingestion transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000013 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000013">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000010"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000013</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">vehicle-borne medical transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000014 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000014">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000005"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000014</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">vector-borne bite transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000015 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000015">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000005"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000015</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">biologic transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000018 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000018">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000006"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000018</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">placental transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000019 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000019">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000005"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000019</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">arthropod borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000020 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000020">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000019"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000020</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">insect borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000021 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000021">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000020"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000021</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">mosquito borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000022 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000022">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000021"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000022</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">Anopheles gambiae borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000023 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000023">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000020"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000023</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">flea borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000024 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000024">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000027"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000024</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">tick borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000025 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000025">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000005"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000025</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">copepod borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000026 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000026">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000025"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000026</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">Dracunculus medinensis borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000027 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000027">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000019"/>
<oboInOwl:id rdf:datatype="http://www.w3.org/2001/XMLSchema#string">TRANS:0000027</oboInOwl:id>
<rdfs:label rdf:datatype="http://www.w3.org/2001/XMLSchema#string">arachnid borne transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000028 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000028">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000015"/>
<oboInOwl:id>TRANS:0000028</oboInOwl:id>
<rdfs:label xml:lang="en">propagative transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000029 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000029">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000015"/>
<oboInOwl:id>TRANS:0000029</oboInOwl:id>
<rdfs:label xml:lang="en">cyclopropagative transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000030 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000030">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000015"/>
<oboInOwl:id>TRANS:0000030</oboInOwl:id>
<rdfs:label xml:lang="en">cyclodevelopmental transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000031 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000031">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000015"/>
<oboInOwl:id>TRANS:0000031</oboInOwl:id>
<rdfs:label xml:lang="en">transovarial transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000032 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000032">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000015"/>
<oboInOwl:id>TRANS:0000032</oboInOwl:id>
<rdfs:label xml:lang="en">vertical transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000033 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000033">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000015"/>
<oboInOwl:id>TRANS:0000033</oboInOwl:id>
<rdfs:label xml:lang="en">trans-stadial transmission</rdfs:label>
</owl:Class>
<!-- http://purl.obolibrary.org/obo/TRANS_0000034 -->
<owl:Class rdf:about="http://purl.obolibrary.org/obo/TRANS_0000034">
<rdfs:subClassOf rdf:resource="http://purl.obolibrary.org/obo/TRANS_0000015"/>
<oboInOwl:id>TRANS:0000034</oboInOwl:id>
<rdfs:label xml:lang="en">veneral transmission</rdfs:label>
</owl:Class>
</rdf:RDF>
<!-- Generated by the OWL API (version 4.5.6) https://github.com/owlcs/owlapi -->
| Web Ontology Language | 4 | cthoyt/HumanDiseaseOntology | src/ontology/imports/trans_import.owl | [
"CC0-1.0"
] |
(* Content-type: application/vnd.wolfram.mathematica *)
(*** Wolfram Notebook File ***)
(* http://www.wolfram.com/nb *)
(* CreatedBy='Mathematica 11.0' *)
(*CacheID: 234*)
(* Internal cache information:
NotebookFileLineBreakTest
NotebookFileLineBreakTest
NotebookDataPosition[ 158, 7]
NotebookDataLength[ 64386, 1295]
NotebookOptionsPosition[ 63669, 1266]
NotebookOutlinePosition[ 64028, 1282]
CellTagsIndexPosition[ 63985, 1279]
WindowFrame->Normal*)
(* Beginning of Notebook Content *)
Notebook[{
Cell[BoxData[
RowBox[{"ClearAll", "[", "\"\<Global`*\>\"", "]"}]], "Input",
CellChangeTimes->{{3.735930070636837*^9, 3.735930079860982*^9}}],
Cell[BoxData[{
RowBox[{
RowBox[{
RowBox[{"f0ToIOR", "[", "f0_", "]"}], "=",
FractionBox[
RowBox[{
SqrtBox["f0"], "+", "1"}],
RowBox[{"1", "-",
SqrtBox["f0"]}]]}], ";"}], "\n",
RowBox[{
RowBox[{
RowBox[{"IORtoF0", "[",
RowBox[{"tIOR_", ",", "iIOR_"}], "]"}], "=",
SuperscriptBox[
RowBox[{"(",
FractionBox[
RowBox[{"tIOR", "-", "iIOR"}],
RowBox[{"tIOR", "+", "iIOR"}]], ")"}], "2"]}], ";"}]}], "Input",
CellChangeTimes->{{3.7359126837879333`*^9, 3.735912722074291*^9}, {
3.735912829099533*^9, 3.73591286225861*^9}, {3.73591295898659*^9,
3.73591298743552*^9}, {3.735923647858347*^9, 3.735923680930972*^9}, {
3.735923763981945*^9, 3.735923795249709*^9}, {3.735924009569747*^9,
3.735924011569498*^9}}],
Cell[BoxData[
RowBox[{
RowBox[{"data", "=",
RowBox[{"Table", "[",
RowBox[{
RowBox[{"{",
RowBox[{"x", ",",
RowBox[{"IORtoF0", "[",
RowBox[{
RowBox[{"f0ToIOR", "[", "x", "]"}], ",", "1.5"}], "]"}]}], "}"}],
",",
RowBox[{"{",
RowBox[{"x", ",", "0.052", ",", "0.999999999999", ",", "0.00001"}],
"}"}]}], "]"}]}], ";"}]], "Input",
CellChangeTimes->{{3.73592815135788*^9, 3.73592819606503*^9}, {
3.735928276225711*^9, 3.735928277255724*^9}, {3.735928392121317*^9,
3.735928472407691*^9}, {3.735928513784546*^9, 3.735928613551546*^9}, {
3.735928794376586*^9, 3.735928842871111*^9}, {3.735928960328668*^9,
3.735928963150598*^9}, {3.7359289960562563`*^9, 3.735929007336096*^9}, {
3.7359291913277473`*^9, 3.7359291923182077`*^9}, {3.735929254463879*^9,
3.7359292545178957`*^9}}],
Cell[CellGroupData[{
Cell[BoxData[{
RowBox[{"poly", "=",
RowBox[{"Fit", "[",
RowBox[{"data", ",",
RowBox[{"{",
RowBox[{"1", ",", "x", ",",
RowBox[{"x", "^", "2"}], ",",
RowBox[{"x", "^", "3"}]}], "}"}], ",", "x"}],
"]"}]}], "\[IndentingNewLine]",
RowBox[{"poly", "=",
RowBox[{"FullSimplify", "[", "poly", "]"}]}]}], "Input",
CellChangeTimes->{{3.7359282427424383`*^9, 3.735928260935738*^9}, {
3.7359286789772177`*^9, 3.735928679446991*^9}, {3.735928718984591*^9,
3.7359287203189793`*^9}, {3.7359289907431087`*^9, 3.735928991342629*^9}, {
3.735929280816168*^9, 3.735929321133803*^9}, {3.735929385353385*^9,
3.7359294587101727`*^9}, {3.7359295166557407`*^9, 3.735929517501604*^9}, {
3.735930004974619*^9, 3.735930007772451*^9}, {3.7359303843590927`*^9,
3.735930385028165*^9}}],
Cell[BoxData[
RowBox[{
RowBox[{"-", "0.02859980207240671`"}], "+",
RowBox[{"0.34647935103247723`", " ", "x"}], "+",
RowBox[{"0.9418915202404012`", " ",
SuperscriptBox["x", "2"]}], "-",
RowBox[{"0.26300822405111174`", " ",
SuperscriptBox["x", "3"]}]}]], "Output",
CellChangeTimes->{
3.735929781177116*^9, 3.735930008926673*^9, {3.735930064497013*^9,
3.735930083534067*^9}, 3.7359304437185183`*^9}],
Cell[BoxData[
RowBox[{
RowBox[{"-", "0.02859980207240671`"}], "+",
RowBox[{"x", " ",
RowBox[{"(",
RowBox[{"0.34647935103247723`", "\[VeryThinSpace]", "+",
RowBox[{
RowBox[{"(",
RowBox[{"0.9418915202404012`", "\[VeryThinSpace]", "-",
RowBox[{"0.26300822405111174`", " ", "x"}]}], ")"}], " ", "x"}]}],
")"}]}]}]], "Output",
CellChangeTimes->{
3.735929781177116*^9, 3.735930008926673*^9, {3.735930064497013*^9,
3.735930083534067*^9}, 3.7359304437327747`*^9}]
}, Open ]],
Cell[CellGroupData[{
Cell[BoxData[
RowBox[{"Plot", "[",
RowBox[{
RowBox[{"{",
RowBox[{
RowBox[{"IORtoF0", "[",
RowBox[{
RowBox[{"f0ToIOR", "[", "x", "]"}], ",", "1.5"}], "]"}], ",", "poly"}],
"}"}], ",",
RowBox[{"{",
RowBox[{"x", ",", "0", ",", "1"}], "}"}], ",",
RowBox[{"ImageSize", "\[Rule]",
RowBox[{"{",
RowBox[{"1920", ",", "1080"}], "}"}]}], ",",
RowBox[{"PlotLegends", "\[Rule]", "\"\<Expressions\>\""}]}],
"]"}]], "Input",
CellChangeTimes->{{3.735928631047022*^9, 3.735928690521142*^9}, {
3.735928731703833*^9, 3.735928785502877*^9}, {3.7359289783931637`*^9,
3.735928984143079*^9}, {3.735929205135882*^9, 3.735929216174798*^9}, {
3.735929293761176*^9, 3.735929324493187*^9}, {3.735929530983616*^9,
3.735929535919075*^9}, {3.735929783623004*^9, 3.735929784133256*^9}}],
Cell[BoxData[
TemplateBox[{GraphicsBox[{{{{}, {},
TagBox[{
Directive[
Opacity[1.],
RGBColor[0.368417, 0.506779, 0.709798],
AbsoluteThickness[1.6]],
LineBox[CompressedData["
1:eJwV1Gc41g0fxnGERNk9RSQz40oISbpOUWQkK6MksjJKqKzMKCVFZO89u2Qk
q6yorOxCNpHxV8jdXfG4X/yO73F83vzenfxXnPVtaKioqD5t3X/VtJntqps7
T+52ChJ94ZYJWlXuG6NcsmC5r/s+SSINR1JiE0u5TiGyk5Q/Wp+CKR6hAHcR
HfClNHM870+CVvtASRKXIXrEjwnlqCZC6BFv1iafKU7w90vSzcXjj6ZVjKWI
OcLUxL28X8bhW1Bvk2W0JRYyW/wupMfC2Hq99imXNXRlJxT1s2PQpMpd0Zho
i5R52qHN2mhICZ4oXuWzx9W1iFTpmWdgmAhMNxK5jsrTbTJ0l6NQNdbd3mh4
A8d3tV/RKIzEDV1rTbNoF1RGDlLt3haJL4fvq4Zx3cSu594Bzu8jEJWyt074
4i0s3JwJvHk0Apos+UqvE29DSj3F+0tBOF4utckRfJ6Qdhpzpmg9gZO5ecl9
Sy+oCab17T//GAIdhOSBDG88OX9ObtouDI+L2EX1RHwhGs26wZgTitO8mZlz
dn5w+8tXY9b9EL7N8az1hv4g7ZROmaZ9CFl5UphpdACciwwt6H1DkLr73L2H
XEHYkCyOIFcEw7s9psmoKghjLfaPytmDYRQ8RiN4MRj3mnadXXcNws41F7/q
xHtgiO8n7zx5Fx69UR4LfA/gsj6pEMEcAINHX16+qnuA11WL1edD/SF5SmQt
yPIhVOuaMqKZ/DFVWuHCmxGK+vnjjQdJvtCLHHTQEXmMHr+Vt9tTvUDSEszj
bnmMcp3VOM1WTzBsc/o6Y/cEsoE1pYu/PXC5cuPFG8NwxNO2GlY4uWO3WLik
SXQENkl5o84hN0ETXHb29UwEVjxSbGsH3bA89slJ6OhTTPtoCptJu6E1lr9g
eeApaAtrcg/MuyCAofTgA64ouIQfc+fkcYa4ekRIyY0o1Ph09RfNXkN3sPPc
UEsUNiDVkVvrBKFtpALJ28/QONnI/MfPAc1/MyV7u6PByyTFxmxpC2elu0/+
isXAgPYVTYKjDfZ6Wy6LBMSgqshdQMzHGvb/8JZ4Ho4Fq7IR6WXZFexciZbj
exQHr5y5/IJJc5RL34o+MxmH4R4PRw3LSzC/YbDuohgP46jIrqFvF0FZZKls
mo2HiaoY/+YBU5iQlriWkIBA46gyoXZjUDm2ee2JSUCfrz331SAj6M+GKDmc
ToRGrtWFuxyG+C1ilxSZmAhFF8HLf77pI9Pm9EbNSiJOhpo69bXpYW2Cuo4l
PQn3G/wKv186h9gvXqrlG8mwbr9ZTtOljpM8ppkj51PgTbl0dIhHDd8uHKVj
KEpBXiUj1ZrXKexf8LQqOpQK9w37ml6nk3BlmuNQMU2F8asJOw4qZTSLmzT1
B6VCtKv33A6NE3C2lxemGk5Fr4v1HJ2yAppCsvqitqdhYlh/SWJRDntzOe+J
HUlDjPXx6o6qI3BquSv/2jwNup+tsr1zpVE382NG/2EaxF/nRwc7HgYn/ZWY
r+VpKKCZnr7WJAF74S71O+NpCPEU+zV4QRTs1pTcLIV09DnKqGw/IQDbu/tN
Fa3TIVsUk3eVmQ/V6WE7Op+ko1qniHR3DzdYG/5UWlWnowjULhORu2E97ujw
z0w6Gko/mXIEsuEV1RB3GHsG3HWzdhrVM2HnAc1WfnIGWGwPHAgzo4MFKr1f
2meAnaldWiJ7k1xuLkrSepaB3NlzJ8NP/SQz+sYMj9Zl4OetW8WH9y+SzZPo
w24uZEBxu4ukKfU4uaTm1okdezMx99x1U0/vI5l+eGoxSTUTgUMidjQGZeQL
vw2SZZwzYbFC4h5YcSJTuBt1WuIz8WNnFs6Nx5NpFWU2LzZv7erQ6tJSbQPZ
xDSNsvw9E1lvT/UlKg6QiSFDxnTuLDwQbDa83T9FvmfOYGOgmoWSXR+SI02W
yTzj1W9onbKw5qd5gRy5Ti61cuZ+GZWFzg721AUmKmjOCNyyq82C0teeHyHf
aTF2tb9z70wWcrA7utuDEe7zD8Q/MGeDIyKuYo8uK5ivnwj2PpoNuV9KhvSl
HMhaXh4lWWSD2O5+0tl6D5TcMhVHQrJxiKGZM9xqH3rWjJ89eZENA7VfDXkU
Pjh4MC0rD2Zj7EfcaSohAVD/fq35gyYHsT5a3xefCW3VNStDIgeF2mpSqocO
4m3g5wv0PjkQqEg+Uv+BBDO6sPKKrBwo5sSxKn08jB/3lVntO3KwLCqrO35H
GgfCct628uUifd+0Rs+QLCpYLh7wOZMLo4LguOIseeg8ZfaWdMnFPLXdz2V/
BdyJuSUV0ZCLB6PPRTcdlMDBLRaqMp+Lhx6fKf6eZOQnDk+vcORBTMhB11Zb
GQNpqglGNnkwpxzviA1SgUwhGz0PQz7I+vRMuUbqeC/51qJdKh+qGyGuB1LO
wOKFR7WvaT5WPpesuRIaCHs5emM8Px/HpFeSbHK0MVtXNJR9tgAhjHHD1sf0
4KdqKW9yuwB1wnsaSH/08L9mzogdKQVI96X9m9GgD9VWbzWn5QIsd0pn3b1g
iOQ+jRfSkYXgpj/1XLXcGHImf5kmqwux9EbYtT7KBG2DxbZRU4Ww84y/XeFu
il+je3jW5Yqwo/GZ+w/1izD8Nn2v5lMR3J1c4ldZL4NpM8BMfT8FXOyFVusp
Voi1NzYnqVFwVbduQO+gNYR6SRZs1ymoVdlgFy+2BjlvwGqoloLbHY5/NZpt
UJkXXV4hWQxxrTkeWtqrWDRYqNHqKIaj3ZcWs0YnnM+NaXXbVYKk/KWLtmlu
SLwUqG3LXwIGu/txrf+6YYL9WruJXAnay6scOgxvwtlHpfPEpRIUdUob5THe
wgP9xe7tRSVQ4qcpS/S5jdo/KoMJ2qVQsCt71ejnCWG9pdnG0DIwVb263Eb4
gdtPXdEurQyDLo+Oq8j4g7UoNZSxogyL0tJ/Fpz88S+DgaTeRBnOXoyhPjTp
j491FW4jCuVY4mvl0u4JgJdUwMY/0+UIEU14/KL+LjpYODkllSugHLbbMbX3
Ptw7jiF2tRKnGyYTRy3CwSxZPv2eoQrubMLHmYPCkRkm9eg3TxVkW66lGuWE
o0v74Gfz01XwnWe2lF0Kh0Qrp5twdBWekWkk+H0iMNpCZJccrYb8m8XlgpSn
UK/PYm73qsHGCfqVpZ9R2FPGNkJN/QZy/I9qpubi8HJCta1TqQEmOyxCKr5s
7ZpD0j7ThSbQ9uv83tTKw5rICZaiay0QYjosu9pCAc2vAtZ9wh9we1qzeD2j
FPKbFi8NnrdhWCIjhNa4Am1Bsh3N4p1YP01KZhSsBl/4/K+8pY+gWnr8bvz6
G8yvj470SXVjpw1bgHlbPTK/VX9gftyDXyI3Vg0EmsDMm0NMTfXi0AZtU6N/
Mx7Zl9umCvXj6dSVhq7md/ipXDB11W8A2WyVNbrnWnFTpqnsf42fsNQrYrS/
ph2jz5tCu/gH8XWj5Hqo/Ef8duhNEPMawpXzcyGvwrsgcXL7hm31MNQi1LPD
B7uhns5v92LPCPZt0F3yVe+FO+9lgXGzUQz3awV+Te8DaeE808DZMQit6rIn
/+0HB8syQ9O/Y2iz0U+/decTaN8kUAQTx5FpuyE48/UzHGWrP+/QmkBB07NC
W48hFGhcSX39cwIJZVVqBxm+YG2em3UmehLROn22zYEjKDdQ3xZ1agrHuIJU
37GNwe9McErZzBS2uTF/lBwYA/8XzU8ZwdN4qnFNyDRhHIpHg6K4ZGaQXBXq
IuQ2AbP9nb+oe2YQoH0nXhaTWPsQNnEj4Cs69Kz2mPFNIZbW/Ka+0CzCVxWb
bVemwDFSnk7TNAtbi7P8PW+nQecTYHjMZQ67rJjkJwtnQJVnTplg/4aZXJYR
sftf4RpPCWNv+AapFH2mh7dnUSsRwsB2fR5v1gz47KznwKbpSgpkXkBpVHpT
16lvGD70scezZgGGFPfr04rzKE6G0JT5IgSmWfWkBRdwiSLPxruxCKN5e9lz
OxbhH5wWMJy/hKLsAqV0uq3O8iYwaxNIcrWejFhZQkhSsMWIDgHvZp362vUl
WOsvCj/XI/Dw3WDH3O8l8NTUFJ81JhBwo9dDhXbLn1xsfnSFgE64PMNPTgJX
5eO+M3oSsGf8xWErT0AgiPPM9mwCn/9J+my/5RsKd3YN5BJQeMubn+Cz5YuT
3dkFBPqihfLbAwiEG5deUntBYHF7k4LMQwKb4vpuwTUE/md9JPxvPIHhrifJ
23q2/tLxHUza8lf31q16+giE0jwnuuoIRB2/LJbxicA0b8VX+rcEtLIky1RG
CDT5ydq6tBOo8mh/HzBH4Fzx28QzWx59SO6J3gIBW3OWcd8JAi4TiYb8BAHl
7jbD8hkCotpOo3WrBGSmUj4IbDktdW9m+DoBL6K0zXSFwFj5cQeLfwmMxyts
/Oc1DhmHpf4SyOc9dPndbwIxfExrm5sErCnhxH/9P0vyizE=
"]]},
Annotation[#, "Charting`Private`Tag$35796#1"]& ],
TagBox[{
Directive[
Opacity[1.],
RGBColor[0.880722, 0.611041, 0.142051],
AbsoluteThickness[1.6]],
LineBox[CompressedData["
1:eJwVj308E3gAxk06pJTUdSsvLfQiKoVb18vjmqikjnFS1D6o5CoqoU4nfayo
xHXyupWQq5Sp0MvWTZHiyMssVhjbLGPbr7oQXbndH8/n+et5vs9DC4n03a2v
p6fnrdP/vml3f0uVyn/tEafmKsZGrtCAMTtKSnVGjlhzOsSRK1xxJZtzj+qO
4i+F+46acYVeje13uVQ/nBCMnYmVcIQBYSOPL1LD4G9PX6sJ5wi7lp5hpFKj
sSDK1u0KO0+YP3Pr6bPUJLDebTW3qcwRJhrdW5BCzUC6TXC1+J9Lwm2BV3nv
3hfhZYj53R3bzwpNxhODPK14yH4UwIjpjRLa+Wj7q8+Vw2CO9fO4yUcR+3Il
sj8+BHtNb7LcJx2zys26KRQhIrOIuiMwD5UyRkPT6qew96uWxBsV4WkEd06g
ugbh84+uHi++iaH5a6bePvAcLlHhTMuMMuiPlkybY1eP0RP0XU4byuE6zqpk
ljbgcy5FolDeR0OS88ta+yb4Jzwqy8jhwzp9cPSGthmprTOUxbVCDI5Iu8XL
WiG9uEK0TfUERQP8etMLIlTNkMlDl9bA1PJPolC0QbS4ZcmshFqc31exJ9/2
FeitCUOXH7zAsFuJIjyhHRN3MyKXu/yN6OU15d9Wd+C14WqL4uxGSEtrzrXQ
XkPOHDSpm9uMzxFteYuOv4HVkL7V7LgWLP7R8OseficqWc3B66pa4VlA23tn
VjdOMosiwh3aEGu5a15vkBQCQ97PxsliOKj9Tdq9e+DJWWPRIH8F86nvjGrG
ehCb25dSENYBA2Eez4bTC4vQKSPXWyX4xZkvMfaSgbV+Vea1PW9QsjEk/69h
Ga4dOeMdNtaJocHZ05SZcjADnUdpx7pRwfSckOGuwObYT10BU3uQsIF9pVyp
gGO6IWdSew9oXZs6Ctl9ePbweGcMtxc/fJ+UQV2uhLR366XCWBmCrJpGKSIl
PHnfLaxbL8dQfaosKvEtPO2V2uEFCmQb7Iz2te2Htujgi+wvCph3VxTo1/Qj
yETFo7f0YeKJRL+Vh1SId6oOpD5UQu/GTp5s+gCu5+RLs/54i8O5vNTpTwcQ
U/JekHSqH48XJxuZHRzECht6tF2kCmabDjucMlXjpPjUA473ADodm0XHBGp4
H8wiuW6DKLsMW8VODVx/z4ycaKdGMM/VzPKrBnWUlA9bvtHgJPtqYudNLSR3
5El2/2pwu98yz3QzwYd6l5QamRbJXDarewvBJ0dpW4NSizBfjV2pD0Hz/W9c
xQNaWAgEZd4BBMaOt+nKD1qcTdtRez6EgE4NWWs8gSDcNef9pGMEbmIhg2lD
MC9pxgbDYl3+ierTcCjBV3r8lPbrBIfF2+WUcAKJRt5aXEKQGeckm7yfID3g
XrDHHYL929UWNtEE4/a+R9gC3T7DQvZPSQSdLWmXJ4gITN/uteAVETw4PRIq
EhPM5c/cyNf1Zqzataiwg8BAxEl5fovA69qS8nXdBEF8c4+ecoJHcY11iSrd
P1VpyfRnOq6jS5qPmsB9m1OMdR3BIRnHj0YILig8/BwaCRZu3i+t+kjg6m7k
5aHjGFDaitJHdLwLBaFMCUFPxaoI1pjup/xWGquLQBBRuHTZF4L436yaDvQS
ZFmbDI2PE8TkaWm/9hH8B7qgfNc=
"]]},
Annotation[#, "Charting`Private`Tag$35796#2"]& ]}}, {}, {}}, {
DisplayFunction -> Identity, Ticks -> {Automatic, Automatic},
AxesOrigin -> {0, 0},
FrameTicks -> {{Automatic, Automatic}, {Automatic, Automatic}},
GridLines -> {None, None}, DisplayFunction -> Identity,
PlotRangePadding -> {{
Scaled[0.02],
Scaled[0.02]}, {
Scaled[0.05],
Scaled[0.05]}}, PlotRangeClipping -> True, ImagePadding -> All,
DisplayFunction -> Identity, AspectRatio ->
NCache[GoldenRatio^(-1), 0.6180339887498948], Axes -> {True, True},
AxesLabel -> {None, None}, AxesOrigin -> {0, 0}, DisplayFunction :>
Identity, Frame -> {{False, False}, {False, False}},
FrameLabel -> {{None, None}, {None, None}},
FrameTicks -> {{Automatic, Automatic}, {Automatic, Automatic}},
GridLines -> {None, None}, GridLinesStyle -> Directive[
GrayLevel[0.5, 0.4]], ImageSize -> {1920, 1080},
Method -> {
"DefaultBoundaryStyle" -> Automatic, "DefaultMeshStyle" ->
AbsolutePointSize[6], "ScalingFunctions" -> None,
"CoordinatesToolOptions" -> {"DisplayFunction" -> ({
(Part[{{Identity, Identity}, {Identity, Identity}}, 1, 2][#]& )[
Part[#, 1]],
(Part[{{Identity, Identity}, {Identity, Identity}}, 2, 2][#]& )[
Part[#, 2]]}& ), "CopiedValueFunction" -> ({
(Part[{{Identity, Identity}, {Identity, Identity}}, 1, 2][#]& )[
Part[#, 1]],
(Part[{{Identity, Identity}, {Identity, Identity}}, 2, 2][#]& )[
Part[#, 2]]}& )}},
PlotRange -> {{0, 1}, {-0.028599795001399152`, 0.9999999693877553}},
PlotRangeClipping -> True, PlotRangePadding -> {{
Scaled[0.02],
Scaled[0.02]}, {
Scaled[0.02],
Scaled[0.02]}}, Ticks -> {Automatic, Automatic}}],FormBox[
FormBox[
TemplateBox[{
RowBox[{"IORtoF0", "(",
RowBox[{
RowBox[{"f0ToIOR", "(", "x", ")"}], ",", "1.5`"}], ")"}], "poly"},
"LineLegend", DisplayFunction -> (FormBox[
StyleBox[
StyleBox[
PaneBox[
TagBox[
GridBox[{{
TagBox[
GridBox[{{
GraphicsBox[{{
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.368417, 0.506779, 0.709798],
AbsoluteThickness[1.6]], {
LineBox[{{0, 10}, {20, 10}}]}}, {
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.368417, 0.506779, 0.709798],
AbsoluteThickness[1.6]], {}}}, AspectRatio -> Full,
ImageSize -> {20, 10}, PlotRangePadding -> None,
ImagePadding -> Automatic,
BaselinePosition -> (Scaled[0.1] -> Baseline)], #}, {
GraphicsBox[{{
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.880722, 0.611041, 0.142051],
AbsoluteThickness[1.6]], {
LineBox[{{0, 10}, {20, 10}}]}}, {
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.880722, 0.611041, 0.142051],
AbsoluteThickness[1.6]], {}}}, AspectRatio -> Full,
ImageSize -> {20, 10}, PlotRangePadding -> None,
ImagePadding -> Automatic,
BaselinePosition -> (Scaled[0.1] -> Baseline)], #2}},
GridBoxAlignment -> {
"Columns" -> {Center, Left}, "Rows" -> {{Baseline}}},
AutoDelete -> False,
GridBoxDividers -> {
"Columns" -> {{False}}, "Rows" -> {{False}}},
GridBoxItemSize -> {"Columns" -> {{All}}, "Rows" -> {{All}}},
GridBoxSpacings -> {
"Columns" -> {{0.5}}, "Rows" -> {{0.8}}}], "Grid"]}},
GridBoxAlignment -> {"Columns" -> {{Left}}, "Rows" -> {{Top}}},
AutoDelete -> False,
GridBoxItemSize -> {
"Columns" -> {{Automatic}}, "Rows" -> {{Automatic}}},
GridBoxSpacings -> {"Columns" -> {{1}}, "Rows" -> {{0}}}],
"Grid"], Alignment -> Left, AppearanceElements -> None,
ImageMargins -> {{5, 5}, {5, 5}}, ImageSizeAction ->
"ResizeToFit"], LineIndent -> 0, StripOnInput -> False], {
FontFamily -> "Arial"}, Background -> Automatic, StripOnInput ->
False], TraditionalForm]& ),
InterpretationFunction :> (RowBox[{"LineLegend", "[",
RowBox[{
RowBox[{"{",
RowBox[{
RowBox[{"Directive", "[",
RowBox[{
RowBox[{"Opacity", "[", "1.`", "]"}], ",",
InterpretationBox[
ButtonBox[
TooltipBox[
GraphicsBox[{{
GrayLevel[0],
RectangleBox[{0, 0}]}, {
GrayLevel[0],
RectangleBox[{1, -1}]}, {
RGBColor[0.368417, 0.506779, 0.709798],
RectangleBox[{0, -1}, {2, 1}]}}, AspectRatio -> 1, Frame ->
True, FrameStyle ->
RGBColor[
0.24561133333333335`, 0.3378526666666667,
0.4731986666666667], FrameTicks -> None, PlotRangePadding ->
None, ImageSize ->
Dynamic[{
Automatic,
1.35 (CurrentValue["FontCapHeight"]/AbsoluteCurrentValue[
Magnification])}]],
"RGBColor[0.368417, 0.506779, 0.709798]"], Appearance ->
None, BaseStyle -> {}, BaselinePosition -> Baseline,
DefaultBaseStyle -> {}, ButtonFunction :>
With[{Typeset`box$ = EvaluationBox[]},
If[
Not[
AbsoluteCurrentValue["Deployed"]],
SelectionMove[Typeset`box$, All, Expression];
FrontEnd`Private`$ColorSelectorInitialAlpha = 1;
FrontEnd`Private`$ColorSelectorInitialColor =
RGBColor[0.368417, 0.506779, 0.709798];
FrontEnd`Private`$ColorSelectorUseMakeBoxes = True;
MathLink`CallFrontEnd[
FrontEnd`AttachCell[Typeset`box$,
FrontEndResource["RGBColorValueSelector"], {
0, {Left, Bottom}}, {Left, Top},
"ClosingActions" -> {
"SelectionDeparture", "ParentChanged",
"EvaluatorQuit"}]]]], BaseStyle -> Inherited, Evaluator ->
Automatic, Method -> "Preemptive"],
RGBColor[0.368417, 0.506779, 0.709798], Editable -> False,
Selectable -> False], ",",
RowBox[{"AbsoluteThickness", "[", "1.6`", "]"}]}], "]"}],
",",
RowBox[{"Directive", "[",
RowBox[{
RowBox[{"Opacity", "[", "1.`", "]"}], ",",
InterpretationBox[
ButtonBox[
TooltipBox[
GraphicsBox[{{
GrayLevel[0],
RectangleBox[{0, 0}]}, {
GrayLevel[0],
RectangleBox[{1, -1}]}, {
RGBColor[0.880722, 0.611041, 0.142051],
RectangleBox[{0, -1}, {2, 1}]}}, AspectRatio -> 1, Frame ->
True, FrameStyle ->
RGBColor[
0.587148, 0.40736066666666665`, 0.09470066666666668],
FrameTicks -> None, PlotRangePadding -> None, ImageSize ->
Dynamic[{
Automatic,
1.35 (CurrentValue["FontCapHeight"]/AbsoluteCurrentValue[
Magnification])}]],
"RGBColor[0.880722, 0.611041, 0.142051]"], Appearance ->
None, BaseStyle -> {}, BaselinePosition -> Baseline,
DefaultBaseStyle -> {}, ButtonFunction :>
With[{Typeset`box$ = EvaluationBox[]},
If[
Not[
AbsoluteCurrentValue["Deployed"]],
SelectionMove[Typeset`box$, All, Expression];
FrontEnd`Private`$ColorSelectorInitialAlpha = 1;
FrontEnd`Private`$ColorSelectorInitialColor =
RGBColor[0.880722, 0.611041, 0.142051];
FrontEnd`Private`$ColorSelectorUseMakeBoxes = True;
MathLink`CallFrontEnd[
FrontEnd`AttachCell[Typeset`box$,
FrontEndResource["RGBColorValueSelector"], {
0, {Left, Bottom}}, {Left, Top},
"ClosingActions" -> {
"SelectionDeparture", "ParentChanged",
"EvaluatorQuit"}]]]], BaseStyle -> Inherited, Evaluator ->
Automatic, Method -> "Preemptive"],
RGBColor[0.880722, 0.611041, 0.142051], Editable -> False,
Selectable -> False], ",",
RowBox[{"AbsoluteThickness", "[", "1.6`", "]"}]}], "]"}]}],
"}"}], ",",
RowBox[{"{",
RowBox[{
TagBox[#, HoldForm], ",",
TagBox[#2, HoldForm]}], "}"}], ",",
RowBox[{"LegendMarkers", "\[Rule]", "None"}], ",",
RowBox[{"LabelStyle", "\[Rule]",
RowBox[{"{", "}"}]}], ",",
RowBox[{"LegendLayout", "\[Rule]", "\"Column\""}]}], "]"}]& ),
Editable -> True], TraditionalForm], TraditionalForm]},
"Legended",
DisplayFunction->(GridBox[{{
TagBox[
ItemBox[
PaneBox[
TagBox[#, "SkipImageSizeLevel"], Alignment -> {Center, Baseline},
BaselinePosition -> Baseline], DefaultBaseStyle -> "Labeled"],
"SkipImageSizeLevel"],
ItemBox[#2, DefaultBaseStyle -> "LabeledLabel"]}},
GridBoxAlignment -> {"Columns" -> {{Center}}, "Rows" -> {{Center}}},
AutoDelete -> False, GridBoxItemSize -> Automatic,
BaselinePosition -> {1, 1}]& ),
Editable->True,
InterpretationFunction->(RowBox[{"Legended", "[",
RowBox[{#, ",",
RowBox[{"Placed", "[",
RowBox[{#2, ",", "After"}], "]"}]}], "]"}]& )]], "Output",
CellChangeTimes->{
3.7359292168635473`*^9, {3.735929261205278*^9, 3.735929263524405*^9},
3.73592932512115*^9, {3.735929779728071*^9, 3.73592978459217*^9},
3.7359300169106894`*^9, {3.735930064710601*^9, 3.735930083758526*^9}}]
}, Open ]],
Cell[CellGroupData[{
Cell[BoxData[{
RowBox[{
RowBox[{
RowBox[{"clearCoat", "[", "x_", "]"}], "=",
RowBox[{"Clip", "[",
RowBox[{"poly", ",",
RowBox[{"{",
RowBox[{"0", ",", "1"}], "}"}]}], "]"}]}], ";"}], "\n",
RowBox[{"Plot", "[",
RowBox[{
RowBox[{"{",
RowBox[{
RowBox[{"IORtoF0", "[",
RowBox[{
RowBox[{"f0ToIOR", "[", "x", "]"}], ",", "1.5"}], "]"}], ",",
RowBox[{"clearCoat", "[", "x", "]"}], ",",
RowBox[{"Abs", "[",
RowBox[{
RowBox[{"IORtoF0", "[",
RowBox[{
RowBox[{"f0ToIOR", "[", "x", "]"}], ",", "1.5"}], "]"}], "-",
RowBox[{"clearCoat", "[", "x", "]"}]}], "]"}]}], "}"}], ",",
RowBox[{"{",
RowBox[{"x", ",", "0", ",", "1"}], "}"}], ",",
RowBox[{"ImageSize", "\[Rule]",
RowBox[{"{",
RowBox[{"1920", ",", "1080"}], "}"}]}], ",",
RowBox[{"PlotLegends", "\[Rule]", "\"\<Expressions\>\""}]}],
"]"}]}], "Input",
CellChangeTimes->{{3.735929808592342*^9, 3.735929859709242*^9}, {
3.735930022223001*^9, 3.735930038420618*^9}}],
Cell[BoxData[
TemplateBox[{GraphicsBox[{{{{}, {},
TagBox[{
Directive[
Opacity[1.],
RGBColor[0.368417, 0.506779, 0.709798],
AbsoluteThickness[1.6]],
LineBox[CompressedData["
1:eJwV1Gc41w0bxnGERNk9IpKZlRCS9D9FkZGsjJLIyiihIjKjlITI3ntGRrLK
+EdlZWdkExk/hdzdFY/7xXV8j+Pz5np38l111rehoqCgGNy+/6ppM9dVP3+B
1O0UKPLSLRPUqlw3xzhlwfRQ90OSeBqOpsQmlnGeRmSnRP5YQwqmuQX93YV1
wJvSzPaiPwla7QOlSZyG6BE7LpijmgjBJzxZW7ymOMnXL0kzH48/mlYxlsLm
CFUT8/R6FYdvgb1ky2hLLGa2+F5Mj4Wx9UbdM05r6MpOKupnx4CsylXZlGiL
lAXq4a26aEgJnCxZ47XHtfWIVOnZ56CbDEg3Er6BqjNtMjRXolA93t3eZHgT
J/a0X9UojMRNXWtNs2gXVEUOUezdEYkvRx6qhnLewp4XXv7OHyIQlbKvXujS
bSzemg24dSwCmkz5Sm8S70BKPcXrS0E4Xi23yRG8dyHtNO5crBUGJ3Pz0oeW
nlATSOs7cOEp+DsIyYMZXgi7cF5uxi4UT4tYRfSEfSASzbxJnxOCMzyZmfN2
vnD7y1tr1v0YPs3xzA2GfpDYLZ0yQ/0YsvISoabR/nAuMrSg9QlG6t7zDx5z
BmJTsiSCVBkEr/YYslF1IMZb7J9UsAbBKGicSuBSEB6Q95zbcA3E7nUX35rE
B6CL7yftPnUfHr1RHou8j+CyMaUQwegPgydfXr2uf4Q31Us1F0L8IHlaeD3Q
8jFU68kZ0Qx+mC6rdOHJCEHDwommQxI+0IscctARfooe39V3O1M9IaElkMfV
8hQVOmtxmq13QbfD6eusXRhkA2rLln574ErV5su3huGIp241rHRyx17RcEmT
6AhsSeSNOQffAlVQ+bk3sxFY9UixrRtyw8r4ZyfBY88w460pZCbthtZYvoKV
gWegLqzNPbjgAn+6skOPOKPgEn7cnZ3bGWLqEcGlN6NQ693VXzR3Hd1BzvPD
LVHYhFRHbp0TBHdIFEjeeY6mqSbGP74OaP6bKdnbHQ0eBikWRktbOCvdD/sr
GgMD6tdUCY422OdluSLsH4PqInd+UW9r2P/DU3r3SCyYlY0kXpVfxe7VaDne
J3HwzJnPL5gyR4X07eizU3EY6fFw1LC8DPObBhsuivEwjorsGv52CcVLTFXk
uXiYqIrybR00hYnEMucyEhBgHFUu2G4MCsc2T46YBPT52HNdCzSC/lywksOZ
RGjkWl28z2aI38J2SZGJiVB0Ebjy55s+Mm3ObNauJuJUiKlTX5se1icp65nS
k/Cw0bfw++XziP3iqVqxmQzr9lsVVF3qOMVtmjl6IQVexZePDXOr4dvFYzR0
RSnIq6KnWPc8jQOLd62KDqfCfdO+ttfpFFwZ5tlUTFNh/HrSjo1CGc1iJuT+
wFSIdPWe36VxEs728kIUI6nodbGep1FWADk4qy9qZxomR/SXxZfksC+X/YHo
0TTEWJ+o6ag+CqeW+/JvzNOgO2iV7ZUrjfrZH7P6j9Mg9iY/OsjxCNhpr8Z8
rUhDAdXMzHWyOOyFutTvTaQh+K7or6GLImC1Ls7NUkhHn6OMys6T/LC9f8BU
0TodskUxedcYeVGTHrqrMywdNTpFEvc5uMDc+KfKqiYdRaB0mYzcC+sJR4d/
ZtPRWPbZlC2ABa8phrlCWTPgrpu126iBAbsParbykTLAZHvwYKgZDSxQ5fXK
PgOsDO3S4tlbpApzEQmt5xnInTt/Kvz0TxK9T8zIWH0Gft6+XXLkwBLJPIk2
9NZiBhR3ukiaUk6QSmtvn9y1LxPzL1y39PQ+kWhHppeSVDMRMCxsR2VQTrr4
2yBZxjkTFqsSXAOrTqRiriadlvhM/NidhfMT8SRqRZmtS83buzq8trxc10gy
MU0rXvmeiax3p/sSFQdIxLAhfTpXFh4JNBve6Z8mPTCnszFQzULpno/JkSYr
JO6JmrfUTllY99W8SIrcIJVZOXO9ispCZwdr6iIDBTRn+W/b1WVB6WvPj+Dv
1Bi/1t+5bzYLOdgb3e1BD/eFR2IfGbPBFhFXyaHLDMYbJ4O8jmVD7peSIW0Z
G7JWVsYkLLJB7HQ/5WzNASW3TMXR4GwcpmtmD7faj5514+dhL7NhoParMa+Y
Fw4eDCvKQ9kY/xF3hkKQH5S/32j+oMpBrLfW96Xngtt1zcoQz0GhtpqU6uFD
eBcweJHWOwf8lclHGz5KwIwmtKIyKweKOXHMSp+O4MdDZWb7jhysiMjqTtyT
xsHQnHetvLlI3z+j0TMsi0qmSwe9z+bCqCAoriRLHjrPGL0kXXKxQGn3c8VP
AfdibktFNObi0dgLkS0HJbBxiYaoLOTiscdgsd9dEvITR2ZW2fIgKuiga6ut
jIE01QQjmzyYF5/oiA1UgUwhCy03XT5I+rQMuUbq+CD5zqJdKh+qm8GuB1PO
wuKlR42PaT5WB0vXXQkNhL4auzmRn4/j0qtJNjnamKsvGs4+V4Bg+rgR6+N6
8FW1lDe5U4B6IY5GiT96+F8ze8SulAKk+1D/zWjUh2qrl5rTSgFWOqWz7l80
RHKfxkvpyEJw0Z5+oVphDDmTvwxTNYVYfivk2hBlgrahEtuo6ULY3Y2/U+lu
il9jHNwbckXY1fTc/Yf6JRh+m3lQ+7kI7k4u8WvMV8Cw5W+mfqAYnKyFVhsp
Voi1NzaXUCvGNd36Ab1D1hDslbBguVGMOpVNVrESa5DyBqyG64pxp8Pxr0az
DaryoisqJUsgpjXPTU19DUsGi7VaHSVwtPvSYtbkBG66MI6O7peQUcq29Mp3
xYXcmFa3PaVIyl++ZJvmhsTLAdq2fKWgs3sY1/qvGyZZr7ebyJWivaLaocPw
Fpy9VTpPXi5FUae0UR79bTzSX+reWVQKJT6q8kTvO6j7ozKUoF0GBbvy102+
dyGktzzXFFIOhurXV9oIX3D5qivapZVjyOXJCRUZPzAXpYbQV5ZjSVr6z6KT
H/6lM5DUmyzHuUsxlIen/PCpvtJtVKECy7ytnNo9/vCU8t/8Z6YCwSIJT182
3EcHEzu7pHIllEP3Oqb2PoR7x3HErlXhTONU4phFOBglK2Y+0FXDnUXoBGNg
ODJDpZ785q6GbMv1VKOccHRpHxo0P1MNnwVGS9nlcIi3srsJRVfjOYlKnM87
AmMtRHbpsRrIv11aKUh5BvWGLMZ2z1psnqRdXf4ZBY5yllFKyreQ43tSOz0f
h1eTqm2dSo0w2WURXPlle+cckvabLpJB3a/ze0srD+vCJ5mKrrdAkOGI7FpL
Mah+FTDvF/qIOzOaJRsZZZDfsnhl8KINI+IZwdTGlWgLlO1oFuvExhmJZHqB
GvCGL/zKW/4EiuWn7yduvMXCxthon1Q3dtuw+Ju3NSDzW81Hxqc9+CV8c82A
nwxGnhxieroXhzepyU1+zXhiX2GbKtiPZ9NXG7ua3+OncsH0Nd8BZLNU1eqe
b8UtGXL5/5o+Y7lX2OhAbTvGXpBDuviG8HWz9EaI/Cf8duhNEPUcxtUL88Gv
w7sgfmrnpm3NCNQi1LPDh7qhns5n95JjFPs3aS77qPfCnecK/4TZGEb6tQK+
pvdBYvECw8C5cQiu6bIm/+0HG9MKHfnfcbTZ6KffvvcZ1G8TigUSJ5Bpuykw
+3UQjrI1g7u0JlFAfl5o6zGMAo2rqW9+TiKhvFrtEN0XrC9wMc9GTyFap8+2
OWAUFQbqO6JOT+M4Z6Dqe5Zx+J4NSimfncYON8ZPkgPj4Pui+TkjaAbPNK4L
miZMQPFYYBSnzCySq0NcBN0mYXag8xdlzyz8te/Fy2IK6x9DJ2/6f0WHnhWH
Ge80YqnNb+kLziF8TbHZdnUabKMV6VTkOdhanOPreTcDGm9/w+Mu89hjxSA/
VTgLijzz4knWb5jNZRoVffgVrvHFoayN3yCVos/w+M4c6sSD6VhuLODtugGv
nfU8WDRdJQIYF1EWlU7uOv0NI4c/9dytXYRhsfuNGcUFlCRDcNp8CfwzzHrS
Aou4XCzPwrO5BKMFe9nzu5bgF5TmP5K/jKLsAqV0mu3O8SQwahNIcrWeilhd
RnBSkMWoDgGvZp2Guo1lWOsvCb3QI/D4/VDH/O9lcNfWlpwzJuB/s9dDhXrb
wy41P7lKQCdcnu4nO4Fr8nHf6e8SsKf/xWYrT4A/kP3szmwCg/8kDdpv+6bC
vT0DuQQU3vHkJ3hv+9JUd3YBgb5owfx2fwLhxmWX1V4SWNpJVpB5TGBLTN8t
qJbA/6yPhv+NJzDSFZa8o2f7Lw3voaRtf/1gw6qnj0AI1Quiq55A1Ikrohmf
CczwVH6lfUdAK0uyXGWUANlX1talnUC1R/sH/3kC50veJZ7d9ujDcmF6iwRs
zZkmfCYJuEwmGvIRBJS72wwrZgmIaDuN1a8RkJlO+ci/7dSUvZnhGwQ8ibI2
01UC4xUnHCz+JTARr7D5n9c6ZByR+ksgn+fwlfe/CcTwMqxvbRGwLg4n/uv/
AcIYkdc=
"]]}, Annotation[#, "Charting`Private`Tag$35868#1"]& ],
TagBox[{
Directive[
Opacity[1.],
RGBColor[0.880722, 0.611041, 0.142051],
AbsoluteThickness[1.6]],
LineBox[CompressedData["
1:eJxTTMoPSmViYGAQB2IQ7ZX64uKBl6F2DFDA4ixVcF/SxB7GN54/Y85mSRc4
3/vs9U1zJUPg/PCU73snSabA+Xf12517JUvg/AWi/m1dki1wfiPHZvVOySlw
fkTkwvUfPi6B87n/N8a4y62H82dkhsfpuCH4Kld0EgTzEHy7ldeTb+9F8Heu
nLZ1u94GOP9t8Js93ucQfBPO67Z2jxD8qn0H9xl8Q/DZNacfEJXbCOcr/nM8
cj8Xwc/YrON6qRHBX5chfuzIVATf+vKb4yv3IvjiN5+bvUDiAwAc+lmw
"]],
LineBox[CompressedData["
1:eJwVj2s4FHgUxpFCilx2bbk1pC2hFFKyr0V0oWJ00VIWIVupCFl28JiNbuyu
RW4rZJUYNEK0FClyHxNKM8yMcZ35b55cK3b2w3nOcz687+/8KN5BrmdkpKSk
jkjm/03ZaTH3aKQMUs7Hnj3o1MfRwtTXwavLEX0tiXudbYVMz1gnP0o5bPS0
RHb3bcFTPd92wrwcUrb7P+qddURQlG2HtWc5BjsMdWNCjyDBVdQtVyy5CyjX
78qcxNPPtm8znB6hL3FaQ5zlBwMX8WjDDSZkNXVfhq+6gnU0x93+d5l4WNfc
q1l5BWuKc26srGSiNSP78NSPoViQp5q48JjwNTM8s6sqDJ31lcEcywrYR9Ge
bPWPQMS2mMW54QqEaPfmVbfT0K6srm5iU4kFxYuJat50hLXvQtrHatCth+L5
LknQYKpwpKXrEJRKJvvcM/CYZ9fasec5DN0a+iPl8/E8MEvTfbIRARuv7Fkq
eIDpjdbKxedfwvxiAFU7uRQy80VrNA1aMB9ledp0HxMWS16PqSWt+JQu3S8Q
VqI1zqy9ybADR2lPSpPv1EA3aWL+vrgTt7rVhQVNdZiY5XLY27rB/X0H68TY
M+SP17Qo3WahXp3H99naCCXtv4lA0APWli4TDVoTbp6t8MvZ8AaW3bTp7KpX
mLEpEgTQerH8jF3QdvPXCNneyPy6oQ9v5fZoFaS1gVvSeKOL8hZ86oRi8/pO
fArsydgc8Q460zI668K7sOV7uUW/mgE89ur0tK3vhmMuxb9Mg4Noan5ggFEP
wrRP6w15cFErxzimEM+G0eRRxV7nQThmWmu18t9ATflf+caFQYSlDyfk+vZB
ti6DoZ85BC2f1bOF3f34yaymX+EgD157rVLu+b1D0X7vnH9meLgXfM3Zd2EA
0xPr1ghT+KC6m81TrnJQQXVclmwvgFPY3PvjyoOg7aP/xRQKYJwkl7mydxCU
9wf68ujDeFEdMRCaNYTdO+OS124Xgjt0+M+8MB48dDrmpVlCODK+2dS8l4/p
llu8izEjcDQUime+FSBN9lSI64ZRiPMvvEr7IoAapyJXpnEUHopjDMuuYSyP
inHbdWkMkaYN7murhZC6f4rBUx1H4Z0cbuofI7iczril+nwcoUUfauNiR/F0
S7y8yoUJ7NC3DDEIGoPKgctGsUqTiGbHVmU6j2PAuJN1tXYSzhdSSbrNBEqz
sUFwSgSL31KClhtMwpNhoaK9KEKzdMLUoRUiRNPvxgw8EKO/jB9n8FmE4lHt
DCUngqkW84RGnhjxWXQvziGCOWNuT6tQDF9XkUGJC0Fn5QoL9rgYWrW1pc7H
CRSMiy2FU2JcT/yh6aY3geVa7+8UlhEEWNz5sPIqgQ27zo6qT6AXp75PrkCS
fzY2N+NDsGgZubq3kOAy+yRfOoCgX8TvLigiSAk35a06R5B0/JGnQxnBuZOT
WvohBEuGrsH0Wsl/cnn0I3EEA12J2ctYBEoj/lqMfIKqX2d9WGyC9TVf7a+R
9CZbnd6c10cgy8pMePmQ4OA9E6Yth8CjRs1hkEnwJLytOWZM4jdWUqT6QsI1
Nk90mSSwP2EaqttMcImX6UYhBLcFDm5GbQSbnM5x6z8SWNjLH3SQcGSle/KT
ZiW827k+1H6CwQqrQK8FiSf/YaLXe4LawLyt274QRP6i03F+iCBVV3F6aYkg
NENM+XmY4D9dyY+s
"]]},
Annotation[#, "Charting`Private`Tag$35868#2"]& ],
TagBox[{
Directive[
Opacity[1.],
RGBColor[0.560181, 0.691569, 0.194885],
AbsoluteThickness[1.6]],
LineBox[CompressedData["
1:eJwVlvk/FAgDxidJriTqFesshGZFoRLzYELYlStXVmTcU2OUXItcRSXJMYiG
YYyzcYTkWFe8u6J1b9E6iigkku2t2N4fns/38/wD3+dROE+z8eQhEAgp3/N/
mnvO9bfOnyENUONUqi4VgpcsFTAhqYWd161+zz2YjyPMzJwayZNIfUYsnWhj
4rW0YnSwsiXkmF3iD0ZyYdE7Wp0raYdBteOKHHIOFG/JsDflnKCvMKK+bT4b
X809GO7KrkgyUQsLr8vC27ihTvcMdywUdkc5szLhQFlvvitJgZXWtK5NEQOd
ZKn6jhwvMN/xjm02Z0Bjv37lRzlf+Kyl5GnOpoN/OoZlr3wRDcZPD287l4bH
kwO9HXYBOLGj97xZeSoCrCjmLhl0NKS+IOzZmoqXh66TkyQvY8eD8Gja7ylI
Y+5tVTobhIXLszGXj6bAfGepXkvOFWiYMsNflt1B3dJT7fdyodCkTtK4Fsmg
urpWX3cPg8n+/GHZM7exr++9unxBOJLPnNae8U7C7QoxFWvlSKhkiG4Icm7C
WKawcN47Cpe+yTW5DNxAZFe2aJvdVRCFNZkzvDegpUNMcsqIBq3Czo0vMgF5
e05fuyEZhw31yhRSfTzCexmd9o/jMNnte6tWLB728ZM8+8/G41rnjp/XA+Mg
vEaPasy5Bv7sEZKwYSxChtJCFuQSQV9/dSxFJBq2t17WPWpNRMvjxcYzN69C
/aTyWpz7DZBbOwsyhK7idU09XabgJtreneg4QIyEdeoLP0vl2xiMWn2yPS8M
RIv9JVLdt1Fr+THLvCcU/Fupb2a9k6EV01Sz+CUE5xo2qn6zu4Ns3h67emow
9qjeUXfMSMEmsWSClnAZPPEPf26ZTcFqCNOr+cUlLE/+RVU8ehczEeZKLpqX
0JOpULY8ehe85U3F8u/oiOavOZAomQb6nePBu6VpUDNNSagOSENTRP9IxdwF
DMTT5se607ABjb7iZioUtxLL1K+ko+NVh8jXKD90fStUHxrIgIyQxi4Rdy/Q
9GKTv6kyYMv7iOeevyf2hrsvK0cz8LgieJ9qBAW+/8hUhx7KhKiBPbHu4XkI
r2Zoy93KQhhnvrTslStqNYMyTr3KwvhgiL+Z+y9wDbBdp+tmwyEttX/s7Vlw
F3c2dM5lw5GsqrAp7wRH4pLkEu4hxiHtoWKvAwj+T8MkGPcwHOkr5RNnD5u5
BD0/4xyYFXs4x4rb4Yuyd25qTg506fvPfX1rg0JP442m1RwY3nSiDj+1xtr0
ltadrFxcb48q//DLaWS+DCPXbtwHpfdyLU+/KQylnQr/PsNEOPeXo2PSJnjr
fHQbfwUTJQ2ChLWwk5BdCPWo+DEPwRu+TUNUQwQKzYsbOeXB4dG0tzjBAF1q
jp0jcXlQ6R86LWCmD5qvjhJhPA9DdMr8NoNj6ExgD6dtz8f0uM3SwUVt7C3e
fU31SD4YlBONfY+PgNodq9Pimg+r5x5F4cWaaJ1dmbW5kQ+1ltKMeP9D2M13
nvGmNh9lPDMzFzoPwlep3/TXqXwkhKp+fuGsAjEKt5h9jIVh/8NG2/X3wStW
1kmXwoJWBaPER0QOjawkgWfJLDRaVhBjJaQg2v61waORhQpsoU+n7gFlyt/v
n1kW2mv+chKP2YVHhDGpJLECBFuxhe3bhCAsb96jQCrATi95+SSXbXBDQ3id
bwHEhHo1DxZtkmpdVYgW6QUonjtteOfkJ5JgJGN8orUAn4KCKg/JLpJcc/mS
Li8UQHc7Xd1pyxSpuilIX2BvIeYfBG5aW/9J4ht/vZhLLkTMmLI3j+1DkvMX
2/uHaYVwWyVKja5SSVypDsvu7EKsCLNxeiqbxKt7ePNs13evjn1cWmpuJzk6
5XOXPxSC/eTkcI7uKOn9mJ0gS4qNxP1ddldGXpOuufJ72pLZqN7xx/1Ux2WS
9FTjb7xUNtaizJ1JqeukGg+aVF0aG8/6xPIWhAgwn90X5N3Mht6bwZWED7yY
9Bl5tneWDQ72ZAyECCL4XaLaHyJFEE/JqpewEoXIRf348KNF0P6sZ8dXIw72
8vIE0a0I77cHG9IoEtC7VKj7d0IRfuTv2n3H4wcMrjmkJ1cVwdbkc3sJVw5+
IULLBi+KMLmSZUxQ3IctX1rMV3g4yIyw+LCYrvidgeyCgxyU/2SiQf7xAJ7E
PHfmi+BgX/39I21/EOGyLam2ns2BLidLVO/PQ1i5biDq28fBsoqW1dSvmpBP
4jzpkSsG64cZs8ExLdTvPCsfcaoY9mXxWZVsHVjeFQlXpxfj3RbvT8tXj+FX
RpBGSnsxEiceqGz66UFcSvWm0bti3Ah5zr0aSkJpzvjMqngJVBX9rLx+MsBo
PvmevWcJXLkn+jLjjHC4fBefNH8pSDZ8QsX2pvhd/Ylbr0YpyBsJgfLMU3Cr
CmmMdCrF6vPqtcD3ZkiqmwiYKi3Fcc3VXE/OT5hrrRgr+rkMCYJZ45Tj1ogi
u+s4XilDq5JEO/GrNf7TtTtFgFkGViTvt4J2G5B7wk2oy2VYfqbJjnW2w/1h
syrN1HJI8Z18QK51gLbjN6FXjeVY+k0psC3NEU9fVHqlvS6Hd2j2lfpgJ3ye
kJBe166AQEd68IrpWdi9nbnW9FcFgqn07I+i5yC0Ge1iKsuFpFi5xzrTA5m+
Dq5EEy58rFpHrQ9QoDhEdNt1kYtmow0xtUoKSCWjHmPNXFzp8/9m1uWJhpKM
2nr1SqhZzEvz8vqAcC5ap9SoEhf7e3YIMHxgsptan2NfCQOZ/7aHHPTFYKRh
Q3RkJfQbiiKSHf2waLvQZNFXCX/vl90uHVRoCYzqk6YrscqR1Q1zv4CwlrYW
jU+VaHSpVvhAuIjtqozWPbJV+CC+IfuKTIPl39GG/IerwOV4qTm/oSEtldr+
P+MqRC+rWuwyCYDChmHnxIUqTJXXjD9bCIBPDdF4ILoKcwm3zFQM6XjgI9HV
mV4Fq1syiUrff8BHGR7T+pIqsHQflnZ935sTgwvdJc1V6N2q0ypoFAiJ5290
5r53B/GFdklyIP4FUV43FA==
"]],
LineBox[CompressedData["
1:eJwV13c8lV8YAPBr/EpIVpJRVqKQZKRyHxnZe13XHldWkSSREBoISULIqpCV
yGi4NoWkYYQkGUVGKSt+z/2Hz/fznHOe54z3vPcVdvYxpdATCIRu/EP7L6yk
uPRk4jGcuaon5GbjBxb5d16f3VoOe3IWi7eOnYF0u8v6bsLlQB39yp97/wyM
cp7qJCmUw40bB1kLT54BnxC1Nyp25VDJf5Jty4wvXDed6dlcXA5MPr9yJpd9
4MWa2sBd/SeQQjxrnerkDXtMfk42xlQAG/HQwYctFOAL1TpyMrsC2LUziW/J
FGAvzophrqoAgYSrJm9mXWGFyUzGZLQCvBm3HDsu4Ard1Kqzw4crQTZKeqH7
kjMEyYavL32rBN+ui9/u99iDj/2AUfpqJRBSPjBwcNuDa+yhbOB4CmVjheqL
lnZgNPlN/cqxp9DH/ICy64sNiGXpXue69RQSxOoNCjZZQ9c2bm4Z1SqQZZYa
cksyg0aVU5S3FlUwKTanKzNtCtVeLU/9vapA6Pz1uyc0TSG3NdD6WXIVJBBr
Mh1XjSEwdChTe6YK5ipaOn7P6IPI7ANJl7RqyFqPbikxU4cdgoTgTWXVkMAd
kaO2Xw1Y9aw7CpqrIWyxO1Puv+Pw9wGLz9xcNVArj5ZLh6lAh71vRYhWDVDz
t9bR58pDQ2z7f8J2NSBUVMDNdl4OqmpFrJr8asDxsMKPRCNZyOH5sMycWQOE
Z3kzH/gl4I6GjF7JE5oPRNhPiEKs39V0k3Y0xfHLsfO74XyXMqT8Rodt+U9i
aSuwyVR+a2eqRbPcmIn+R8y7IRu7KkCzZnD6ZC7xyMwjOemD6CUro9y4deJb
/b399ppoOZmoJmE2cC/KCU2wRpcGyiT58MA6yy7xhlPoMtntH+oEYf9r7rN7
ktG5ly6U8IlDw76EnVaFtRD2cnKze7EkkKJZqNdeYtx3Wnm7sjRE6dBvnR6v
BVX11rFaQTn43Dr7oFzpGai68fx9/ucwBOz1MhjTQ99SqA/JOwKsV8d/bXd8
BtSM2NRRw2OgfGJI9cK1Z0Dw+NxflApwq+nVAPSjd8pITDKog1b9fbbOoOfg
OMV13WCPDgwLCVeuxz0H6i3fjwGjOuAflm4jm/scwoIVvvNm6kI23Mq/9fo5
jDiyhHaz68PqizA1ssALyOKTlNcfM4TSWpuAiRcvgEBXOFwqYgo7KjiG6ejq
IMtFaZP6hiXYxq6aj/HUgWp3TV6ggRXkuH573SJVB3N6GjCbZgVS22tqYkh1
4Jhmxp13iARqAY63t5fVgbEU6yV9W2tQTLd6kHSACmUyLc9uxdiA9bWOL1FH
qODb78vp1GUDF/2PC57XpEL368fS4ey2UK+/P8nahgpCQ/VfXiTagv6/9fBd
VzEetbLvRLwdONk/sMsfpkLWwvUfZz0cIFKXPzV1igqqo/9FT2Q7wAPFhPfR
vzEekDn2ot8BptmC9E4x10MCj7bOa1FHCKgzUJZTrAeq5MQ0U5wjxAotcj+/
UQ9z74IqQsydoITV07g4BdvzJVgwejvB26XhmMzceuh+X3NFPcIJeN620YfX
1ENWeaP+TJkTZIenz2l+w3i73L4VJmd4Oqre8eZYAwgVy/NYFDnDR+3w+Rta
DSD79TKHSp0z/Cl5yaNv2gCOk6Pnxt86g1KwslPbyQYIq9aZvfTHGaq5Dvyh
JmKc+9ez7mMu0HfBmz80owFUA+n5uwxcYOlzgapKfgPMFb2vi7d3gcNFYjE1
LxpgJGGe6BTqAjUafELlkxgXdnxy4qULDBRaafr+wvxvb4z5dLrACvttT5l1
jM9d4XEcdIEjQ9sqC7kagT23pzt52QVqz/2nm0tEe+m9cTvoCs8fzJ1NSkIf
l5vsS3aFQVaZVNN7jSAkGbORkuMKa35eL9kLGyHLOlt2T4krqMA40426RnA0
tuDJbXKFl72fMqK+N4KvwVszFbwfh1V2NqovNkL3NpEst2VXWM+1nKQjNIFj
Tf5JewYKEH3fyl3a3oT3Gc/NWh4K1DG1tgaoNoFQZpuZ9FEKjJxmnJHXa4Ks
EpaIHnUKED4c5/xl0QRlHkH+2voUUM1+buvj1QTGr9trHtpSgKpcPn8yuQm6
xYQuHg3G/vdmecSzm4BK8Dt1+jL23yR9bOxRE6hKfTL0v06B4z0PrzjWYz3H
WueXkynQ4JnBbz2N8U0Uzt+lFHgy5eVl/6cJfNPk+VwqKZDnfuSZC6EZCFz5
NUW1FIhy6yWf5m4GY6u5xO4mCgR8u194dhfGP/UqPGqngJur/0qgRDNQ466r
OXVRQNuZIy3iWDMkBCS7O/ZSQPnL56lrJ5phTvXXZMEnCuxzLFGOM24G38O7
st98pgCrvV5/imszyKbvjCyboMAb6yjeklhsL21+u3MR59tn5v4kGR2SbLm+
RIEyK5Hq6qxmUO0q+8y6RoFEizqrxgrM//U9axOdG0S8v/Gw7WUzCFmtcJxi
dAN/M9u/nW04/viB7N+b3MDSZDm5b7AZ77tTglksbqDV3To+NI7tR8s9mra6
wWGjZMWvc9g+4fJ66zY3kOhyvTK5gvO5OMn8iMMNdhoc+jjD2AJZxk9fnOJy
A+YOOvFfbC3QTRepyb7dDVZ0u88t8baAsWxZdyKPG/xoz2z+J9IC7Bcdbyzu
cINB7VPbGaRbwPFTeMHhnW7Q2XqUwqTUgvd5m6ktnxu8PMFcufU4Orz8qSO/
G5Q09zFy6bVAQkQE/QkBN7in8dCc1wLzPddxYRV0g4TGc3mCDi0g+/vTfxXo
MDWN3yIeWJ/uAI/KLjc4U8+pIXG2BcriSxoeop1Vv9ySDsH2SbEKv9FmdaVf
5a62gFCI312R3W6gQbx06PBNrJdbUugQWv6FfoTK3RZQ3akxuwe95xj/O7X7
OF6CiPwq9ud5NiWiXdoCVN7ZnU/Qm45U+xnUtMDcgazXBui/1VcaTBsxX/TS
2ddY36SSBSepE+uzvaoihe5/Kups14vtC/NNfXF+rxQWHjt/aQHfxKihOzj/
2goqnfsPHP8ON1Murs+jQ/Empxax/cLOtZu4funldtl+G7he/Xu/uvK6QexB
qfnzW1pBqC1znB/X+/SB9oTLgq3A3mM6ocjtBg4ld0au7m2FrK9kxbucbmAs
7SZ742AryAY5a46xu4HcfobuO5qtMPd5TmMPngfRwre7M4yw/TFqlCCeF27J
LJ8c61ZIaBLau8rkBoviKtuKT7WCo7ngvpN43oijaq3Rga0Q1mA6VYfn8UqG
dqh7RCuMTEztWFmnAA+3+axoKtYXe+061zIF7N9YP6TLQ9/dceAXnvcH0Q4O
n0uwvwHvlsoFCijSeb1Ja8L+LV0CIz8ocOm579XAN1iPH1+VziQFWs4HgOUA
5tdl1Eoeo4DVz/BSjjnsPwab+gcpEPgpJf4afxuEjWzfz9yBz1NyppabeBtQ
z7xIT2ilAJNp3ob6wTbIcuIIXm2gQGpbqc/GCWz/44d8aA0FaitbjAL82kD1
k+Qt9fsUWIv/vc21HeNz5bPj5ymgobfSevx9GwhVd8u0n6FA7CZC2O7PGNda
z0j0ooBgCMvcwG8cX2al8pM93oeeIt0mQu0Q9kXaRU+DAqEaxglwvh0ILNXU
JmYKtG1YaAteboeRJxNnpPH+ZH9mQ1iNbQfqlqEvoauukHXwpO/TnHZQTdl0
d/SHK1B3XTKW7sL+bP7lua9dgX75ETv/nlfgyP5kSOGqK/B3qv2CA+j62fKx
S64gn93/wVX5FRC8Ig5eDnAFis7muyUGryDLUzj7OsUV2lKd96gFYDyLP6xT
zRXij+w84tGKZroZrrbiAgIXr7hUebwGwhq92n07F1DccHxqVtIBI187WZjX
nEDfgHpZs7oD57tW7j/nBC53dxspNXSA0KDa9PsxJ0hQGp7g+4hxyrhHQKcT
TPnY7Bz9h/3TVYch0wnSRywu+hp0gqrFctu6ihPQNeiq3ZjuBKq2nlxNgCN0
RMp3tex7A2FWcbmROXawO+HHcsHPblAVveCkNW8BP/5+Hv4g2wOEd9Iipiv6
8PRkfIOuIno1Lbi4Rh/CeokP6o6il8aZtl7QB56qjFMFJ9BaI1f6/+rh7x2b
tYu2aK6tQcWLupD2++NOsWtoB4E3XgvaoD3fae73GW13QT9mXgO4nEIOT4yh
velr2h9rwHC3lIDtd/SVCSlOPw3wL4v5qrmI/rq3t35BHe756PjtZHkHBLOV
kazfavBnpimeqoheSw29vKIKed+fvWKLQ8d9+jq8+wicvmMk6nkLLeUi3Xhf
GZQ0vgY3p6CfhwY07VeGVxnM0hdz0fbdu3cfPgzzxtbxU9Xolpdux0wVgVj1
x6zpK3pS8qxprBwwuUYX7Z5Ck2ZHxbnloId913/BP9Ep324IpB8Eiqfm04PL
6DmBVO8iWYgVTOK9x/YeCN2JfAYZ0tAfcXDogjL6sIGt3yFxyJFtVvhARMvb
Kl/S2gPeQ6Q4WQ309D6X9zZiQFAKgwlDtERwiFOUCIh/78o2d0UHsmXuqBaE
uWTnlVIP9Fy97M8xfqhV/2PK4oOuVqQ6cvKBQYYgY8MFdMq4ryD+nvc39nY7
EI9mdz8k4MgGxH8bL6OT0MaNCs8amWFz4a0d46noMBXXLInNkMbwrC09Dz1S
dPLa9AbRtcxQeKmAFifcYH25RJSxG71gVorOau7elzhPXNoS0FNSQYv3yHW+
HSPWP92yn7kWTaBo8XG+Ika7ZERQ6mim8g5vfUM0Zz84SG2iecRZfNM4cdeL
JnmBV2jqieI64QXipAfpxvk3aFWx8Rcqy8RynulvPe/Rjr+1ovYTILgxlCgz
gBaiHHz7lAHYBB/Ojo3R6tmjYtbODKqWEUNfp2h22PqEiw384h1ej/5E9+1h
8C1hh490vA9Hlmj9m4W7Frkgc/ya/SDrB9yvoxvHQvhApsyz8508WlaGXapK
FAzUZR41RKKLitaNFXB/PSrdssQ+AqFCrCWVcgz+qD4acw/tBUJ20TmDXbrw
PO/H3fOR6PzS/+S0dOEyk5TZletopUd/V3x0ga27qD73FjrMpl+5XhfEHUoy
hx/S4lqXPJ31wDLkMcm8Gy2VMxx3Tx8qa6o6QLgPCKIsu/IYjSBIcCnCUByt
ydxKv88IVMMPH7Xbj96lU65hZAQd2jUFQQroneyyfqlGMNZbe6VSpw/CRHcE
KvMYA/efF6r7/TDezBV0+YEx+Ms1VfA0oqPdFgWem4CbvFDWzTZsf/hFsFOX
CZAUL8awdmG8sSYracQEjh6Rd6bvR4e8qGphNAV6tbxtP39ie/3pJ9b6phBv
EunZzNcPYcfoepX6TKHQV0PI3w/Ne93v5agZpPtlscye7wfC76+k7gUzuOG/
9scjBOMZSkHd9ObgG1jR6XANzfnT5a6IOSiFiQXrZaJ9yxNsnMyhKZ7xo8gr
dF+pVcQnc/hc0hTzVngACIyPWp0bLKB7hnFabi/66MP8v28sgCqlqZ8khZ5a
lQ4esoCswmZWKyW0RZWQ4ZIFOD9ouTGojx6+GCUqbQnjGW3xE+fRIdscYm5Z
wkxsx61/nejTzjE6ZlYw/Jr1t/07NP35vY/traCL2cCc2odedDDa7GkFJdc6
uSO+ojUfHA8NswLfyK7bTMvo/acKM4qs4Hdw9x0usU9AqE0PTKIjwarn+7uS
QWgNx3HPTBKYK9rdlAlFB9bv3fSQBEV041cORaI/uKgklpLAPuXvGZU4dO7l
iYtUEtQ382mb5KAfTJ9I/0KCq0JOvwNfoUPy6xmErWHkx9RUyBu0fHxCkYQ1
HK7y+3z5Pfq+N/GErDV8N4h8FTuM7vc+og/WYBD8MCtrAS2n2ZGD369cH2f0
2/gGgdA+Ih2cZA3e2QFqnbvRMas2cnetocl7Q6lHDB3wMXAg2xoCGDhEB2XQ
h70j/pVYQ7+s/PKsGvpO5L+4Nmu4FxN0f4cX2rI4a2TJGpYsGe4K+KJtwo0e
rluDsUhsgvA5NLmRzoGRDPQ1GcH7Q2n9XQKyt5GBMk41gVtoqcF2vz1k2H98
87rbM3SC7HltQzKUFT7a20dFOwy1XzUjgzy3sYlOC9riQXoliQzHJlLy9r9F
R/u/HnQmg+GNfXpz42jeqhvWAWTo+dPl7zSNZugS2hpMBivHs5k98+h+vxOl
oWRwPPR8vmKNZm6zumtk8Os3SLnAOQSEE71P2dLI8Edtof77DnSEkahSJhmC
i5J/2AiiX5goGuaQITL0M5EogY6ikLULyZC858w3eiL6mMI37xoy1JxJkov1
QHM7eF94Twbip8O2/06jWUSu3uglQ4PGUNRpf/T7Cf+EATK82iHebxyK/n7y
g/MIGQZfVIVuv41uW1hX/oH17rUtuJKG5rTd1DxDhm8JhHd/76FdFJeJc2T4
6aIjPlCI5hkt3vhNBgLzp45MKnpXd1HFP6z3bOifbS1oqplH1QYZtgyJCoW/
Rj8T3V9AZwOcZd5nXT6i99J1WP9nA8k7OTLef0IPtD3m3WwD/BGVLZpf0Nom
hS1MNiBmub5TYppWr8WXWRYbyK/LUU+dRz+uFvfaagPSklqnmP+iSQWxH9hs
QHEtnjpNN4zvC2LbeQ4bqKXIf7fbjL78O6+U0waIb/q43rCiF+3KPnLZgFaO
8MnHO9B3C50WttuAfAqbeIsAuiKD1MtjA0Jxq2MDwmiLmfLiHTawNXIyd1Yc
HZ989hyvDaxc+ODMKIW+kpYhs9MGJnwahHceRF9cP9SPfk8pHZFWRFNfK5/j
swGqTfo9taPoR9vK6fltoNjkur0V/jQjlHy6F45O0woQ9NZEq2tuWkBfUXEZ
DNNFT1AmzQRs4Owh47u3jdAiNjoP0Y6SKuRCc3TECalptMHufTvrrNHJBkki
gjZwZPuOvnf26J+pkbpocRbGO5MuaAFrgiuai27e4p87Ous5sw+a8HeIm/M0
mnHlgRd6evrVO/Gz6HrdPmt0/2hV4tFA9InpbGV0S1+eiXEIemn3Zhb0k66b
7JTLaIn9LF1YT1bTpTcXrqIFrR5fRsfWesXFxdLGn1+TQF8oIxnk3qT115mn
4nzdHmiyVifT/PSmLto0Xe51x130fMKXZlw/SNwd/SULXSA/JoeWusaq8+c+
upc+4yau985Ly5tZHtH233HbKO7PJv/xlt1l6NQKohj6swNVQ6eWFl/+EoL7
22FRzGBfh57ssL2N+1+tl9bg14T2cMzJ5LaBRCV/1fQu9M3qu1fw/IRKO22U
vUOPh1pS8Hx5ixq+bO5DK7J+V2C3Ac1tEsdmR2n15hQU4fmU+2/7KsMk2qlr
0JTVBnat0tXyzqA/E/5+Z7aBpfFPSmp/0f7jP+fw/D96GX/oNstnfB8FmJrj
85JScXGhgB3dGi4ajc9TZKHH45fb0UEdS4/xebNPVj8wuRu9RlfXu0wGjtN/
9x2VR6/MiFycJ8O6y9iUkTL6TP8ltVkyfLd+m+9KRH+U+LcyTYYmzUficdpo
cT1ftUkynBd0EPliixZ6k75/mAzOxrKWg07oapbFhE94/0XQRfe6obUu7pjq
I4P4VO58py9ae6D9zDsyvK+YpNZGov+6G3xrJYOsvp9DUhGaPUKYVEIGgVD1
W/GP0VdFR3/gfba5nLs1+in6+p8Cv4dkGN5RJRNORfeO2VtnkSH26+q/U+/R
wR4dMTfJMBkUla61hhYokr92Budjud89mzCC61GtaXgK7685LvrdDOhbEpmb
PcigJ/pNgY8JXVOsYO5IBpHrVzPYOdFx+mct8P7vNu/w/rcHbTXXs7qXDFLT
Fiy9BughK64/b62h2ly/LtoYTQ7ZVvraGtRfqJ0lmqHXtSqtm62BHHfg030S
2queO7LaGq7Lbnnk74KmfmySzrSGcf/nupwX0OUSDANu1pD1TyTaIA89n3yr
boYEUm47iXQP0RmZ0jXfSFDVtW2hogD92Uf2/hAJuu6tWQuUopUsrpt3kuDf
8Y+SP2rQVVpKHEUkIF+53n7tDZo0zsR0kgRc2+aYmlbQFq+9ed9ZQc+L6Ks6
/9CtK2Ycr6wg0XvPpjcbaLpzvBtUK+B8RWYYYPwChKZ1w5oSdFTzv1k29KOf
zAXXrYB9NW2BXxTNJRkTpGIFrBOag2f10NQ7GawZlsBYd7dUNB19jWFeSsUC
Bo5paH/ORAus2cfLWkBp7fRIWjbaPsB9XNQCyE9VODkfokNavf2YLeBx8Wd/
Qjk6KZCLodcc7NNFjwy1og3v5G89bQ7VFx41Jf9C723YvnHLDLzkn/Vv0RsF
gl4omafeBB7pOGe9/IOeDndbiNKDxR987OPJX/E+/n78k7Y6VJppMSRpjAHB
fZudVMQhuKZXHSWghWaSU/U4cghs1SWZ7uugjXm0M+blgP4Qy9anhuilCu0f
DnJgyPmGp4+EbkvNEjl2ECa7LfcJnEJ3N5YrjksDn6GbSd5tNHvqEaVqMZjR
7H0nlYIuE0pcFhMDqoq2ZWUaWnX/2fKbouAmvc+m5R6aOjLI5CUCT1h/uk4W
oEf+ZRoJCoH+63OBUi/RhE7mDcIO2N04vlJBpcXzn9zq3w4LtVYhKo3osOc9
guXckFqofNmwjebz8dwunDB+/V+Mbw9tfMs7CtdZoCb8NNvye5r3Dr5T3gKx
Fz4nhPfS6nkcTvm+CeQ86m8nDtL6n5I6qUcPodpR9yrGafm9zjDwLRB77N1t
Zadoru5dF/1BFDunt7PoB803h8a5RonnY2Q+7v1JM/dc1OYe4qtsjlu5czQT
BArekogC1b+Ndv+iOW7TQeUeok9XL+vdRZpj2NqkRoncqxlXEldoTjeOEV8g
unGEq7P9o3lvZ3LJH2LNXldC9AbNeZJpiqtEe/N9QeGM39Amh1VF6SG/+Okp
Xzaaj5i3y7HASmPqvmn2b7TvU/3EgK1gMHBx4iQXLW65y6h2GyxsUndy4EVn
eQl3C3HCMcc35oYiaGowR8NDHujmnDwqpUizrGLVk90gIvl66eFhtO+Fpkue
QnAOSipFj6IT/r7lWxUCPm//A/yqaFXrW8cERMC1mSDKrIsWWozYbS8GS+d3
Mk/aoR0nMyVHJEB4SLcvNwqdEu5FnZGFI0qRSTvlxvF9mMEev3YcbHe9WaZ7
h+aNOaNoqguLr26M+oZPAGGh7L9SBRMYZPngvhaBjmP2zlc3gQZ9gdmrV9BZ
VedSTEwgoatwNTMGXVumZ3vKBPb1tHJ33kYTPH6eyTMB+346LclCtKrg6Q52
U2iZOPfoSw/acl5w+YspFEm8OHjqA5qN0vHkpync8mCsXupFHw774rJqCo4/
Epu2DaFd+3bkcZvBys/SIZUJdNrWzNwTZnDgz9S2tFX0uq9Fcr4ZpDDa+5uK
TQLhueNJRldzfB/tUHgrjq7ufLvbxxxcG7sXjSTR3ef7DgSZg+xl9fMGMuik
G0nSCebQtiERpH0YrTjwIvOZOfxd+RVK1Ee7CUUYsVuA5fz1mH3+aPGDu/PL
LOC5sbp+QQA6aDZTo9YCRMrWWCUuoOfKr79vtICfp33i9lxCM81c6PpoAVHT
5jeFrtHyBVVLrllAxcTuOzzp6LFuzXMalsA1XJlD34SetlASfG0JcawhIVUt
6Jbf0dR3lsB8VIPk3Y7+w3XfbNAS6FN6tn7sQic7rGrPWMKCyWxgQT/6WuuH
02xW0N0sYWQ8i35p5JVuYAX6v2cl/1tAF6lYK1pYQZtIFWPtb3Stq1adrRXU
hWrWiq6gj+QvZHjh96Ky856/jFN4n/ZI3LhmBbHFd1cz+NCTrTISdVbANOj8
0VQQnTSgW9RsBZHM+x5vFkJ39d3b1WEFwSer3c7sQctmN3T2WYGn8Ie3GrLo
RM8b5vNWoH2bLf+HJtp7VGN5FwmaGj9cztJGP33CaSNGAtWFdDsLPbSciEmh
JAmUjPZz1RmjM7Nm2OVJIL5F+1KiDZr3jOY/LRL8FxJurnwGPZzuo+VNgor5
6eW6s2i3Yb1DviRwdSPdOxGA5mk2ZPPHfEYHvpsFo6kh924GkyBSZCj0dBRa
1dKg4zoJ5O9o71m8ihYJA9kbJBhjqXgVHI3+eWhTRAIJNBajt1+PR3cLTv5O
JgFj2+FHuanoJs5hplzMfyzPeF86uifffPQ+5n+87U9ZJlo31KAwH/Onjau+
zEXzPUv/r4QE/ttMxzUeoAOjhlPKSCAW+SLmdT5an3yB7wkJIk4lfewrRsd9
S5isIoHc6EawQxnadHVJvpYEo5ZewuPlaPmBBJ/nJFBTVfP+VUWbT6F4KX6P
03PN0bE1oAe92i3bSFB+1eZhUhNaID+O6xUJnNda9Plb0WNMB1++JkHDt4w7
Eh1ojb6vg10k8CNvUSntotV/+7NxNwlE3viPKrxFF3LFl78lweVqPWn1j+gr
U5+J77E+6aqe9j5avuveHh+wvmyRQONPaJmQiPCPJEjkiRPsHUILufFd7cV6
Y5Yb7EZo+zEuHtRHgoUNV/exUVq+rExyPwly/Lu3en1DWx46LzFAAtOpo0/m
J2jrDw++ounsH5ICv6PnXIVjP5GgrIdzfX2ath7Hh4UHSeCodSk3ahYd4NeT
h2Z/PqXNukCr7/Yvbvz9Q5W1+Jn4G/1RS8kP7XufemvnX9r5Fbv1HC3EJ6Wc
tYz+07z2C90dd2dYfA2d1erBO0yCMAaGyOJ1Wj0NbyTRsoGnJeXpvgO+bsQk
0CPT/V21DGjyFjsudIKTpv/xTejaSJ8fOJ7qx7KdbUzocmuTMvScrkCdIQs6
bteSEzqr7qrrh63oJXdrAtpY/tcWW3b0SKdnDM6HUGBfOsqJjvwizIBume49
fW87uutcrDWuR6ysiYwtLzr/imgqbf38X83w8qMDuvrrcX13VKsXfxBEP92U
8w7Xf3D1uXeiEC3fxOku3J8cUJQyEkUPSB4qx/2TaZV41CaBdi3wlsf9/s2c
4xm1H11m0trTQ4JaQ/59ajLo0QNj1ng+ND9uLXh2CM1ofUAEzxMz31X3QEX0
sc3qLh24nnYECQVl9Njjr7F4Hm2/LTwoIdLqr05ObcHzJunt5nUcTTgTd7GJ
BJPe3/ZIaKD9h4a0Gkhw9ndvXrYOej3M8M4LEhw+bOJqr48uYrXgf0aC9eBX
ovxGtHoWQ65WkyCa4UVOkjmaN4yOF58vYy1FZxMr9KXTx4/h88cTUyrMRkbL
WJzWLsb5c+ZkXXVAc6db8z4kQY3w1cwgT1r+dxtJqSS4RCHYK51CXzQ4+Pc2
3g8FFwR/+6BX2sdUE3F+st7pp86h04jp0dFYP5ikOYahe9g/Ll4gQUnEK2vB
CHTHvazEc3gftKrvHIhCG9Jf5jlDgg1DxRSzGHROqtk7/P3NY8+ffCIZ3aJZ
u9sc9ys7yYIhFZ3yqPGXIdb7bet26l20c0hgiQ4JpE8RkpSzafPLKuklYn0X
v92UKkJHm7//uxef77TSG5wN6FheosuiFVStpV1taKL1573x7KcVrNlfCfdr
RRfq5qxMWMFVUbtzPR3oBtlpqQErSC9itkvsRfeppDi+sILmlxQpzhn05TtC
y5esgFnYRLxhFv0g5n1VgBUYRxwT8ltAC22E2562ggEtLu6ev+gm/mQrOyv4
2U1dvUn/A9d/0zGuI1bA+5X/NQcvmjqmdvunJdhpbm6u50Or1kQXj1lCzsOF
l2cE0X031wsHLEHKu738rQg64YOiRYslHF8MSLspja7dG05JtwTPzT0eHOro
yWBFT3VLeLH/GhPHaZrJbQUXLUDx/Y7ORF/aeDm7FHwtoOziw5vcZ9FPH1c+
dLGAnM4WPt5AdPLWi2q6FnDN5z/p3ZfRhwnqBjwWYPrksol0Mi0fx+WSAnOY
OBKSpvMSrbY0ZfHCDBy/sjq8pqJXnvyoKDaDgZh0UYNGtKf/4HKGGXQMPisy
bkPHPXBUuGQG5ZdWXlr1oIMkXp9RMYOLDee/UsbRHTlf/jw1BQ5dP6nLbNN4
vsKpE7dNIKt+G8sRDvS+nIsW4SYgq1w8Nc9FcxJ9rrcJGEpMPnDaiX6ZpDCk
ZgLRm+yFj4uh5QKfdcwYA2OjDg/hCJpnwSFWxRj+HBUmXKKg84Ic7K4ZQNST
l8MK7ugi+tg/lgbAvd/2xYwnemT5q94eAzjEdyfIzhdt/DZ/X70++C6xLh4L
Ro/tuFa5qAdTFUtTqwlofYH8SRNdGJTufnfhOS2+eonx4wm494MjhKGOFpcq
fn3vBDgXmInfqEdnTVPNPU7AlFhvYFYLWiwWilY14Q//sGBrN7p6h/hpQU3g
YJ4+yf0NzZu6KmmhDifGN6+VbJ3B76cP5HZJgC15OvcPs6Or38sGFROhwynG
sIETTeJSKJAlgtkQW/aHHegyKe5wBRVwfL/9xJowOiUYuJSPQnCDaIKOIjoh
sj91rxKUZYLYmD1atZ48eVwafgX92uzkRLOo+xNpKVC0evhjyIU23lmeIN79
8Gzbtie97uiwHMLydwloCRs+/toPLdRe+SRCDJjsEvdon6ONr3XO9KQo6Cmf
2NJ8nubP+77riED3fHH3y4u0/qUiDKxC8Mk5xKH8CtrxUV/u5h2wCw6qH7hO
cwiT/UtucOT/Jl4UQ6tHoJPxLH6/vdP/eT8BTeV6u6+IBSTKCD0it2hx655V
ps3gFVtRee82mnAlL8uJHuY0BEJS02j5spuorAvEQ8LdjjwZtHhq5KjOF2LA
vwiNW/doJuzb515ArO5XkmDPofnaiSdXx4irlT9YbuTR+pc5DjT9IhIT781u
eUjzJ8UThv+IYafN3l0poDl+apsvA2za+ywtrIRW39/rt9i2gg6Dz6V/ZbT6
ZiN5Ftgh9rOIc9ATmpld6Ry4gCMlWtK/mpYvW1oeeEFgC7n6ZAN6LpOUwCoM
cj+WPhh+pK1f37sPO/eDXakih+A62l1/8zb6w/CUvMTWTfiJ78fKy/nPDwPb
plrWCAZ04MuhifPKQLVVYZpiQktQ2aznjoAIs8ZGBRe674ITy5QKjLuazOhL
oqd912bx++o0n3f7RXM0914fioE2hEVlhw8W0safivdZNoWt5zfrOhWjeRXe
bD5gBmnupzjHS9Hml/a3uprBEz3l3NkKdMIB92fdZjDO8baJvg5NlpQJLjQH
vUwCk+Q7dHRxlxPFEniqHOLOraL/BFzjW7aG4knBu2z6s0B49FCG3OkI1zKi
HIcN0REpPtNzjuBqOrOnxARdy/4+hdsJBJ4/LzOwQgeq71W1dYLoeJuWWGc0
z/n37dNO4K6YOs98AS2poNzN6QIikdzamx+gtyhVjPhRYP3wxa29+eiW2YaW
VAr0z3ztefAIDbt+tVIpkGD1xO7EY3R4cS//NjfY2Gd6Nuo5Wsw2gbnYDQbf
xmcyvENf3FXF/PMkVF/56/LuA9pLK+UBjzskHXWQzO1Df9Hlswd30LsvU6E2
jHZvEhK66Q61gZ3t4VNoqxaeeQUPSJZWiDeZRotsGvZ08IAzo+nmwrPo8pko
wnUPkND3/kz9jV67dyd00AMY6d7nJfxFk504PDZ5wkjlUU/HFXRdVcxpWU94
7pl7QPYfWuYeWwLZE+7sZlnc2ED/5MrpjPSE/wGxZXjH
"]]},
Annotation[#,
"Charting`Private`Tag$35868#3"]& ], {}}, {{}, {}, {}, {}, {}}}, {}, \
{}}, {DisplayFunction -> Identity, Ticks -> {Automatic, Automatic},
AxesOrigin -> {0, 0},
FrameTicks -> {{Automatic, Automatic}, {Automatic, Automatic}},
GridLines -> {None, None}, DisplayFunction -> Identity,
PlotRangePadding -> {{
Scaled[0.02],
Scaled[0.02]}, {
Scaled[0.05],
Scaled[0.05]}}, PlotRangeClipping -> True, ImagePadding -> All,
DisplayFunction -> Identity, AspectRatio ->
NCache[GoldenRatio^(-1), 0.6180339887498948], Axes -> {True, True},
AxesLabel -> {None, None}, AxesOrigin -> {0, 0}, DisplayFunction :>
Identity, Frame -> {{False, False}, {False, False}},
FrameLabel -> {{None, None}, {None, None}},
FrameTicks -> {{Automatic, Automatic}, {Automatic, Automatic}},
GridLines -> {None, None}, GridLinesStyle -> Directive[
GrayLevel[0.5, 0.4]], ImageSize -> {1920, 1080},
Method -> {
"DefaultBoundaryStyle" -> Automatic, "DefaultMeshStyle" ->
AbsolutePointSize[6], "ScalingFunctions" -> None,
"CoordinatesToolOptions" -> {"DisplayFunction" -> ({
(Part[{{Identity, Identity}, {Identity, Identity}}, 1, 2][#]& )[
Part[#, 1]],
(Part[{{Identity, Identity}, {Identity, Identity}}, 2, 2][#]& )[
Part[#, 2]]}& ), "CopiedValueFunction" -> ({
(Part[{{Identity, Identity}, {Identity, Identity}}, 1, 2][#]& )[
Part[#, 1]],
(Part[{{Identity, Identity}, {Identity, Identity}}, 2, 2][#]& )[
Part[#, 2]]}& )}},
PlotRange -> {{0, 1}, {0., 0.9999999693877553}}, PlotRangeClipping ->
True, PlotRangePadding -> {{
Scaled[0.02],
Scaled[0.02]}, {
Scaled[0.02],
Scaled[0.02]}}, Ticks -> {Automatic, Automatic}}],FormBox[
FormBox[
TemplateBox[{
RowBox[{"IORtoF0", "(",
RowBox[{
RowBox[{"f0ToIOR", "(", "x", ")"}], ",", "1.5`"}], ")"}],
RowBox[{"clearCoat", "(", "x", ")"}],
TemplateBox[{
RowBox[{
RowBox[{"IORtoF0", "(",
RowBox[{
RowBox[{"f0ToIOR", "(", "x", ")"}], ",", "1.5`"}], ")"}], "-",
RowBox[{"clearCoat", "(", "x", ")"}]}]}, "Abs"]}, "LineLegend",
DisplayFunction -> (FormBox[
StyleBox[
StyleBox[
PaneBox[
TagBox[
GridBox[{{
TagBox[
GridBox[{{
GraphicsBox[{{
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.368417, 0.506779, 0.709798],
AbsoluteThickness[1.6]], {
LineBox[{{0, 10}, {20, 10}}]}}, {
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.368417, 0.506779, 0.709798],
AbsoluteThickness[1.6]], {}}}, AspectRatio -> Full,
ImageSize -> {20, 10}, PlotRangePadding -> None,
ImagePadding -> Automatic,
BaselinePosition -> (Scaled[0.1] -> Baseline)], #}, {
GraphicsBox[{{
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.880722, 0.611041, 0.142051],
AbsoluteThickness[1.6]], {
LineBox[{{0, 10}, {20, 10}}]}}, {
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.880722, 0.611041, 0.142051],
AbsoluteThickness[1.6]], {}}}, AspectRatio -> Full,
ImageSize -> {20, 10}, PlotRangePadding -> None,
ImagePadding -> Automatic,
BaselinePosition -> (Scaled[0.1] -> Baseline)], #2}, {
GraphicsBox[{{
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.560181, 0.691569, 0.194885],
AbsoluteThickness[1.6]], {
LineBox[{{0, 10}, {20, 10}}]}}, {
Directive[
EdgeForm[
Directive[
Opacity[0.3],
GrayLevel[0]]],
PointSize[0.5],
Opacity[1.],
RGBColor[0.560181, 0.691569, 0.194885],
AbsoluteThickness[1.6]], {}}}, AspectRatio -> Full,
ImageSize -> {20, 10}, PlotRangePadding -> None,
ImagePadding -> Automatic,
BaselinePosition -> (Scaled[0.1] -> Baseline)], #3}},
GridBoxAlignment -> {
"Columns" -> {Center, Left}, "Rows" -> {{Baseline}}},
AutoDelete -> False,
GridBoxDividers -> {
"Columns" -> {{False}}, "Rows" -> {{False}}},
GridBoxItemSize -> {"Columns" -> {{All}}, "Rows" -> {{All}}},
GridBoxSpacings -> {
"Columns" -> {{0.5}}, "Rows" -> {{0.8}}}], "Grid"]}},
GridBoxAlignment -> {"Columns" -> {{Left}}, "Rows" -> {{Top}}},
AutoDelete -> False,
GridBoxItemSize -> {
"Columns" -> {{Automatic}}, "Rows" -> {{Automatic}}},
GridBoxSpacings -> {"Columns" -> {{1}}, "Rows" -> {{0}}}],
"Grid"], Alignment -> Left, AppearanceElements -> None,
ImageMargins -> {{5, 5}, {5, 5}}, ImageSizeAction ->
"ResizeToFit"], LineIndent -> 0, StripOnInput -> False], {
FontFamily -> "Arial"}, Background -> Automatic, StripOnInput ->
False], TraditionalForm]& ),
InterpretationFunction :> (RowBox[{"LineLegend", "[",
RowBox[{
RowBox[{"{",
RowBox[{
RowBox[{"Directive", "[",
RowBox[{
RowBox[{"Opacity", "[", "1.`", "]"}], ",",
InterpretationBox[
ButtonBox[
TooltipBox[
GraphicsBox[{{
GrayLevel[0],
RectangleBox[{0, 0}]}, {
GrayLevel[0],
RectangleBox[{1, -1}]}, {
RGBColor[0.368417, 0.506779, 0.709798],
RectangleBox[{0, -1}, {2, 1}]}}, AspectRatio -> 1, Frame ->
True, FrameStyle ->
RGBColor[
0.24561133333333335`, 0.3378526666666667,
0.4731986666666667], FrameTicks -> None, PlotRangePadding ->
None, ImageSize ->
Dynamic[{
Automatic,
1.35 (CurrentValue["FontCapHeight"]/AbsoluteCurrentValue[
Magnification])}]],
"RGBColor[0.368417, 0.506779, 0.709798]"], Appearance ->
None, BaseStyle -> {}, BaselinePosition -> Baseline,
DefaultBaseStyle -> {}, ButtonFunction :>
With[{Typeset`box$ = EvaluationBox[]},
If[
Not[
AbsoluteCurrentValue["Deployed"]],
SelectionMove[Typeset`box$, All, Expression];
FrontEnd`Private`$ColorSelectorInitialAlpha = 1;
FrontEnd`Private`$ColorSelectorInitialColor =
RGBColor[0.368417, 0.506779, 0.709798];
FrontEnd`Private`$ColorSelectorUseMakeBoxes = True;
MathLink`CallFrontEnd[
FrontEnd`AttachCell[Typeset`box$,
FrontEndResource["RGBColorValueSelector"], {
0, {Left, Bottom}}, {Left, Top},
"ClosingActions" -> {
"SelectionDeparture", "ParentChanged",
"EvaluatorQuit"}]]]], BaseStyle -> Inherited, Evaluator ->
Automatic, Method -> "Preemptive"],
RGBColor[0.368417, 0.506779, 0.709798], Editable -> False,
Selectable -> False], ",",
RowBox[{"AbsoluteThickness", "[", "1.6`", "]"}]}], "]"}],
",",
RowBox[{"Directive", "[",
RowBox[{
RowBox[{"Opacity", "[", "1.`", "]"}], ",",
InterpretationBox[
ButtonBox[
TooltipBox[
GraphicsBox[{{
GrayLevel[0],
RectangleBox[{0, 0}]}, {
GrayLevel[0],
RectangleBox[{1, -1}]}, {
RGBColor[0.880722, 0.611041, 0.142051],
RectangleBox[{0, -1}, {2, 1}]}}, AspectRatio -> 1, Frame ->
True, FrameStyle ->
RGBColor[
0.587148, 0.40736066666666665`, 0.09470066666666668],
FrameTicks -> None, PlotRangePadding -> None, ImageSize ->
Dynamic[{
Automatic,
1.35 (CurrentValue["FontCapHeight"]/AbsoluteCurrentValue[
Magnification])}]],
"RGBColor[0.880722, 0.611041, 0.142051]"], Appearance ->
None, BaseStyle -> {}, BaselinePosition -> Baseline,
DefaultBaseStyle -> {}, ButtonFunction :>
With[{Typeset`box$ = EvaluationBox[]},
If[
Not[
AbsoluteCurrentValue["Deployed"]],
SelectionMove[Typeset`box$, All, Expression];
FrontEnd`Private`$ColorSelectorInitialAlpha = 1;
FrontEnd`Private`$ColorSelectorInitialColor =
RGBColor[0.880722, 0.611041, 0.142051];
FrontEnd`Private`$ColorSelectorUseMakeBoxes = True;
MathLink`CallFrontEnd[
FrontEnd`AttachCell[Typeset`box$,
FrontEndResource["RGBColorValueSelector"], {
0, {Left, Bottom}}, {Left, Top},
"ClosingActions" -> {
"SelectionDeparture", "ParentChanged",
"EvaluatorQuit"}]]]], BaseStyle -> Inherited, Evaluator ->
Automatic, Method -> "Preemptive"],
RGBColor[0.880722, 0.611041, 0.142051], Editable -> False,
Selectable -> False], ",",
RowBox[{"AbsoluteThickness", "[", "1.6`", "]"}]}], "]"}],
",",
RowBox[{"Directive", "[",
RowBox[{
RowBox[{"Opacity", "[", "1.`", "]"}], ",",
InterpretationBox[
ButtonBox[
TooltipBox[
GraphicsBox[{{
GrayLevel[0],
RectangleBox[{0, 0}]}, {
GrayLevel[0],
RectangleBox[{1, -1}]}, {
RGBColor[0.560181, 0.691569, 0.194885],
RectangleBox[{0, -1}, {2, 1}]}}, AspectRatio -> 1, Frame ->
True, FrameStyle ->
RGBColor[
0.37345400000000006`, 0.461046, 0.12992333333333334`],
FrameTicks -> None, PlotRangePadding -> None, ImageSize ->
Dynamic[{
Automatic,
1.35 (CurrentValue["FontCapHeight"]/AbsoluteCurrentValue[
Magnification])}]],
"RGBColor[0.560181, 0.691569, 0.194885]"], Appearance ->
None, BaseStyle -> {}, BaselinePosition -> Baseline,
DefaultBaseStyle -> {}, ButtonFunction :>
With[{Typeset`box$ = EvaluationBox[]},
If[
Not[
AbsoluteCurrentValue["Deployed"]],
SelectionMove[Typeset`box$, All, Expression];
FrontEnd`Private`$ColorSelectorInitialAlpha = 1;
FrontEnd`Private`$ColorSelectorInitialColor =
RGBColor[0.560181, 0.691569, 0.194885];
FrontEnd`Private`$ColorSelectorUseMakeBoxes = True;
MathLink`CallFrontEnd[
FrontEnd`AttachCell[Typeset`box$,
FrontEndResource["RGBColorValueSelector"], {
0, {Left, Bottom}}, {Left, Top},
"ClosingActions" -> {
"SelectionDeparture", "ParentChanged",
"EvaluatorQuit"}]]]], BaseStyle -> Inherited, Evaluator ->
Automatic, Method -> "Preemptive"],
RGBColor[0.560181, 0.691569, 0.194885], Editable -> False,
Selectable -> False], ",",
RowBox[{"AbsoluteThickness", "[", "1.6`", "]"}]}], "]"}]}],
"}"}], ",",
RowBox[{"{",
RowBox[{
TagBox[#, HoldForm], ",",
TagBox[#2, HoldForm], ",",
TagBox[#3, HoldForm]}], "}"}], ",",
RowBox[{"LegendMarkers", "\[Rule]", "None"}], ",",
RowBox[{"LabelStyle", "\[Rule]",
RowBox[{"{", "}"}]}], ",",
RowBox[{"LegendLayout", "\[Rule]", "\"Column\""}]}], "]"}]& ),
Editable -> True], TraditionalForm], TraditionalForm]},
"Legended",
DisplayFunction->(GridBox[{{
TagBox[
ItemBox[
PaneBox[
TagBox[#, "SkipImageSizeLevel"], Alignment -> {Center, Baseline},
BaselinePosition -> Baseline], DefaultBaseStyle -> "Labeled"],
"SkipImageSizeLevel"],
ItemBox[#2, DefaultBaseStyle -> "LabeledLabel"]}},
GridBoxAlignment -> {"Columns" -> {{Center}}, "Rows" -> {{Center}}},
AutoDelete -> False, GridBoxItemSize -> Automatic,
BaselinePosition -> {1, 1}]& ),
Editable->True,
InterpretationFunction->(RowBox[{"Legended", "[",
RowBox[{#, ",",
RowBox[{"Placed", "[",
RowBox[{#2, ",", "After"}], "]"}]}], "]"}]& )]], "Output",
CellChangeTimes->{
3.7359298170915003`*^9, 3.735929860522356*^9, {3.735930023264839*^9,
3.7359300839675703`*^9}}]
}, Open ]]
},
WindowSize->{2243, 1551},
WindowMargins->{{0, Automatic}, {Automatic, 0}},
FrontEndVersion->"11.0 for Mac OS X x86 (32-bit, 64-bit Kernel) (September \
21, 2016)",
StyleDefinitions->"Default.nb"
]
(* End of Notebook Content *)
(* Internal cache information *)
(*CellTagsOutline
CellTagsIndex->{}
*)
(*CellTagsIndex
CellTagsIndex->{}
*)
(*NotebookFileOutline
Notebook[{
Cell[558, 20, 142, 2, 32, "Input"],
Cell[703, 24, 776, 22, 104, "Input"],
Cell[1482, 48, 859, 20, 32, "Input"],
Cell[CellGroupData[{
Cell[2366, 72, 811, 17, 54, "Input"],
Cell[3180, 91, 423, 10, 32, "Output"],
Cell[3606, 103, 511, 13, 32, "Output"]
}, Open ]],
Cell[CellGroupData[{
Cell[4154, 121, 833, 20, 32, "Input"],
Cell[4990, 143, 18233, 356, 1097, "Output"]
}, Open ]],
Cell[CellGroupData[{
Cell[23260, 504, 1049, 30, 54, "Input"],
Cell[24312, 536, 39341, 727, 1097, "Output"]
}, Open ]]
}
]
*)
| Mathematica | 4 | Alan-love/filament | docs/math/Clear Coat f0 to Surface.nb | [
"Apache-2.0"
] |
/** @type {import("../../../../").Configuration} */
module.exports = {
mode: "development",
devtool: false,
module: {
rules: [
{
dependency: "url",
type: "asset",
generator: {
dataUrl: {
encoding: false
}
}
}
]
},
target: "web"
};
| JavaScript | 3 | fourstash/webpack | test/configCases/asset-modules/input-data-url-encoding/webpack.config.js | [
"MIT"
] |
// Copyright 2010-2014 RethinkDB, all rights reserved.
#ifndef UNITTEST_EXTPROC_TEST_HPP_
#define UNITTEST_EXTPROC_TEST_HPP_
#include "unittest/unittest_utils.hpp"
#define SPAWNER_TEST(group, name) void run_##group##_##name(); \
TEST(group, name) { \
extproc_spawner_t extproc_spawner; \
::unittest::run_in_thread_pool(run_##group##_##name); \
} \
void run_##group##_##name()
#endif // UNITTEST_EXTPROC_TEST_HPP_
| C++ | 3 | zadcha/rethinkdb | src/unittest/extproc_test.hpp | [
"Apache-2.0"
] |
{%- macro print(object) -%}
{{- 'Not Null: ' ~ object.notNullValue ~ ' - Null: ' ~ object.nullValue -}}
{%- endmacro -%}
{{- print(object) -}}
| Volt | 3 | tidytrax/cphalcon | tests/_data/fixtures/views/macro/null-value.volt | [
"BSD-3-Clause"
] |
\require "e>=0.2" | LilyPond | 0 | HolgerPeters/lyp | spec/package_setups/big/[email protected]/package.ly | [
"MIT"
] |
// MIR for `bar` after Inline
fn bar() -> bool {
let mut _0: bool; // return place in scope 0 at $DIR/inline-any-operand.rs:10:13: 10:17
let _1: fn(i32, i32) -> bool {foo}; // in scope 0 at $DIR/inline-any-operand.rs:11:9: 11:10
let mut _2: fn(i32, i32) -> bool {foo}; // in scope 0 at $DIR/inline-any-operand.rs:12:5: 12:6
let mut _3: i32; // in scope 0 at $DIR/inline-any-operand.rs:12:5: 12:13
let mut _4: i32; // in scope 0 at $DIR/inline-any-operand.rs:12:5: 12:13
scope 1 {
debug f => _1; // in scope 1 at $DIR/inline-any-operand.rs:11:9: 11:10
scope 2 (inlined foo) { // at $DIR/inline-any-operand.rs:12:5: 12:13
debug x => _3; // in scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
debug y => _4; // in scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
let mut _5: i32; // in scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
let mut _6: i32; // in scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
}
}
bb0: {
StorageLive(_1); // scope 0 at $DIR/inline-any-operand.rs:11:9: 11:10
_1 = foo; // scope 0 at $DIR/inline-any-operand.rs:11:13: 11:16
// mir::Constant
// + span: $DIR/inline-any-operand.rs:11:13: 11:16
// + literal: Const { ty: fn(i32, i32) -> bool {foo}, val: Value(Scalar(<ZST>)) }
StorageLive(_2); // scope 1 at $DIR/inline-any-operand.rs:12:5: 12:6
_2 = _1; // scope 1 at $DIR/inline-any-operand.rs:12:5: 12:6
StorageLive(_3); // scope 1 at $DIR/inline-any-operand.rs:12:5: 12:13
_3 = const 1_i32; // scope 1 at $DIR/inline-any-operand.rs:12:5: 12:13
StorageLive(_4); // scope 1 at $DIR/inline-any-operand.rs:12:5: 12:13
_4 = const -1_i32; // scope 1 at $DIR/inline-any-operand.rs:12:5: 12:13
StorageLive(_5); // scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
_5 = _3; // scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
StorageLive(_6); // scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
_6 = _4; // scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
_0 = Eq(move _5, move _6); // scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
StorageDead(_6); // scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
StorageDead(_5); // scope 2 at $DIR/inline-any-operand.rs:12:5: 12:13
StorageDead(_4); // scope 1 at $DIR/inline-any-operand.rs:12:5: 12:13
StorageDead(_3); // scope 1 at $DIR/inline-any-operand.rs:12:5: 12:13
StorageDead(_2); // scope 1 at $DIR/inline-any-operand.rs:12:12: 12:13
StorageDead(_1); // scope 0 at $DIR/inline-any-operand.rs:13:1: 13:2
return; // scope 0 at $DIR/inline-any-operand.rs:13:2: 13:2
}
}
| Mirah | 3 | Eric-Arellano/rust | src/test/mir-opt/inline/inline_any_operand.bar.Inline.after.mir | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
if(NOT EMSCRIPTEN)
if(WITH_WEBNN)
ocv_check_environment_variables(WEBNN_HEADER_DIRS)
ocv_check_environment_variables(WEBNN_INCLUDE_DIRS)
ocv_check_environment_variables(WEBNN_LIBRARIES)
if(NOT DEFINED WEBNN_HEADER_DIRS)
set(WEBNN_HEADER_DIRS "$ENV{WEBNN_NATIVE_DIR}/gen/src/include")
endif()
if(NOT DEFINED WEBNN_INCLUDE_DIRS)
set(WEBNN_INCLUDE_DIRS "$ENV{WEBNN_NATIVE_DIR}/../../src/include")
endif()
if(NOT DEFINED WEBNN_LIBRARIES)
set(WEBNN_LIBRARIES "$ENV{WEBNN_NATIVE_DIR}/libwebnn_native.so;$ENV{WEBNN_NATIVE_DIR}/libwebnn_proc.so")
endif()
endif()
try_compile(VALID_WEBNN
"${OpenCV_BINARY_DIR}"
SOURCES "${OpenCV_SOURCE_DIR}/cmake/checks/webnn.cpp"
"$ENV{WEBNN_NATIVE_DIR}/gen/src/webnn/webnn_cpp.cpp"
CMAKE_FLAGS "-DINCLUDE_DIRECTORIES:STRING=${WEBNN_INCLUDE_DIRS}\;${WEBNN_HEADER_DIRS}"
"-DLINK_LIBRARIES:STRING=${WEBNN_LIBRARIES}"
OUTPUT_VARIABLE TRY_OUT
)
else()
try_compile(VALID_WEBNN
"${OpenCV_BINARY_DIR}"
SOURCES "${OpenCV_SOURCE_DIR}/cmake/checks/webnn.cpp"
OUTPUT_VARIABLE TRY_OUT
)
endif()
if(NOT VALID_WEBNN)
if(NOT EMSCRIPTEN)
message(WARNING "Can't use WebNN-native")
return()
else()
message(WARNING "Can't use WebNN")
return()
endif()
else()
set(HAVE_WEBNN ON)
message(STATUS "Set HAVE_WEBNN = ${HAVE_WEBNN}")
endif()
if(NOT EMSCRIPTEN)
message(AUTHOR_WARNING "Use WebNN-native")
else()
message(AUTHOR_WARNING "Use WebNN")
endif() | CMake | 3 | yash112-lang/opencv | cmake/OpenCVDetectWebNN.cmake | [
"Apache-2.0"
] |
# Check verbose output.
# RUN: rm -rf %t.build
# RUN: mkdir -p %t.build
# RUN: cp %s %t.build/build.ninja
# RUN: %{llbuild} ninja build --jobs 1 -v --chdir %t.build &> %t.out
# RUN: %{FileCheck} --check-prefix=CHECK-VERBOSE --input-file %t.out %s
# RUN: %{llbuild} ninja build --jobs 1 --chdir %t.build &> %t.out
# RUN: %{FileCheck} --check-prefix=CHECK-NORMAL --input-file %t.out %s
# CHECK-VERBOSE: [1/{{.*}}] echo some custom command
# CHECK-NORMAL: [1/{{.*}}] CUSTOM
rule CUSTOM
description = CUSTOM
command = echo some custom command
build output: CUSTOM
| Ninja | 4 | uraimo/swift-llbuild | tests/Ninja/Build/verbose.ninja | [
"Apache-2.0"
] |
ARG BASE=researchdeezer/spleeter
FROM ${BASE}
ARG MODEL=2stems
RUN mkdir -p /model/$MODEL \
&& wget -O /tmp/$MODEL.tar.gz https://github.com/deezer/spleeter/releases/download/v1.4.0/$MODEL.tar.gz \
&& tar -xvzf /tmp/$MODEL.tar.gz -C /model/$MODEL/ \
&& touch /model/$MODEL/.probe
| Dockerfile | 4 | ming-hai/spleeter | docker/spleeter-model.dockerfile | [
"MIT"
] |
USERS = load '$USERS' using PigStorage('\t')
as (id:int, email:chararray, language:chararray, location:chararray);
TRANSACTIONS = load '$TRANSACTIONS' using PigStorage('\t')
as (id:int, product:int, user:int, purchase_amount:double, description:chararray);
A = JOIN TRANSACTIONS by user LEFT OUTER, USERS by id;
B = GROUP A by product;
C = FOREACH B {
LOCS = DISTINCT A.location;
GENERATE group, COUNT(LOCS) as location_count;
};
STORE C INTO '$OUTPUT';
| PigLatin | 4 | pratitidevelop/hadoop-framework-examples | pig/src/main/pig/script.pig | [
"Apache-2.0"
] |
<?php
# Generated by the protocol buffer compiler. DO NOT EDIT!
# source: src/proto/grpc/testing/stats.proto
namespace Grpc\Testing;
use Google\Protobuf\Internal\GPBType;
use Google\Protobuf\Internal\RepeatedField;
use Google\Protobuf\Internal\GPBUtil;
/**
* Histogram params based on grpc/support/histogram.c
*
* Generated from protobuf message <code>grpc.testing.HistogramParams</code>
*/
class HistogramParams extends \Google\Protobuf\Internal\Message
{
/**
* first bucket is [0, 1 + resolution)
*
* Generated from protobuf field <code>double resolution = 1;</code>
*/
protected $resolution = 0.0;
/**
* use enough buckets to allow this value
*
* Generated from protobuf field <code>double max_possible = 2;</code>
*/
protected $max_possible = 0.0;
/**
* Constructor.
*
* @param array $data {
* Optional. Data for populating the Message object.
*
* @type float $resolution
* first bucket is [0, 1 + resolution)
* @type float $max_possible
* use enough buckets to allow this value
* }
*/
public function __construct($data = NULL) {
\GPBMetadata\Src\Proto\Grpc\Testing\Stats::initOnce();
parent::__construct($data);
}
/**
* first bucket is [0, 1 + resolution)
*
* Generated from protobuf field <code>double resolution = 1;</code>
* @return float
*/
public function getResolution()
{
return $this->resolution;
}
/**
* first bucket is [0, 1 + resolution)
*
* Generated from protobuf field <code>double resolution = 1;</code>
* @param float $var
* @return $this
*/
public function setResolution($var)
{
GPBUtil::checkDouble($var);
$this->resolution = $var;
return $this;
}
/**
* use enough buckets to allow this value
*
* Generated from protobuf field <code>double max_possible = 2;</code>
* @return float
*/
public function getMaxPossible()
{
return $this->max_possible;
}
/**
* use enough buckets to allow this value
*
* Generated from protobuf field <code>double max_possible = 2;</code>
* @param float $var
* @return $this
*/
public function setMaxPossible($var)
{
GPBUtil::checkDouble($var);
$this->max_possible = $var;
return $this;
}
}
| PHP | 5 | arghyadip01/grpc | src/php/tests/qps/generated_code/Grpc/Testing/HistogramParams.php | [
"Apache-2.0"
] |
sig Hello{
SayHello : one World
}
sig World{}
pred OneTime{
# Hello = 1
}
run{OneTime} for 1
| Alloy | 3 | JStearsman/hello-worlds | examples/Alloy.als | [
"Unlicense"
] |
// aux-build:on_structs_and_enums_xc.rs
extern crate on_structs_and_enums_xc;
use on_structs_and_enums_xc::{Bar, Foo, Trait};
fn main() {
let foo = Foo {
//~^ ERROR E0277
x: 3
};
let bar: Bar<f64> = return;
//~^ ERROR E0277
let _ = bar;
}
| Rust | 2 | mbc-git/rust | src/test/ui/traits/bound/on-structs-and-enums-xc1.rs | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
USING: editors kernel make namespaces ;
IN: editors.smultron
SINGLETON: smultron
smultron editor-class set-global
M: smultron editor-command
drop
[ "open" , "-a" , "Smultron" , , ] { } make ;
| Factor | 2 | melted/factor | basis/editors/smultron/smultron.factor | [
"BSD-2-Clause"
] |
#!/bin/sh
set -ex
url="https://github.com/crosstool-ng/crosstool-ng/archive/crosstool-ng-1.22.0.tar.gz"
curl -Lf $url | tar xzf -
cd crosstool-ng-crosstool-ng-1.22.0
./bootstrap
./configure --prefix=/usr/local
make -j$(nproc)
make install
cd ..
rm -rf crosstool-ng-crosstool-ng-1.22.0
| Shell | 3 | Eric-Arellano/rust | src/ci/docker/scripts/crosstool-ng.sh | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
# Dockerfile for a generic Ubuntu image with just the basics we need
# to make it suitable for CI. In particular:
# * a non-root user to run as (a pain to try to do in setup,
# because by then we've already cloned the repo);
# * Git and other basic utilities.
# To rebuild from this file for a given release, say Ubuntu 18.04 bionic:
# docker build . --build-arg=BASE_IMAGE=ubuntu:18.04 --pull --tag=zulip/ci:bionic
# docker push zulip/ci:bionic
ARG BASE_IMAGE
FROM $BASE_IMAGE
RUN ln -sf /usr/share/zoneinfo/Etc/UTC /etc/localtime
# Set the locale.
ENV LC_ALL C.UTF-8
# Upgrade git if it is less than v2.18 because GitHub Actions'
# checkout installs source code using Rest API as an optimization
# if the version is less than v2.18, which causes failure in provision
# and tests because of the lack of git being initialized.
RUN if (. /etc/os-release && [ "$ID $VERSION_ID" = 'ubuntu 18.04' ]); then \
apt-get update && \
apt-get -y install software-properties-common && \
add-apt-repository -y ppa:git-core/ppa; \
fi
# Extra packages used by Zulip.
RUN apt-get update \
&& apt-get -y install --no-install-recommends \
build-essential \
ca-certificates \
curl \
gettext \
git \
hunspell-en-us \
jq \
libffi-dev \
libfreetype6-dev \
libjpeg-dev \
libldap2-dev \
libpq-dev \
libssl-dev \
libxml2-dev \
libxslt1-dev \
locales \
memcached \
moreutils \
puppet \
python3-dev \
python3-pip \
rabbitmq-server \
redis-server \
sudo \
supervisor \
unzip \
xvfb \
zlib1g-dev
ARG USERNAME=github
RUN groupadd --gid 1001 $USERNAME \
&& useradd --uid 1001 --gid $USERNAME --shell /bin/bash --create-home $USERNAME \
&& echo "$USERNAME ALL = (ALL) NOPASSWD: ALL" >> /etc/sudoers.d/50-$USERNAME \
&& echo 'Defaults env_keep += "DEBIAN_FRONTEND"' >> /etc/sudoers.d/env_keep
USER $USERNAME
CMD ["/bin/sh"]
| Dockerfile | 4 | Chizycodes/zulip | tools/ci/Dockerfile | [
"Apache-2.0"
] |
;;; lang/dart/doctor.el -*- lexical-binding: t; -*-
(assert! (or (not (featurep! +lsp))
(featurep! :tools lsp))
"This module requires (:tools lsp)")
(unless (executable-find "dart")
(warn! "Dart isn't on PATH."))
| Emacs Lisp | 3 | leezu/doom-emacs | modules/lang/dart/doctor.el | [
"MIT"
] |
MV(A,U)
;A is a list of values separated by the string U
NEW MAX,T,I
FOR I=1:1 SET T=$PIECE(A,U,I) QUIT:T="" S MAX=$SELECT(($DATA(MAX)=0):T,(MAX<T):T,(MAX>=T):MAX)
QUIT MAX
| M | 3 | LaudateCorpus1/RosettaCodeData | Task/Greatest-element-of-a-list/MUMPS/greatest-element-of-a-list.mumps | [
"Info-ZIP"
] |
/// <reference types="./c.d.ts" />
export const c = [];
| JavaScript | 0 | Preta-Crowz/deno | cli/tests/module_graph/https_deno.land-x-lib-c.js | [
"MIT"
] |
module Fw {
@ A string stored in a fixed-size buffer
type String
@ A value of polymorphic type
type PolyType
@ Serialization status
enum SerialStatus {
OK, @< Serialization operation succeeded
FORMAT_ERROR @< Data was the wrong format (e.g. wrong packet type)
NO_ROOM_LEFT @< No room left in the buffer to serialize data
}
@ Deserialization status
enum DeserialStatus {
OK = 0
BUFFER_EMPTY = 3 @< Deserialization buffer was empty when trying to read data
FORMAT_ERROR = 4 @< Deserialization data had incorrect values (unexpected data types)
SIZE_MISMATCH = 5 @< Data was left in in the buffer, but not enough to deserialize
TYPE_MISMATCH = 6 @< Deserialized type ID didn't match
}
@ Enabled and disabled states
enum Enabled {
DISABLED @< Disabled state
ENABLED @< Enabled state
}
}
| FORTRAN | 4 | AlperenCetin0/fprime | Fw/Types/Types.fpp | [
"Apache-2.0"
] |
import * as React from 'react';
import BottomNavigation from '@mui/material/BottomNavigation';
function testOnChange() {
function handleBottomNavigationChange(event: React.SyntheticEvent, tabsValue: unknown) {}
<BottomNavigation onChange={handleBottomNavigationChange} />;
function handleElementChange(event: React.ChangeEvent) {}
<BottomNavigation
// @ts-expect-error internally it's whatever even lead to a change in value
onChange={handleElementChange}
/>;
}
| TypeScript | 2 | dany-freeman/material-ui | packages/mui-material/src/BottomNavigation/BottomNavigation.spec.tsx | [
"MIT"
] |
@0xb52bd743a2d5af47;
using Rust = import "rust.capnp";
$Rust.parentModule("baz");
struct Baz {
recursive @0 :Baz;
}
| Cap'n Proto | 3 | tomkris/capnproto-rust | capnpc/test/in-other-submodule.capnp | [
"MIT"
] |
/* Copyright (c) 2017-2019 Netronome Systems, Inc. All rights reserved.
*
* SPDX-License-Identifier: BSD-2-Clause
*/
;TEST_INIT_EXEC nfp-mem i32.ctm:0x80 0x00000000 0x00000000 0x00163ec4 0x23450000
;TEST_INIT_EXEC nfp-mem i32.ctm:0x90 0x0b000200 0x86dd6030 0x00000010 0x8cfffe80
;TEST_INIT_EXEC nfp-mem i32.ctm:0xa0 0x00000000 0x00000200 0x0bfffe00 0x02003555
;TEST_INIT_EXEC nfp-mem i32.ctm:0xb0 0x55556666 0x66667777 0x77778888 0x88881100
;TEST_INIT_EXEC nfp-mem i32.ctm:0xc0 0x00000000 0x0000003f 0x003f0008 0x9b680c79
;TEST_INIT_EXEC nfp-mem i32.ctm:0xd0 0x8ce90000
#include <aggregate.uc>
#include <stdmac.uc>
#include <pv.uc>
.reg pkt_vec[PV_SIZE_LW]
aggregate_zero(pkt_vec, PV_SIZE_LW)
move(pkt_vec[0], 0x46)
move(pkt_vec[2], 0x88)
move(pkt_vec[3], 4)
move(pkt_vec[4], 0x3fc0)
move(pkt_vec[5], ((14 << 24) | (14 << 8)))
| UnrealScript | 2 | pcasconnetronome/nic-firmware | test/datapath/pkt_ipv6_unknown_x80.uc | [
"BSD-2-Clause"
] |
{-
Swagger Petstore
This spec is mainly for testing Petstore server and contains fake endpoints, models. Please do not use this for any other purpose. Special characters: \" \\
OpenAPI spec version: 2.0
Swagger Petstore API version: 1.0.0
Contact: [email protected]
Generated by Swagger Codegen (https://github.com/swagger-api/swagger-codegen.git)
-}
{-|
Module : SwaggerPetstore.API
-}
module SwaggerPetstore.API
( module SwaggerPetstore.API.AnotherFake
, module SwaggerPetstore.API.Fake
, module SwaggerPetstore.API.FakeClassnameTags123
, module SwaggerPetstore.API.Pet
, module SwaggerPetstore.API.Store
, module SwaggerPetstore.API.User
) where
import SwaggerPetstore.API.AnotherFake
import SwaggerPetstore.API.Fake
import SwaggerPetstore.API.FakeClassnameTags123
import SwaggerPetstore.API.Pet
import SwaggerPetstore.API.Store
import SwaggerPetstore.API.User | Haskell | 3 | derBiggi/swagger-codegen | samples/client/petstore/haskell-http-client/lib/SwaggerPetstore/API.hs | [
"Apache-2.0"
] |
// (c) Copyright 1995-2019 Xilinx, Inc. All rights reserved.
//
// This file contains confidential and proprietary information
// of Xilinx, Inc. and is protected under U.S. and
// international copyright and other intellectual property
// laws.
//
// DISCLAIMER
// This disclaimer is not a license and does not grant any
// rights to the materials distributed herewith. Except as
// otherwise provided in a valid license issued to you by
// Xilinx, and to the maximum extent permitted by applicable
// law: (1) THESE MATERIALS ARE MADE AVAILABLE "AS IS" AND
// WITH ALL FAULTS, AND XILINX HEREBY DISCLAIMS ALL WARRANTIES
// AND CONDITIONS, EXPRESS, IMPLIED, OR STATUTORY, INCLUDING
// BUT NOT LIMITED TO WARRANTIES OF MERCHANTABILITY, NON-
// INFRINGEMENT, OR FITNESS FOR ANY PARTICULAR PURPOSE; and
// (2) Xilinx shall not be liable (whether in contract or tort,
// including negligence, or under any other theory of
// liability) for any loss or damage of any kind or nature
// related to, arising under or in connection with these
// materials, including for any direct, or any indirect,
// special, incidental, or consequential loss or damage
// (including loss of data, profits, goodwill, or any type of
// loss or damage suffered as a result of any action brought
// by a third party) even if such damage or loss was
// reasonably foreseeable or Xilinx had been advised of the
// possibility of the same.
//
// CRITICAL APPLICATIONS
// Xilinx products are not designed or intended to be fail-
// safe, or for use in any application requiring fail-safe
// performance, such as life-support or safety devices or
// systems, Class III medical devices, nuclear facilities,
// applications related to the deployment of airbags, or any
// other applications that could lead to death, personal
// injury, or severe property or environmental damage
// (individually and collectively, "Critical
// Applications"). Customer assumes the sole risk and
// liability of any use of Xilinx products in Critical
// Applications, subject only to applicable laws and
// regulations governing limitations on product liability.
//
// THIS COPYRIGHT NOTICE AND DISCLAIMER MUST BE RETAINED AS
// PART OF THIS FILE AT ALL TIMES.
//
// DO NOT MODIFY THIS FILE.
// IP VLNV: xilinx.labs:hls:mac_ip_encode:1.04
// IP Revision: 1808171554
// The following must be inserted into your Verilog file for this
// core to be instantiated. Change the instance name and port connections
// (in parentheses) to your own signal names.
//----------- Begin Cut here for INSTANTIATION Template ---// INST_TAG
mac_ip_encode_ip your_instance_name (
.myMacAddress_V(myMacAddress_V), // input wire [47 : 0] myMacAddress_V
.regSubNetMask_V(regSubNetMask_V), // input wire [31 : 0] regSubNetMask_V
.regDefaultGateway_V(regDefaultGateway_V), // input wire [31 : 0] regDefaultGateway_V
.m_axis_arp_lookup_request_TVALID(m_axis_arp_lookup_request_TVALID), // output wire m_axis_arp_lookup_request_TVALID
.m_axis_arp_lookup_request_TREADY(m_axis_arp_lookup_request_TREADY), // input wire m_axis_arp_lookup_request_TREADY
.m_axis_arp_lookup_request_TDATA(m_axis_arp_lookup_request_TDATA), // output wire [31 : 0] m_axis_arp_lookup_request_TDATA
.m_axis_ip_TVALID(m_axis_ip_TVALID), // output wire m_axis_ip_TVALID
.m_axis_ip_TREADY(m_axis_ip_TREADY), // input wire m_axis_ip_TREADY
.m_axis_ip_TDATA(m_axis_ip_TDATA), // output wire [63 : 0] m_axis_ip_TDATA
.m_axis_ip_TKEEP(m_axis_ip_TKEEP), // output wire [7 : 0] m_axis_ip_TKEEP
.m_axis_ip_TLAST(m_axis_ip_TLAST), // output wire [0 : 0] m_axis_ip_TLAST
.s_axis_arp_lookup_reply_TVALID(s_axis_arp_lookup_reply_TVALID), // input wire s_axis_arp_lookup_reply_TVALID
.s_axis_arp_lookup_reply_TREADY(s_axis_arp_lookup_reply_TREADY), // output wire s_axis_arp_lookup_reply_TREADY
.s_axis_arp_lookup_reply_TDATA(s_axis_arp_lookup_reply_TDATA), // input wire [55 : 0] s_axis_arp_lookup_reply_TDATA
.s_axis_ip_TVALID(s_axis_ip_TVALID), // input wire s_axis_ip_TVALID
.s_axis_ip_TREADY(s_axis_ip_TREADY), // output wire s_axis_ip_TREADY
.s_axis_ip_TDATA(s_axis_ip_TDATA), // input wire [63 : 0] s_axis_ip_TDATA
.s_axis_ip_TKEEP(s_axis_ip_TKEEP), // input wire [7 : 0] s_axis_ip_TKEEP
.s_axis_ip_TLAST(s_axis_ip_TLAST), // input wire [0 : 0] s_axis_ip_TLAST
.aclk(aclk), // input wire aclk
.aresetn(aresetn) // input wire aresetn
);
// INST_TAG_END ------ End INSTANTIATION Template ---------
| Verilog | 3 | JKHHai/galapagos | shells/shell_ips/tcp/repo/tcp_ip_0/tcp_ip.srcs/sources_1/ip/mac_ip_encode_ip/mac_ip_encode_ip.veo | [
"MIT"
] |
// Copyright 2013 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.
#include "textflag.h"
TEXT _rt0_arm_openbsd(SB),NOSPLIT,$0
B _rt0_arm(SB)
TEXT _rt0_arm_openbsd_lib(SB),NOSPLIT,$0
B _rt0_arm_lib(SB)
| GAS | 1 | Havoc-OS/androidprebuilts_go_linux-x86 | src/runtime/rt0_openbsd_arm.s | [
"BSD-3-Clause"
] |
t = true
f = false
| TOML | 1 | vanillajonathan/julia | stdlib/TOML/test/testfiles/valid/bool.toml | [
"Zlib"
] |
LET_KW 3 "let"
WHITESPACE 1 " "
IDENT 3 "l:a"
WHITESPACE 1 " "
EQ 1 "="
WHITESPACE 1 " "
NUMBER 1 "5"
NEW_LINE 1 "\n"
| Lex | 1 | rogercuddy/vimscript-language-server | syntax/test_data/lexer/let.lex | [
"Apache-2.0"
] |
/*
MIT License http://www.opensource.org/licenses/mit-license.php
Author Tobias Koppers @sokra, Zackary Jackson @ScriptedAlchemy, Marais Rossouw @maraisr
*/
"use strict";
const createSchemaValidation = require("../util/create-schema-validation");
const ContainerEntryDependency = require("./ContainerEntryDependency");
const ContainerEntryModuleFactory = require("./ContainerEntryModuleFactory");
const ContainerExposedDependency = require("./ContainerExposedDependency");
const { parseOptions } = require("./options");
/** @typedef {import("../../declarations/plugins/container/ContainerPlugin").ContainerPluginOptions} ContainerPluginOptions */
/** @typedef {import("../Compiler")} Compiler */
const validate = createSchemaValidation(
require("../../schemas/plugins/container/ContainerPlugin.check.js"),
() => require("../../schemas/plugins/container/ContainerPlugin.json"),
{
name: "Container Plugin",
baseDataPath: "options"
}
);
const PLUGIN_NAME = "ContainerPlugin";
class ContainerPlugin {
/**
* @param {ContainerPluginOptions} options options
*/
constructor(options) {
validate(options);
this._options = {
name: options.name,
shareScope: options.shareScope || "default",
library: options.library || {
type: "var",
name: options.name
},
runtime: options.runtime,
filename: options.filename || undefined,
exposes: parseOptions(
options.exposes,
item => ({
import: Array.isArray(item) ? item : [item],
name: undefined
}),
item => ({
import: Array.isArray(item.import) ? item.import : [item.import],
name: item.name || undefined
})
)
};
}
/**
* Apply the plugin
* @param {Compiler} compiler the compiler instance
* @returns {void}
*/
apply(compiler) {
const { name, exposes, shareScope, filename, library, runtime } =
this._options;
compiler.options.output.enabledLibraryTypes.push(library.type);
compiler.hooks.make.tapAsync(PLUGIN_NAME, (compilation, callback) => {
const dep = new ContainerEntryDependency(name, exposes, shareScope);
dep.loc = { name };
compilation.addEntry(
compilation.options.context,
dep,
{
name,
filename,
runtime,
library
},
error => {
if (error) return callback(error);
callback();
}
);
});
compiler.hooks.thisCompilation.tap(
PLUGIN_NAME,
(compilation, { normalModuleFactory }) => {
compilation.dependencyFactories.set(
ContainerEntryDependency,
new ContainerEntryModuleFactory()
);
compilation.dependencyFactories.set(
ContainerExposedDependency,
normalModuleFactory
);
}
);
}
}
module.exports = ContainerPlugin;
| JavaScript | 5 | KruthikaShyamSundar/wildlife_park | node_modules/webpack/lib/container/ContainerPlugin.js | [
"MIT"
] |
def f (n : ℕ) := n + n
def g (n : ℕ) := 2*n
example (n : ℕ) : g (n+1) = f n + 2 :=
begin
change 2 * (n + 1) = f n + 2,
unfold f,
guard_target 2 * (n + 1) = n + n + 2,
admit
end
example (n : ℕ) : g (n+1) = f n + 2 :=
begin
change g (n + 1) with 2 * (n+1),
unfold f,
guard_target 2 * (n + 1) = n + n + 2,
admit
end
example (n : ℕ) : g (n+1) = f n + 2 :=
begin
change 2 * (n + 1) = _,
unfold f,
guard_target 2 * (n + 1) = n + n + 2,
admit
end
| Lean | 4 | ericrbg/lean | tests/lean/run/1686.lean | [
"Apache-2.0"
] |
/// <reference path='fourslash.ts'/>
////namespace N {
//// export type T = number;
////}
////const N = { m() {} };
////let x: N./*type*/;
////N./*value*/;
verify.completions(
{ marker: "type", exact: "T" },
{ marker: "value", exact: "m" },
);
| TypeScript | 4 | nilamjadhav/TypeScript | tests/cases/fourslash/completionsNamespaceMergedWithObject.ts | [
"Apache-2.0"
] |
# frozen_string_literal: true
module RuboCop
module Cop
module Performance
# This cop is used to identify usages of `count` on an
# `Array` and `Hash` and change them to `size`.
#
# @example
# # bad
# [1, 2, 3].count
# (1..3).to_a.count
# Array[*1..3].count
# Array(1..3).count
#
# # bad
# {a: 1, b: 2, c: 3}.count
# [[:foo, :bar], [1, 2]].to_h.count
# Hash[*('a'..'z')].count
# Hash(key: :value).count
#
# # good
# [1, 2, 3].size
# (1..3).to_a.size
# Array[*1..3].size
# Array(1..3).size
#
# # good
# {a: 1, b: 2, c: 3}.size
# [[:foo, :bar], [1, 2]].to_h.size
# Hash[*('a'..'z')].size
# Hash(key: :value).size
#
# # good
# [1, 2, 3].count { |e| e > 2 }
# TODO: Add advanced detection of variables that could
# have been assigned to an array or a hash.
class Size < Base
extend AutoCorrector
MSG = 'Use `size` instead of `count`.'
RESTRICT_ON_SEND = %i[count].freeze
def_node_matcher :array?, <<~PATTERN
{
[!nil? array_type?]
(send _ :to_a)
(send (const nil? :Array) :[] _)
(send nil? :Array _)
}
PATTERN
def_node_matcher :hash?, <<~PATTERN
{
[!nil? hash_type?]
(send _ :to_h)
(send (const nil? :Hash) :[] _)
(send nil? :Hash _)
}
PATTERN
def_node_matcher :count?, <<~PATTERN
(send {#array? #hash?} :count)
PATTERN
def on_send(node)
return if node.parent&.block_type? || !count?(node)
add_offense(node.loc.selector) do |corrector|
corrector.replace(node.loc.selector, 'size')
end
end
end
end
end
end
| Ruby | 5 | ylht/brew | Library/Homebrew/vendor/bundle/ruby/2.6.0/gems/rubocop-performance-1.11.4/lib/rubocop/cop/performance/size.rb | [
"BSD-2-Clause"
] |
<%@ WebHandler Language="C#" Class="Deploy" %>
using System;
using System.Web;
using System.IO;
using System.Net;
using System.Text;
using com.mxgraph;
public class Deploy : IHttpHandler
{
/// <summary>
/// Creates the Xml for the graph to be deployed.
/// </summary>
/// <param name="context"></param>
/// <returns></returns>
protected string CreateGraph(HttpContext context)
{
// Creates the graph on the server-side
mxCodec codec = new mxCodec();
mxGraph graph = new mxGraph();
Object parent = graph.GetDefaultParent();
graph.Model.BeginUpdate();
try
{
Object v1 = graph.InsertVertex(parent, null, "Hello", 20,
20, 80, 30);
Object v2 = graph.InsertVertex(parent, null, "World", 200, 150, 80, 30);
graph.InsertEdge(parent, null, "", v1, v2);
}
finally
{
graph.Model.EndUpdate();
}
// Turns the graph into XML data
return mxUtils.GetXml(codec.Encode(graph.Model));
}
/// <summary>
/// Demonstrates the deployment of a graph which is created on the
/// server side and then deployed with the client library in a single
/// response. This is done by replacing the %graph% placeholder in the
/// javascript/example/template.html file with the XML representation
/// of the graph that was created on the server.
///
/// This example returns an HTML page when the client issues a get
/// request. The readme in the dotnet directory explains how to run
/// this example.
///
/// The /javascript/examples/template.html file is used by this
/// example. In ProcessRequest a graph is created and the XML of the
/// graph obtained by:
///
/// mxCodec codec = new mxCodec();
/// String xml = mxUtils.GetXml(codec.Encode(graph.Model));
///
/// The template.html is then loaded as a string and instances of
/// %graph% are replaced with the XML of the graph. In the
/// template.html the following line defines the page body:
///
/// <body onload="main(document.getElementById('graphContainer'), '%graph%');">
///
/// So the XML string of the graph becomes the second parameter of the
/// main function. When the template.html page is loaded in the browser,
/// the main function is called and within that function these lines:
///
/// var doc = mxUtils.parseXml(xml);
/// var codec = new mxCodec(doc);
/// codec.decode(doc.documentElement, graph.getModel());
///
/// insert the XML into the graph model and that graph will then display.
/// </summary>
/// <param name="context"></param>
public void ProcessRequest(HttpContext context)
{
// Loads the template into a single string
try
{
// Loads the template via HTTP so we can use the virtual dir as path
WebRequest wr = WebRequest.Create("http://localhost/mxgraph/javascript/examples/template.html");
string template = new StreamReader(wr.GetResponse().GetResponseStream()).ReadToEnd();
string xml = CreateGraph(context);
// Replaces the placeholder in the template with the XML data
// which is then parsed into the graph model. Note: In a production
// environment you should use a template engine instead.
String page = template.Replace("%graph%", mxUtils.HtmlEntities(xml));
// Makes sure there is no caching on the client side
HttpResponse res = context.Response;
res.AddHeader("Pragma", "no-cache"); // HTTP 1.0
res.AddHeader("Cache-control", "private, no-cache, no-store");
res.AddHeader("Expires", "0");
res.Write(page);
}
catch (Exception e)
{
context.Response.StatusCode = 500;
Console.Error.WriteLine(e);
}
}
public bool IsReusable
{
// Return false in case your Managed Handler cannot be reused for another request.
// Usually this would be false in case you have some state information preserved per request.
get { return true; }
}
}
| ASP | 4 | Arkitektbedriftene/mxgraph | dotnet/aspnet/Deploy.ashx | [
"Apache-2.0"
] |
1728
0 1.79769313486232e+308
1 0.2
2 0.2
3 1.79769313486232e+308
4 0.2
5 0.2
6 1.79769313486232e+308
7 0.2
8 0.2
9 1.79769313486232e+308
10 0.2
11 0.2
12 1.79769313486232e+308
13 0.2
14 0.2
15 1.79769313486232e+308
16 0.2
17 0.2
18 1.79769313486232e+308
19 0.2
20 0.2
21 1.79769313486232e+308
22 0.2
23 0.2
24 1.79769313486232e+308
25 0.2
26 0.2
27 1.79769313486232e+308
28 0.2
29 0.2
30 1.79769313486232e+308
31 0.2
32 0.2
33 1.79769313486232e+308
34 0.2
35 0.2
36 1.79769313486232e+308
37 0.2
38 0.2
39 1.79769313486232e+308
40 0.2
41 0.2
42 1.79769313486232e+308
43 0.2
44 0.2
45 1.79769313486232e+308
46 0.2
47 0.2
48 1.79769313486232e+308
49 0.2
50 0.2
51 1.79769313486232e+308
52 0.2
53 0.2
54 1.79769313486232e+308
55 0.2
56 0.2
57 1.79769313486232e+308
58 0.2
59 0.2
60 1.79769313486232e+308
61 0.2
62 0.2
63 1.79769313486232e+308
64 0.2
65 0.2
66 1.79769313486232e+308
67 0.2
68 0.2
69 1.79769313486232e+308
70 0.2
71 0.2
72 1.79769313486232e+308
73 0.2
74 0.2
75 1.79769313486232e+308
76 0.2
77 0.2
78 1.79769313486232e+308
79 0.2
80 0.2
81 1.79769313486232e+308
82 0.2
83 0.2
84 1.79769313486232e+308
85 0.2
86 0.2
87 1.79769313486232e+308
88 0.2
89 0.2
90 1.79769313486232e+308
91 0.2
92 0.2
93 1.79769313486232e+308
94 0.2
95 0.2
96 1.79769313486232e+308
97 0.2
98 0.2
99 1.79769313486232e+308
100 0.2
101 0.2
102 1.79769313486232e+308
103 0.2
104 0.2
105 1.79769313486232e+308
106 0.2
107 0.2
108 1.79769313486232e+308
109 0.2
110 0.2
111 1.79769313486232e+308
112 0.2
113 0.2
114 1.79769313486232e+308
115 0.2
116 0.2
117 1.79769313486232e+308
118 0.2
119 0.2
120 1.79769313486232e+308
121 0.2
122 0.2
123 1.79769313486232e+308
124 0.2
125 0.2
126 1.79769313486232e+308
127 0.2
128 0.2
129 1.79769313486232e+308
130 0.2
131 0.2
132 1.79769313486232e+308
133 0.2
134 0.2
135 1.79769313486232e+308
136 0.2
137 0.2
138 1.79769313486232e+308
139 0.2
140 0.2
141 1.79769313486232e+308
142 0.2
143 0.2
144 1.79769313486232e+308
145 0.2
146 0.2
147 1.79769313486232e+308
148 0.2
149 0.2
150 1.79769313486232e+308
151 0.2
152 0.2
153 1.79769313486232e+308
154 0.2
155 0.2
156 1.79769313486232e+308
157 0.2
158 0.2
159 1.79769313486232e+308
160 0.2
161 0.2
162 1.79769313486232e+308
163 0.2
164 0.2
165 1.79769313486232e+308
166 0.2
167 0.2
168 1.79769313486232e+308
169 0.2
170 0.2
171 1.79769313486232e+308
172 0.2
173 0.2
174 1.79769313486232e+308
175 0.2
176 0.2
177 1.79769313486232e+308
178 0.2
179 0.2
180 1.79769313486232e+308
181 0.2
182 0.2
183 1.79769313486232e+308
184 0.2
185 0.2
186 1.79769313486232e+308
187 0.2
188 0.2
189 1.79769313486232e+308
190 0.2
191 0.2
192 1.79769313486232e+308
193 0.2
194 0.2
195 1.79769313486232e+308
196 0.2
197 0.2
198 1.79769313486232e+308
199 0.2
200 0.2
201 1.79769313486232e+308
202 0.2
203 0.2
204 1.79769313486232e+308
205 0.2
206 0.2
207 1.79769313486232e+308
208 0.2
209 0.2
210 1.79769313486232e+308
211 0.2
212 0.2
213 1.79769313486232e+308
214 0.2
215 0.2
216 1.79769313486232e+308
217 0.2
218 0.2
219 1.79769313486232e+308
220 0.2
221 0.2
222 1.79769313486232e+308
223 0.2
224 0.2
225 1.79769313486232e+308
226 0.2
227 0.2
228 1.79769313486232e+308
229 0.2
230 0.2
231 1.79769313486232e+308
232 0.2
233 0.2
234 1.79769313486232e+308
235 0.2
236 0.2
237 1.79769313486232e+308
238 0.2
239 0.2
240 1.79769313486232e+308
241 0.2
242 0.2
243 1.79769313486232e+308
244 0.2
245 0.2
246 1.79769313486232e+308
247 0.2
248 0.2
249 1.79769313486232e+308
250 0.2
251 0.2
252 1.79769313486232e+308
253 0.2
254 0.2
255 1.79769313486232e+308
256 0.2
257 0.2
258 1.79769313486232e+308
259 0.2
260 0.2
261 1.79769313486232e+308
262 0.2
263 0.2
264 1.79769313486232e+308
265 0.2
266 0.2
267 1.79769313486232e+308
268 0.2
269 0.2
270 1.79769313486232e+308
271 0.2
272 0.2
273 1.79769313486232e+308
274 0.2
275 0.2
276 1.79769313486232e+308
277 0.2
278 0.2
279 1.79769313486232e+308
280 0.2
281 0.2
282 1.79769313486232e+308
283 0.2
284 0.2
285 1.79769313486232e+308
286 0.2
287 0.2
288 1.79769313486232e+308
289 0.2
290 0.2
291 1.79769313486232e+308
292 0.2
293 0.2
294 1.79769313486232e+308
295 0.2
296 0.2
297 1.79769313486232e+308
298 0.2
299 0.2
300 1.79769313486232e+308
301 0.2
302 0.2
303 1.79769313486232e+308
304 0.2
305 0.2
306 1.79769313486232e+308
307 0.2
308 0.2
309 1.79769313486232e+308
310 0.2
311 0.2
312 1.79769313486232e+308
313 0.2
314 0.2
315 1.79769313486232e+308
316 0.2
317 0.2
318 1.79769313486232e+308
319 0.2
320 0.2
321 1.79769313486232e+308
322 0.2
323 0.2
324 1.79769313486232e+308
325 0.2
326 0.2
327 1.79769313486232e+308
328 0.2
329 0.2
330 1.79769313486232e+308
331 0.2
332 0.2
333 1.79769313486232e+308
334 0.2
335 0.2
336 1.79769313486232e+308
337 0.2
338 0.2
339 1.79769313486232e+308
340 0.2
341 0.2
342 1.79769313486232e+308
343 0.2
344 0.2
345 1.79769313486232e+308
346 0.2
347 0.2
348 1.79769313486232e+308
349 0.2
350 0.2
351 1.79769313486232e+308
352 0.2
353 0.2
354 1.79769313486232e+308
355 0.2
356 0.2
357 1.79769313486232e+308
358 0.2
359 0.2
360 1.79769313486232e+308
361 0.2
362 0.2
363 1.79769313486232e+308
364 0.2
365 0.2
366 1.79769313486232e+308
367 0.2
368 0.2
369 1.79769313486232e+308
370 0.2
371 0.2
372 1.79769313486232e+308
373 0.2
374 0.2
375 1.79769313486232e+308
376 0.2
377 0.2
378 1.79769313486232e+308
379 0.2
380 0.2
381 1.79769313486232e+308
382 0.2
383 0.2
384 1.79769313486232e+308
385 0.2
386 0.2
387 1.79769313486232e+308
388 0.2
389 0.2
390 1.79769313486232e+308
391 0.2
392 0.2
393 1.79769313486232e+308
394 0.2
395 0.2
396 1.79769313486232e+308
397 0.2
398 0.2
399 1.79769313486232e+308
400 0.2
401 0.2
402 1.79769313486232e+308
403 0.2
404 0.2
405 1.79769313486232e+308
406 0.2
407 0.2
408 1.79769313486232e+308
409 0.2
410 0.2
411 1.79769313486232e+308
412 0.2
413 0.2
414 1.79769313486232e+308
415 0.2
416 0.2
417 1.79769313486232e+308
418 0.2
419 0.2
420 1.79769313486232e+308
421 0.2
422 0.2
423 1.79769313486232e+308
424 0.2
425 0.2
426 1.79769313486232e+308
427 0.2
428 0.2
429 1.79769313486232e+308
430 0.2
431 0.2
432 1.79769313486232e+308
433 0.2
434 0.2
435 1.79769313486232e+308
436 0.2
437 0.2
438 1.79769313486232e+308
439 0.2
440 0.2
441 1.79769313486232e+308
442 0.2
443 0.2
444 1.79769313486232e+308
445 0.2
446 0.2
447 1.79769313486232e+308
448 0.2
449 0.2
450 1.79769313486232e+308
451 0.2
452 0.2
453 1.79769313486232e+308
454 0.2
455 0.2
456 1.79769313486232e+308
457 0.2
458 0.2
459 1.79769313486232e+308
460 0.2
461 0.2
462 1.79769313486232e+308
463 0.2
464 0.2
465 1.79769313486232e+308
466 0.2
467 0.2
468 1.79769313486232e+308
469 0.2
470 0.2
471 1.79769313486232e+308
472 0.2
473 0.2
474 1.79769313486232e+308
475 0.2
476 0.2
477 1.79769313486232e+308
478 0.2
479 0.2
480 1.79769313486232e+308
481 0.2
482 0.2
483 1.79769313486232e+308
484 0.2
485 0.2
486 1.79769313486232e+308
487 0.2
488 0.2
489 1.79769313486232e+308
490 0.2
491 0.2
492 1.79769313486232e+308
493 0.2
494 0.2
495 1.79769313486232e+308
496 0.2
497 0.2
498 1.79769313486232e+308
499 0.2
500 0.2
501 1.79769313486232e+308
502 0.2
503 0.2
504 1.79769313486232e+308
505 0.2
506 0.2
507 1.79769313486232e+308
508 0.2
509 0.2
510 1.79769313486232e+308
511 0.2
512 0.2
513 1.79769313486232e+308
514 0.2
515 0.2
516 1.79769313486232e+308
517 0.2
518 0.2
519 1.79769313486232e+308
520 0.2
521 0.2
522 1.79769313486232e+308
523 0.2
524 0.2
525 1.79769313486232e+308
526 0.2
527 0.2
528 1.79769313486232e+308
529 0.2
530 0.2
531 1.79769313486232e+308
532 0.2
533 0.2
534 1.79769313486232e+308
535 0.2
536 0.2
537 1.79769313486232e+308
538 0.2
539 0.2
540 1.79769313486232e+308
541 0.2
542 0.2
543 1.79769313486232e+308
544 0.2
545 0.2
546 1.79769313486232e+308
547 0.2
548 0.2
549 1.79769313486232e+308
550 0.2
551 0.2
552 1.79769313486232e+308
553 0.2
554 0.2
555 1.79769313486232e+308
556 0.2
557 0.2
558 1.79769313486232e+308
559 0.2
560 0.2
561 1.79769313486232e+308
562 0.2
563 0.2
564 1.79769313486232e+308
565 0.2
566 0.2
567 1.79769313486232e+308
568 0.2
569 0.2
570 1.79769313486232e+308
571 0.2
572 0.2
573 1.79769313486232e+308
574 0.2
575 0.2
576 1.79769313486232e+308
577 0.2
578 0.2
579 1.79769313486232e+308
580 0.2
581 0.2
582 1.79769313486232e+308
583 0.2
584 0.2
585 1.79769313486232e+308
586 0.2
587 0.2
588 1.79769313486232e+308
589 0.2
590 0.2
591 1.79769313486232e+308
592 0.2
593 0.2
594 1.79769313486232e+308
595 0.2
596 0.2
597 1.79769313486232e+308
598 0.2
599 0.2
600 1.79769313486232e+308
601 0.2
602 0.2
603 1.79769313486232e+308
604 0.2
605 0.2
606 1.79769313486232e+308
607 0.2
608 0.2
609 1.79769313486232e+308
610 0.2
611 0.2
612 1.79769313486232e+308
613 0.2
614 0.2
615 1.79769313486232e+308
616 0.2
617 0.2
618 1.79769313486232e+308
619 0.2
620 0.2
621 1.79769313486232e+308
622 0.2
623 0.2
624 1.79769313486232e+308
625 0.2
626 0.2
627 1.79769313486232e+308
628 0.2
629 0.2
630 1.79769313486232e+308
631 0.2
632 0.2
633 1.79769313486232e+308
634 0.2
635 0.2
636 1.79769313486232e+308
637 0.2
638 0.2
639 1.79769313486232e+308
640 0.2
641 0.2
642 1.79769313486232e+308
643 0.2
644 0.2
645 1.79769313486232e+308
646 0.2
647 0.2
648 1.79769313486232e+308
649 0.2
650 0.2
651 1.79769313486232e+308
652 0.2
653 0.2
654 1.79769313486232e+308
655 0.2
656 0.2
657 1.79769313486232e+308
658 0.2
659 0.2
660 1.79769313486232e+308
661 0.2
662 0.2
663 1.79769313486232e+308
664 0.2
665 0.2
666 1.79769313486232e+308
667 0.2
668 0.2
669 1.79769313486232e+308
670 0.2
671 0.2
672 1.79769313486232e+308
673 0.2
674 0.2
675 1.79769313486232e+308
676 0.2
677 0.2
678 1.79769313486232e+308
679 0.2
680 0.2
681 1.79769313486232e+308
682 0.2
683 0.2
684 1.79769313486232e+308
685 0.2
686 0.2
687 1.79769313486232e+308
688 0.2
689 0.2
690 1.79769313486232e+308
691 0.2
692 0.2
693 1.79769313486232e+308
694 0.2
695 0.2
696 1.79769313486232e+308
697 0.2
698 0.2
699 1.79769313486232e+308
700 0.2
701 0.2
702 1.79769313486232e+308
703 0.2
704 0.2
705 1.79769313486232e+308
706 0.2
707 0.2
708 1.79769313486232e+308
709 0.2
710 0.2
711 1.79769313486232e+308
712 0.2
713 0.2
714 1.79769313486232e+308
715 0.2
716 0.2
717 1.79769313486232e+308
718 0.2
719 0.2
720 1.79769313486232e+308
721 0.2
722 0.2
723 1.79769313486232e+308
724 0.2
725 0.2
726 1.79769313486232e+308
727 0.2
728 0.2
729 1.79769313486232e+308
730 0.2
731 0.2
732 1.79769313486232e+308
733 0.2
734 0.2
735 1.79769313486232e+308
736 0.2
737 0.2
738 1.79769313486232e+308
739 0.2
740 0.2
741 1.79769313486232e+308
742 0.2
743 0.2
744 1.79769313486232e+308
745 0.2
746 0.2
747 1.79769313486232e+308
748 0.2
749 0.2
750 1.79769313486232e+308
751 0.2
752 0.2
753 1.79769313486232e+308
754 0.2
755 0.2
756 1.79769313486232e+308
757 0.2
758 0.2
759 1.79769313486232e+308
760 0.2
761 0.2
762 1.79769313486232e+308
763 0.2
764 0.2
765 1.79769313486232e+308
766 0.2
767 0.2
768 1.79769313486232e+308
769 0.2
770 0.2
771 1.79769313486232e+308
772 0.2
773 0.2
774 1.79769313486232e+308
775 0.2
776 0.2
777 1.79769313486232e+308
778 0.2
779 0.2
780 1.79769313486232e+308
781 0.2
782 0.2
783 1.79769313486232e+308
784 0.2
785 0.2
786 1.79769313486232e+308
787 0.2
788 0.2
789 1.79769313486232e+308
790 0.2
791 0.2
792 1.79769313486232e+308
793 0.2
794 0.2
795 1.79769313486232e+308
796 0.2
797 0.2
798 1.79769313486232e+308
799 0.2
800 0.2
801 1.79769313486232e+308
802 0.2
803 0.2
804 1.79769313486232e+308
805 0.2
806 0.2
807 1.79769313486232e+308
808 0.2
809 0.2
810 1.79769313486232e+308
811 0.2
812 0.2
813 1.79769313486232e+308
814 0.2
815 0.2
816 1.79769313486232e+308
817 0.2
818 0.2
819 1.79769313486232e+308
820 0.2
821 0.2
822 1.79769313486232e+308
823 0.2
824 0.2
825 1.79769313486232e+308
826 0.2
827 0.2
828 1.79769313486232e+308
829 0.2
830 0.2
831 1.79769313486232e+308
832 0.2
833 0.2
834 1.79769313486232e+308
835 0.2
836 0.2
837 1.79769313486232e+308
838 0.2
839 0.2
840 1.79769313486232e+308
841 0.2
842 0.2
843 1.79769313486232e+308
844 0.2
845 0.2
846 1.79769313486232e+308
847 0.2
848 0.2
849 1.79769313486232e+308
850 0.2
851 0.2
852 1.79769313486232e+308
853 0.2
854 0.2
855 1.79769313486232e+308
856 0.2
857 0.2
858 1.79769313486232e+308
859 0.2
860 0.2
861 1.79769313486232e+308
862 0.2
863 0.2
864 1.79769313486232e+308
865 0.2
866 0.2
867 1.79769313486232e+308
868 0.2
869 0.2
870 1.79769313486232e+308
871 0.2
872 0.2
873 1.79769313486232e+308
874 0.2
875 0.2
876 1.79769313486232e+308
877 0.2
878 0.2
879 1.79769313486232e+308
880 0.2
881 0.2
882 1.79769313486232e+308
883 0.2
884 0.2
885 1.79769313486232e+308
886 0.2
887 0.2
888 1.79769313486232e+308
889 0.2
890 0.2
891 1.79769313486232e+308
892 0.2
893 0.2
894 1.79769313486232e+308
895 0.2
896 0.2
897 1.79769313486232e+308
898 0.2
899 0.2
900 1.79769313486232e+308
901 0.2
902 0.2
903 1.79769313486232e+308
904 0.2
905 0.2
906 1.79769313486232e+308
907 0.2
908 0.2
909 1.79769313486232e+308
910 0.2
911 0.2
912 1.79769313486232e+308
913 0.2
914 0.2
915 1.79769313486232e+308
916 0.2
917 0.2
918 1.79769313486232e+308
919 0.2
920 0.2
921 1.79769313486232e+308
922 0.2
923 0.2
924 1.79769313486232e+308
925 0.2
926 0.2
927 1.79769313486232e+308
928 0.2
929 0.2
930 1.79769313486232e+308
931 0.2
932 0.2
933 1.79769313486232e+308
934 0.2
935 0.2
936 1.79769313486232e+308
937 0.2
938 0.2
939 1.79769313486232e+308
940 0.2
941 0.2
942 1.79769313486232e+308
943 0.2
944 0.2
945 1.79769313486232e+308
946 0.2
947 0.2
948 1.79769313486232e+308
949 0.2
950 0.2
951 1.79769313486232e+308
952 0.2
953 0.2
954 1.79769313486232e+308
955 0.2
956 0.2
957 1.79769313486232e+308
958 0.2
959 0.2
960 1.79769313486232e+308
961 0.2
962 0.2
963 1.79769313486232e+308
964 0.2
965 0.2
966 1.79769313486232e+308
967 0.2
968 0.2
969 1.79769313486232e+308
970 0.2
971 0.2
972 1.79769313486232e+308
973 0.2
974 0.2
975 1.79769313486232e+308
976 0.2
977 0.2
978 1.79769313486232e+308
979 0.2
980 0.2
981 1.79769313486232e+308
982 0.2
983 0.2
984 1.79769313486232e+308
985 0.2
986 0.2
987 1.79769313486232e+308
988 0.2
989 0.2
990 1.79769313486232e+308
991 0.2
992 0.2
993 1.79769313486232e+308
994 0.2
995 0.2
996 1.79769313486232e+308
997 0.2
998 0.2
999 1.79769313486232e+308
1000 0.2
1001 0.2
1002 1.79769313486232e+308
1003 0.2
1004 0.2
1005 1.79769313486232e+308
1006 0.2
1007 0.2
1008 1.79769313486232e+308
1009 0.2
1010 0.2
1011 1.79769313486232e+308
1012 0.2
1013 0.2
1014 1.79769313486232e+308
1015 0.2
1016 0.2
1017 1.79769313486232e+308
1018 0.2
1019 0.2
1020 1.79769313486232e+308
1021 0.2
1022 0.2
1023 1.79769313486232e+308
1024 0.2
1025 0.2
1026 1.79769313486232e+308
1027 0.2
1028 0.2
1029 1.79769313486232e+308
1030 0.2
1031 0.2
1032 1.79769313486232e+308
1033 0.2
1034 0.2
1035 1.79769313486232e+308
1036 0.2
1037 0.2
1038 1.79769313486232e+308
1039 0.2
1040 0.2
1041 1.79769313486232e+308
1042 0.2
1043 0.2
1044 1.79769313486232e+308
1045 0.2
1046 0.2
1047 1.79769313486232e+308
1048 0.2
1049 0.2
1050 1.79769313486232e+308
1051 0.2
1052 0.2
1053 1.79769313486232e+308
1054 0.2
1055 0.2
1056 1.79769313486232e+308
1057 0.2
1058 0.2
1059 1.79769313486232e+308
1060 0.2
1061 0.2
1062 1.79769313486232e+308
1063 0.2
1064 0.2
1065 1.79769313486232e+308
1066 0.2
1067 0.2
1068 1.79769313486232e+308
1069 0.2
1070 0.2
1071 1.79769313486232e+308
1072 0.2
1073 0.2
1074 1.79769313486232e+308
1075 0.2
1076 0.2
1077 1.79769313486232e+308
1078 0.2
1079 0.2
1080 1.79769313486232e+308
1081 0.2
1082 0.2
1083 1.79769313486232e+308
1084 0.2
1085 0.2
1086 1.79769313486232e+308
1087 0.2
1088 0.2
1089 1.79769313486232e+308
1090 0.2
1091 0.2
1092 1.79769313486232e+308
1093 0.2
1094 0.2
1095 1.79769313486232e+308
1096 0.2
1097 0.2
1098 1.79769313486232e+308
1099 0.2
1100 0.2
1101 1.79769313486232e+308
1102 0.2
1103 0.2
1104 1.79769313486232e+308
1105 0.2
1106 0.2
1107 1.79769313486232e+308
1108 0.2
1109 0.2
1110 1.79769313486232e+308
1111 0.2
1112 0.2
1113 1.79769313486232e+308
1114 0.2
1115 0.2
1116 1.79769313486232e+308
1117 0.2
1118 0.2
1119 1.79769313486232e+308
1120 0.2
1121 0.2
1122 1.79769313486232e+308
1123 0.2
1124 0.2
1125 1.79769313486232e+308
1126 0.2
1127 0.2
1128 1.79769313486232e+308
1129 0.2
1130 0.2
1131 1.79769313486232e+308
1132 0.2
1133 0.2
1134 1.79769313486232e+308
1135 0.2
1136 0.2
1137 1.79769313486232e+308
1138 0.2
1139 0.2
1140 1.79769313486232e+308
1141 0.2
1142 0.2
1143 1.79769313486232e+308
1144 0.2
1145 0.2
1146 1.79769313486232e+308
1147 0.2
1148 0.2
1149 1.79769313486232e+308
1150 0.2
1151 0.2
1152 1.79769313486232e+308
1153 0.2
1154 0.2
1155 1.79769313486232e+308
1156 0.2
1157 0.2
1158 1.79769313486232e+308
1159 0.2
1160 0.2
1161 1.79769313486232e+308
1162 0.2
1163 0.2
1164 1.79769313486232e+308
1165 0.2
1166 0.2
1167 1.79769313486232e+308
1168 0.2
1169 0.2
1170 1.79769313486232e+308
1171 0.2
1172 0.2
1173 1.79769313486232e+308
1174 0.2
1175 0.2
1176 1.79769313486232e+308
1177 0.2
1178 0.2
1179 1.79769313486232e+308
1180 0.2
1181 0.2
1182 1.79769313486232e+308
1183 0.2
1184 0.2
1185 1.79769313486232e+308
1186 0.2
1187 0.2
1188 1.79769313486232e+308
1189 0.2
1190 0.2
1191 1.79769313486232e+308
1192 0.2
1193 0.2
1194 1.79769313486232e+308
1195 0.2
1196 0.2
1197 1.79769313486232e+308
1198 0.2
1199 0.2
1200 1.79769313486232e+308
1201 0.2
1202 0.2
1203 1.79769313486232e+308
1204 0.2
1205 0.2
1206 1.79769313486232e+308
1207 0.2
1208 0.2
1209 1.79769313486232e+308
1210 0.2
1211 0.2
1212 1.79769313486232e+308
1213 0.2
1214 0.2
1215 1.79769313486232e+308
1216 0.2
1217 0.2
1218 1.79769313486232e+308
1219 0.2
1220 0.2
1221 1.79769313486232e+308
1222 0.2
1223 0.2
1224 1.79769313486232e+308
1225 0.2
1226 0.2
1227 1.79769313486232e+308
1228 0.2
1229 0.2
1230 1.79769313486232e+308
1231 0.2
1232 0.2
1233 1.79769313486232e+308
1234 0.2
1235 0.2
1236 1.79769313486232e+308
1237 0.2
1238 0.2
1239 1.79769313486232e+308
1240 0.2
1241 0.2
1242 1.79769313486232e+308
1243 0.2
1244 0.2
1245 1.79769313486232e+308
1246 0.2
1247 0.2
1248 1.79769313486232e+308
1249 0.2
1250 0.2
1251 1.79769313486232e+308
1252 0.2
1253 0.2
1254 1.79769313486232e+308
1255 0.2
1256 0.2
1257 1.79769313486232e+308
1258 0.2
1259 0.2
1260 1.79769313486232e+308
1261 0.2
1262 0.2
1263 1.79769313486232e+308
1264 0.2
1265 0.2
1266 1.79769313486232e+308
1267 0.2
1268 0.2
1269 1.79769313486232e+308
1270 0.2
1271 0.2
1272 1.79769313486232e+308
1273 0.2
1274 0.2
1275 1.79769313486232e+308
1276 0.2
1277 0.2
1278 1.79769313486232e+308
1279 0.2
1280 0.2
1281 1.79769313486232e+308
1282 0.2
1283 0.2
1284 1.79769313486232e+308
1285 0.2
1286 0.2
1287 1.79769313486232e+308
1288 0.2
1289 0.2
1290 1.79769313486232e+308
1291 0.2
1292 0.2
1293 1.79769313486232e+308
1294 0.2
1295 0.2
1296 1.79769313486232e+308
1297 0.2
1298 0.2
1299 1.79769313486232e+308
1300 0.2
1301 0.2
1302 1.79769313486232e+308
1303 0.2
1304 0.2
1305 1.79769313486232e+308
1306 0.2
1307 0.2
1308 1.79769313486232e+308
1309 0.2
1310 0.2
1311 1.79769313486232e+308
1312 0.2
1313 0.2
1314 1.79769313486232e+308
1315 0.2
1316 0.2
1317 1.79769313486232e+308
1318 0.2
1319 0.2
1320 1.79769313486232e+308
1321 0.2
1322 0.2
1323 1.79769313486232e+308
1324 0.2
1325 0.2
1326 1.79769313486232e+308
1327 0.2
1328 0.2
1329 1.79769313486232e+308
1330 0.2
1331 0.2
1332 1.79769313486232e+308
1333 0.2
1334 0.2
1335 1.79769313486232e+308
1336 0.2
1337 0.2
1338 1.79769313486232e+308
1339 0.2
1340 0.2
1341 1.79769313486232e+308
1342 0.2
1343 0.2
1344 1.79769313486232e+308
1345 0.2
1346 0.2
1347 1.79769313486232e+308
1348 0.2
1349 0.2
1350 1.79769313486232e+308
1351 0.2
1352 0.2
1353 1.79769313486232e+308
1354 0.2
1355 0.2
1356 1.79769313486232e+308
1357 0.2
1358 0.2
1359 1.79769313486232e+308
1360 0.2
1361 0.2
1362 1.79769313486232e+308
1363 0.2
1364 0.2
1365 1.79769313486232e+308
1366 0.2
1367 0.2
1368 1.79769313486232e+308
1369 0.2
1370 0.2
1371 1.79769313486232e+308
1372 0.2
1373 0.2
1374 1.79769313486232e+308
1375 0.2
1376 0.2
1377 1.79769313486232e+308
1378 0.2
1379 0.2
1380 1.79769313486232e+308
1381 0.2
1382 0.2
1383 1.79769313486232e+308
1384 0.2
1385 0.2
1386 1.79769313486232e+308
1387 0.2
1388 0.2
1389 1.79769313486232e+308
1390 0.2
1391 0.2
1392 1.79769313486232e+308
1393 0.2
1394 0.2
1395 1.79769313486232e+308
1396 0.2
1397 0.2
1398 1.79769313486232e+308
1399 0.2
1400 0.2
1401 1.79769313486232e+308
1402 0.2
1403 0.2
1404 1.79769313486232e+308
1405 0.2
1406 0.2
1407 1.79769313486232e+308
1408 0.2
1409 0.2
1410 1.79769313486232e+308
1411 0.2
1412 0.2
1413 1.79769313486232e+308
1414 0.2
1415 0.2
1416 1.79769313486232e+308
1417 0.2
1418 0.2
1419 1.79769313486232e+308
1420 0.2
1421 0.2
1422 1.79769313486232e+308
1423 0.2
1424 0.2
1425 1.79769313486232e+308
1426 0.2
1427 0.2
1428 1.79769313486232e+308
1429 0.2
1430 0.2
1431 1.79769313486232e+308
1432 0.2
1433 0.2
1434 1.79769313486232e+308
1435 0.2
1436 0.2
1437 1.79769313486232e+308
1438 0.2
1439 0.2
1440 1.79769313486232e+308
1441 0.2
1442 0.2
1443 1.79769313486232e+308
1444 0.2
1445 0.2
1446 1.79769313486232e+308
1447 0.2
1448 0.2
1449 1.79769313486232e+308
1450 0.2
1451 0.2
1452 1.79769313486232e+308
1453 0.2
1454 0.2
1455 1.79769313486232e+308
1456 0.2
1457 0.2
1458 1.79769313486232e+308
1459 0.2
1460 0.2
1461 1.79769313486232e+308
1462 0.2
1463 0.2
1464 1.79769313486232e+308
1465 0.2
1466 0.2
1467 1.79769313486232e+308
1468 0.2
1469 0.2
1470 1.79769313486232e+308
1471 0.2
1472 0.2
1473 1.79769313486232e+308
1474 0.2
1475 0.2
1476 1.79769313486232e+308
1477 0.2
1478 0.2
1479 1.79769313486232e+308
1480 0.2
1481 0.2
1482 1.79769313486232e+308
1483 0.2
1484 0.2
1485 1.79769313486232e+308
1486 0.2
1487 0.2
1488 1.79769313486232e+308
1489 0.2
1490 0.2
1491 1.79769313486232e+308
1492 0.2
1493 0.2
1494 1.79769313486232e+308
1495 0.2
1496 0.2
1497 1.79769313486232e+308
1498 0.2
1499 0.2
1500 1.79769313486232e+308
1501 0.2
1502 0.2
1503 1.79769313486232e+308
1504 0.2
1505 0.2
1506 1.79769313486232e+308
1507 0.2
1508 0.2
1509 1.79769313486232e+308
1510 0.2
1511 0.2
1512 1.79769313486232e+308
1513 0.2
1514 0.2
1515 1.79769313486232e+308
1516 0.2
1517 0.2
1518 1.79769313486232e+308
1519 0.2
1520 0.2
1521 1.79769313486232e+308
1522 0.2
1523 0.2
1524 1.79769313486232e+308
1525 0.2
1526 0.2
1527 1.79769313486232e+308
1528 0.2
1529 0.2
1530 1.79769313486232e+308
1531 0.2
1532 0.2
1533 1.79769313486232e+308
1534 0.2
1535 0.2
1536 1.79769313486232e+308
1537 0.2
1538 0.2
1539 1.79769313486232e+308
1540 0.2
1541 0.2
1542 1.79769313486232e+308
1543 0.2
1544 0.2
1545 1.79769313486232e+308
1546 0.2
1547 0.2
1548 1.79769313486232e+308
1549 0.2
1550 0.2
1551 1.79769313486232e+308
1552 0.2
1553 0.2
1554 1.79769313486232e+308
1555 0.2
1556 0.2
1557 1.79769313486232e+308
1558 0.2
1559 0.2
1560 1.79769313486232e+308
1561 0.2
1562 0.2
1563 1.79769313486232e+308
1564 0.2
1565 0.2
1566 1.79769313486232e+308
1567 0.2
1568 0.2
1569 1.79769313486232e+308
1570 0.2
1571 0.2
1572 1.79769313486232e+308
1573 0.2
1574 0.2
1575 1.79769313486232e+308
1576 0.2
1577 0.2
1578 1.79769313486232e+308
1579 0.2
1580 0.2
1581 1.79769313486232e+308
1582 0.2
1583 0.2
1584 1.79769313486232e+308
1585 0.2
1586 0.2
1587 1.79769313486232e+308
1588 0.2
1589 0.2
1590 1.79769313486232e+308
1591 0.2
1592 0.2
1593 1.79769313486232e+308
1594 0.2
1595 0.2
1596 1.79769313486232e+308
1597 0.2
1598 0.2
1599 1.79769313486232e+308
1600 0.2
1601 0.2
1602 1.79769313486232e+308
1603 0.2
1604 0.2
1605 1.79769313486232e+308
1606 0.2
1607 0.2
1608 1.79769313486232e+308
1609 0.2
1610 0.2
1611 1.79769313486232e+308
1612 0.2
1613 0.2
1614 1.79769313486232e+308
1615 0.2
1616 0.2
1617 1.79769313486232e+308
1618 0.2
1619 0.2
1620 1.79769313486232e+308
1621 0.2
1622 0.2
1623 1.79769313486232e+308
1624 0.2
1625 0.2
1626 1.79769313486232e+308
1627 0.2
1628 0.2
1629 1.79769313486232e+308
1630 0.2
1631 0.2
1632 1.79769313486232e+308
1633 0.2
1634 0.2
1635 1.79769313486232e+308
1636 0.2
1637 0.2
1638 1.79769313486232e+308
1639 0.2
1640 0.2
1641 1.79769313486232e+308
1642 0.2
1643 0.2
1644 1.79769313486232e+308
1645 0.2
1646 0.2
1647 1.79769313486232e+308
1648 0.2
1649 0.2
1650 1.79769313486232e+308
1651 0.2
1652 0.2
1653 1.79769313486232e+308
1654 0.2
1655 0.2
1656 1.79769313486232e+308
1657 0.2
1658 0.2
1659 1.79769313486232e+308
1660 0.2
1661 0.2
1662 1.79769313486232e+308
1663 0.2
1664 0.2
1665 1.79769313486232e+308
1666 0.2
1667 0.2
1668 1.79769313486232e+308
1669 0.2
1670 0.2
1671 1.79769313486232e+308
1672 0.2
1673 0.2
1674 1.79769313486232e+308
1675 0.2
1676 0.2
1677 1.79769313486232e+308
1678 0.2
1679 0.2
1680 1.79769313486232e+308
1681 0.2
1682 0.2
1683 1.79769313486232e+308
1684 0.2
1685 0.2
1686 1.79769313486232e+308
1687 0.2
1688 0.2
1689 1.79769313486232e+308
1690 0.2
1691 0.2
1692 1.79769313486232e+308
1693 0.2
1694 0.2
1695 1.79769313486232e+308
1696 0.2
1697 0.2
1698 1.79769313486232e+308
1699 0.2
1700 0.2
1701 1.79769313486232e+308
1702 0.2
1703 0.2
1704 1.79769313486232e+308
1705 0.2
1706 0.2
1707 1.79769313486232e+308
1708 0.2
1709 0.2
1710 1.79769313486232e+308
1711 0.2
1712 0.2
1713 1.79769313486232e+308
1714 0.2
1715 0.2
1716 1.79769313486232e+308
1717 0.2
1718 0.2
1719 1.79769313486232e+308
1720 0.2
1721 0.2
1722 1.79769313486232e+308
1723 0.2
1724 0.2
1725 1.79769313486232e+308
1726 0.2
1727 0.2
| IDL | 0 | ricortiz/OpenTissue | demos/data/dlm/1728/hi.dlm | [
"Zlib"
] |
// aux-build:hidden.rs
extern crate hidden;
use hidden::Foo;
fn main() {
match Foo::A {
Foo::A => {}
Foo::B => {}
}
//~^^^^ non-exhaustive patterns: `_` not covered
match Foo::A {
Foo::A => {}
Foo::C => {}
}
//~^^^^ non-exhaustive patterns: `B` not covered
match Foo::A {
Foo::A => {}
}
//~^^^ non-exhaustive patterns: `B` and `_` not covered
match None {
None => {}
Some(Foo::A) => {}
}
//~^^^^ non-exhaustive patterns: `Some(B)` and `Some(_)` not covered
}
| Rust | 4 | david-perez/rust | src/test/ui/pattern/usefulness/doc-hidden-non-exhaustive.rs | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
#tag Module
Protected Module Info
#tag Constant, Name = ACTIVESOCKET, Type = Double, Dynamic = False, Default = \"5242924", Scope = Protected
#tag EndConstant
#tag Constant, Name = APPCONNECT_TIME, Type = Double, Dynamic = False, Default = \"3145761", Scope = Protected
#tag EndConstant
#tag Constant, Name = APPCONNECT_TIME_T, Type = Double, Dynamic = False, Default = \"6291512", Scope = Protected
#tag EndConstant
#tag Constant, Name = CERTINFO, Type = Double, Dynamic = False, Default = \"4194338", Scope = Protected
#tag EndConstant
#tag Constant, Name = CONDITION_UNMET, Type = Double, Dynamic = False, Default = \"2097187", Scope = Protected
#tag EndConstant
#tag Constant, Name = CONNECT_TIME, Type = Double, Dynamic = False, Default = \"3145733", Scope = Protected
#tag EndConstant
#tag Constant, Name = CONNECT_TIME_T, Type = Double, Dynamic = False, Default = \"6291508", Scope = Protected
#tag EndConstant
#tag Constant, Name = CONTENT_LENGTH_DOWNLOAD, Type = Double, Dynamic = False, Default = \"3145743", Scope = Protected
#tag EndConstant
#tag Constant, Name = CONTENT_LENGTH_DOWNLOAD_T, Type = Double, Dynamic = False, Default = \"6291471", Scope = Protected
#tag EndConstant
#tag Constant, Name = CONTENT_LENGTH_UPLOAD, Type = Double, Dynamic = False, Default = \"3145744", Scope = Protected
#tag EndConstant
#tag Constant, Name = CONTENT_LENGTH_UPLOAD_T, Type = Double, Dynamic = False, Default = \"6291472", Scope = Protected
#tag EndConstant
#tag Constant, Name = CONTENT_TYPE, Type = Double, Dynamic = False, Default = \"1048594", Scope = Protected
#tag EndConstant
#tag Constant, Name = COOKIELIST, Type = Double, Dynamic = False, Default = \"4194332", Scope = Protected
#tag EndConstant
#tag Constant, Name = EFFECTIVE_URL, Type = Double, Dynamic = False, Default = \"1048577", Scope = Protected
#tag EndConstant
#tag Constant, Name = FILETIME, Type = Double, Dynamic = False, Default = \"2097166", Scope = Protected
#tag EndConstant
#tag Constant, Name = FILETIME_T, Type = Double, Dynamic = False, Default = \"6291470", Scope = Protected
#tag EndConstant
#tag Constant, Name = FTP_ENTRY_PATH, Type = Double, Dynamic = False, Default = \"1048606", Scope = Protected
#tag EndConstant
#tag Constant, Name = HEADER_SIZE, Type = Double, Dynamic = False, Default = \"2097163", Scope = Protected
#tag EndConstant
#tag Constant, Name = HTTPAUTH_AVAIL, Type = Double, Dynamic = False, Default = \"2097175", Scope = Protected
#tag EndConstant
#tag Constant, Name = HTTP_CONNECTCODE, Type = Double, Dynamic = False, Default = \"2097174", Scope = Protected
#tag EndConstant
#tag Constant, Name = HTTP_VERSION, Type = Double, Dynamic = False, Default = \"2097198", Scope = Protected
#tag EndConstant
#tag Constant, Name = LASTSOCKET, Type = Double, Dynamic = False, Default = \"2097181", Scope = Protected
#tag EndConstant
#tag Constant, Name = LOCAL_IP, Type = Double, Dynamic = False, Default = \"1048617", Scope = Protected
#tag EndConstant
#tag Constant, Name = LOCAL_PORT, Type = Double, Dynamic = False, Default = \"2097194", Scope = Protected
#tag EndConstant
#tag Constant, Name = NAMELOOKUP_TIME, Type = Double, Dynamic = False, Default = \"3145732", Scope = Protected
#tag EndConstant
#tag Constant, Name = NAMELOOKUP_TIME_T, Type = Double, Dynamic = False, Default = \"6291507", Scope = Protected
#tag EndConstant
#tag Constant, Name = NUM_CONNECTS, Type = Double, Dynamic = False, Default = \"2097178", Scope = Protected
#tag EndConstant
#tag Constant, Name = OS_ERRNO, Type = Double, Dynamic = False, Default = \"2097177", Scope = Protected
#tag EndConstant
#tag Constant, Name = PRETRANSFER_TIME, Type = Double, Dynamic = False, Default = \"3145734", Scope = Protected
#tag EndConstant
#tag Constant, Name = PRETRANSFER_TIME_T, Type = Double, Dynamic = False, Default = \"6291509", Scope = Protected
#tag EndConstant
#tag Constant, Name = PRIMARY_IP, Type = Double, Dynamic = False, Default = \"1048608", Scope = Protected
#tag EndConstant
#tag Constant, Name = PRIMARY_PORT, Type = Double, Dynamic = False, Default = \"2097192", Scope = Protected
#tag EndConstant
#tag Constant, Name = PRIVATE_, Type = Double, Dynamic = False, Default = \"1048597", Scope = Protected
#tag EndConstant
#tag Constant, Name = PROTOCOL, Type = Double, Dynamic = False, Default = \"2097200", Scope = Protected
#tag EndConstant
#tag Constant, Name = PROXYAUTH_AVAIL, Type = Double, Dynamic = False, Default = \"2097176", Scope = Protected
#tag EndConstant
#tag Constant, Name = PROXY_SSL_VERIFYRESULT, Type = Double, Dynamic = False, Default = \"2097199", Scope = Protected
#tag EndConstant
#tag Constant, Name = REDIRECT_COUNT, Type = Double, Dynamic = False, Default = \"2097172", Scope = Protected
#tag EndConstant
#tag Constant, Name = REDIRECT_TIME, Type = Double, Dynamic = False, Default = \"3145747", Scope = Protected
#tag EndConstant
#tag Constant, Name = REDIRECT_TIME_T, Type = Double, Dynamic = False, Default = \"6291511", Scope = Protected
#tag EndConstant
#tag Constant, Name = REDIRECT_URL, Type = Double, Dynamic = False, Default = \"1048607", Scope = Protected
#tag EndConstant
#tag Constant, Name = REQUEST_SIZE, Type = Double, Dynamic = False, Default = \"2097164", Scope = Protected
#tag EndConstant
#tag Constant, Name = RESPONSE_CODE, Type = Double, Dynamic = False, Default = \"2097154", Scope = Protected
#tag EndConstant
#tag Constant, Name = RTSP_CLIENT_CSEQ, Type = Double, Dynamic = False, Default = \"2097189", Scope = Protected
#tag EndConstant
#tag Constant, Name = RTSP_CSEQ_RECV, Type = Double, Dynamic = False, Default = \"2097191", Scope = Protected
#tag EndConstant
#tag Constant, Name = RTSP_SERVER_CSEQ, Type = Double, Dynamic = False, Default = \"2097190", Scope = Protected
#tag EndConstant
#tag Constant, Name = RTSP_SESSION_ID, Type = Double, Dynamic = False, Default = \"1048612", Scope = Protected
#tag EndConstant
#tag Constant, Name = SCHEME, Type = Double, Dynamic = False, Default = \"1048625", Scope = Protected
#tag EndConstant
#tag Constant, Name = SIZE_DOWNLOAD, Type = Double, Dynamic = False, Default = \"3145736", Scope = Protected
#tag EndConstant
#tag Constant, Name = SIZE_DOWNLOAD_T, Type = Double, Dynamic = False, Default = \"6291464", Scope = Protected
#tag EndConstant
#tag Constant, Name = SIZE_UPLOAD, Type = Double, Dynamic = False, Default = \"3145735", Scope = Protected
#tag EndConstant
#tag Constant, Name = SIZE_UPLOAD_T, Type = Double, Dynamic = False, Default = \"6291463", Scope = Protected
#tag EndConstant
#tag Constant, Name = SPEED_DOWNLOAD, Type = Double, Dynamic = False, Default = \"3145737", Scope = Protected
#tag EndConstant
#tag Constant, Name = SPEED_DOWNLOAD_T, Type = Double, Dynamic = False, Default = \"6291465", Scope = Protected
#tag EndConstant
#tag Constant, Name = SPEED_UPLOAD, Type = Double, Dynamic = False, Default = \"3145738", Scope = Protected
#tag EndConstant
#tag Constant, Name = SPEED_UPLOAD_T, Type = Double, Dynamic = False, Default = \"6291466", Scope = Protected
#tag EndConstant
#tag Constant, Name = SSL_ENGINES, Type = Double, Dynamic = False, Default = \"4194331", Scope = Protected
#tag EndConstant
#tag Constant, Name = SSL_VERIFYRESULT, Type = Double, Dynamic = False, Default = \"2097165", Scope = Protected
#tag EndConstant
#tag Constant, Name = STARTTRANSFER_TIME, Type = Double, Dynamic = False, Default = \"3145745", Scope = Protected
#tag EndConstant
#tag Constant, Name = STARTTRANSFER_TIME_T, Type = Double, Dynamic = False, Default = \"6291510", Scope = Protected
#tag EndConstant
#tag Constant, Name = TLS_SESSION, Type = Double, Dynamic = False, Default = \"4194347", Scope = Protected
#tag EndConstant
#tag Constant, Name = TLS_SSL_PTR, Type = Double, Dynamic = False, Default = \"4194349", Scope = Protected
#tag EndConstant
#tag Constant, Name = TOTAL_TIME, Type = Double, Dynamic = False, Default = \"3145731", Scope = Protected
#tag EndConstant
#tag Constant, Name = TOTAL_TIME_T, Type = Double, Dynamic = False, Default = \"6291506", Scope = Protected
#tag EndConstant
#tag ViewBehavior
#tag ViewProperty
Name="Index"
Visible=true
Group="ID"
InitialValue="-2147483648"
InheritedFrom="Object"
#tag EndViewProperty
#tag ViewProperty
Name="Left"
Visible=true
Group="Position"
InitialValue="0"
InheritedFrom="Object"
#tag EndViewProperty
#tag ViewProperty
Name="Name"
Visible=true
Group="ID"
InheritedFrom="Object"
#tag EndViewProperty
#tag ViewProperty
Name="Super"
Visible=true
Group="ID"
InheritedFrom="Object"
#tag EndViewProperty
#tag ViewProperty
Name="Top"
Visible=true
Group="Position"
InitialValue="0"
InheritedFrom="Object"
#tag EndViewProperty
#tag EndViewBehavior
End Module
#tag EndModule
| REALbasic | 2 | charonn0/RB-libcURL | libcURL/Info.rbbas | [
"MIT"
] |
//! WASI-specific extensions to primitives in the [`std::ffi`] module
//!
//! [`std::ffi`]: crate::ffi
#![stable(feature = "rust1", since = "1.0.0")]
#[path = "../unix/ffi/os_str.rs"]
mod os_str;
#[stable(feature = "rust1", since = "1.0.0")]
pub use self::os_str::{OsStrExt, OsStringExt};
| Rust | 4 | ohno418/rust | library/std/src/os/wasi/ffi.rs | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
package main
/*
*/
import "C"
func main() {
}
| Go | 0 | Havoc-OS/androidprebuilts_go_linux-x86 | misc/cgo/testshared/src/execgo/exe.go | [
"BSD-3-Clause"
] |
sub Main()
node = CreateObject("RoSgNode", "ExtendCustom")
end sub | Brightscript | 2 | adheus/brs | test/e2e/customResources/components/extendCustomMain.brs | [
"MIT"
] |
module matching_end_labels_top(
output reg [7:0]
out1, out2, out3, out4
);
initial begin
begin : blk1
reg x;
x = 1;
end
out1 = blk1.x;
begin : blk2
reg x;
x = 2;
end : blk2
out2 = blk2.x;
end
if (1) begin
if (1) begin : blk3
reg x;
assign x = 3;
end
assign out3 = blk3.x;
if (1) begin : blk4
reg x;
assign x = 4;
end : blk4
assign out4 = blk4.x;
end
endmodule
| SystemVerilog | 2 | gudeh/yosys | tests/simple/matching_end_labels.sv | [
"ISC"
] |
PREFIX : <http://example.org/>
CONSTRUCT
WHERE { ?s ?p ?o FILTER ( ?o = :o1) } | SPARQL | 2 | yanaspaula/rdf4j | testsuites/sparql/src/main/resources/testcases-sparql-1.1-w3c/construct/constructwhere05.rq | [
"BSD-3-Clause"
] |
from django.middleware.csrf import get_token
from django.utils.functional import lazy
from django.utils.html import format_html
from django.utils.safestring import SafeString
def csrf_input(request):
return format_html(
'<input type="hidden" name="csrfmiddlewaretoken" value="{}">',
get_token(request))
csrf_input_lazy = lazy(csrf_input, SafeString, str)
csrf_token_lazy = lazy(get_token, str)
| Python | 4 | ni-ning/django | django/template/backends/utils.py | [
"CNRI-Python-GPL-Compatible",
"BSD-3-Clause"
] |
import queryGraphql from '../shared/query-graphql'
export default function UserProfile({ user }) {
if (!user) {
return <h1>User Not Found</h1>
}
return (
<h1>
{user.username} is {user.name}
</h1>
)
}
export async function getStaticProps(context) {
const { params } = context
const { username } = params
const { user = null } = await queryGraphql(
`
query($username: String) {
user(username: $username) {
name
username
}
}
`,
{ username }
)
return { props: { user } }
}
export async function getStaticPaths() {
const { users } = await queryGraphql(`
query {
users {
username
}
}
`)
return {
paths: users.map(({ username }) => ({
params: { username },
})),
fallback: true,
}
}
| JavaScript | 4 | blomqma/next.js | examples/api-routes-apollo-server/pages/[username].js | [
"MIT"
] |
set testmodule [file normalize tests/modules/infotest.so]
test {modules config rewrite} {
start_server {tags {"modules"}} {
r module load $testmodule
assert_equal [lindex [lindex [r module list] 0] 1] infotest
r config rewrite
restart_server 0 true false
assert_equal [lindex [lindex [r module list] 0] 1] infotest
r module unload infotest
r config rewrite
restart_server 0 true false
assert_equal [llength [r module list]] 0
}
}
| Tcl | 4 | artynet/redis | tests/unit/moduleapi/infra.tcl | [
"BSD-3-Clause"
] |
%{
#include <string>
#include "caffe2/caffe2/opt/nql/ast.h"
#include "caffe2/caffe2/opt/nql/parse.yy.h"
#define SAVE_TOKEN yylval.pstr = allocString(); *yylval.pstr = std::string(yytext, yyleng)
#define SAVE_STR yylval.pstr = allocString(); *yylval.pstr = std::string(yytext, yyleng)
#define TOKEN(t) (yylval.token = t)
extern "C" int yywrap() { return 1; }
%}
%%
#.*\n ;
[ \t\n] ;
"def" return TOKEN(TDEF);
[a-zA-Z_][a-zA-Z0-9_]* SAVE_STR; return TIDENTIFIER;
%[a-z_][a-z0-9_]* SAVE_STR; return TVAR;
[0-9]+.[0-9]* SAVE_STR; return TDOUBLE;
[0-9]+ SAVE_STR; return TINTEGER;
"*" SAVE_STR; return TSTAR;
"=" return TOKEN(TEQUAL);
"==" return TOKEN(TCEQ);
"!=" return TOKEN(TCNE);
"<" return TOKEN(TCLT);
"<=" return TOKEN(TCLE);
">" return TOKEN(TCGT);
">=" return TOKEN(TCGE);
"(" return TOKEN(TLPAREN);
")" return TOKEN(TRPAREN);
"{" return TOKEN(TLBRACE);
"}" return TOKEN(TRBRACE);
"." return TOKEN(TDOT);
"," return TOKEN(TCOMMA);
"+" return TOKEN(TPLUS);
"-" return TOKEN(TMINUS);
"/" return TOKEN(TDIV);
":" return TOKEN(TCOLON);
";" return TOKEN(TSEMICOLON);
. printf("Unknown token!\n"); yyterminate();
%%
| LLVM | 3 | Hacky-DH/pytorch | caffe2/opt/nql/lex.ll | [
"Intel"
] |
TUxOT1JVUFNUVlVRT1VYWVdXUlJUT1FPU1VPT01PUE9WVlFSUFJRTkxKTU1PTEtJ
R0JDR0RDQEBBQD8/PDs/PD0+Pz44NzY1NjY5ODw5OT08Nzk5ODs8QUNBQj9BQUND
QklLSk5KSU9TXlhLT0xWUlFaVFdMTVdVW1VgWVdWXV9dWFtWUlFSTkVERTk1NTUz
MzUzNjU0ODg1ODY2Nzk6PTo6P0NETE1JR1RSTFBISkpKVVVLSUpUTU5STVZRVFpT
Vk5XXGBYUFhVWFJTV19kXVdVUFdVVlZUW1xbWlhZV1pcWE9TWlRWWVlXUE1MTlJD
PDo8Ozo+P0pOTVhWVFJWW15oYFxbXlpUVlpZXFhYVVdXUFlcYFhUVFdaW1RQXVxc
XltXUVBSTU1RUVRYVVNNSU1RUFFWVFFST05QUk9OSU5QTk1KS1BVSkxLTE5LT1RO
VlRZWlZYVE1FRkVHR0ZLSU9LTlFOXWaJo7CspZ2WlZOJfXFmYmFqdG9eS0E+OTk4
ODtBQTw9Ojg5PD5EQT8/P0BAPDc6OEE+Pzo+QENAPDtBQENDRkNDR0A6QEQ8ODU0
MTQ3NTg3Mzc2NDg0OTs/RUpTS05JT1xYWVlUXFZWVVtdWVlXUE5TUlJQT1BUVlZR
VFVYW1NRTkxMUlZUUEtMTk9PTE1MSERESUpLSkxJRklJSUtLRkRJSEVCRENERUZE
QkNBQ0JEQ0FAPjk6PDo3OTc3ODU2ODY2NTc+Rk9YYmdqaGhna3B3e3x+gYGBgYaH
iYuKi4uKioWCfXdwbmpnaWlsb3eCiIuMjYmJjo6SkJCTl5ORjIaBfnZnVEc/Ojo6
ODo7P0RJSkxPUlVWWVhWVlVSVFFRT05JRkVARD5BPkBCRERDQ0ZGRUdFSUpKSkpK
SklOS0xNTkxOT05MS0tMTk9NT1ZWU1dZWl1eXWJkZ2hqbm91dXV4fH5/gYB/gYOC
hYmGiIiHh4iGh4qLi4qMjY2Li4uLjZKTlpeWlpSPjo+SkZOQkpGRlZiXlpaZmZuZ
mZibl5mZmJiampual5aYnKCpr7KqmImGiJWosbzAvLu5u7i1tbGwsbKzt7a8vcC/
vL29vr6/v7q8vLq8vrq4ube1tLe3t7S0ta2ysrK1tKyginBfXVhTUlBOTVBMTU9M
S0tLSUpLSkhJSkdPT05KSUdNS0lJSE1LSkxKTk9MTUtNSk9OTUxPUU5NUE9OT0xM
Tk5QUVFQUU9QUVJSVFVSUlNTU1JRTlJTUFBSVFRSUlFTT09RUlBSUVNTUU9QUVNV
VVVVUVFSU1FVU1JSUFFSU1hUUVFPUVRQUVJRU1NUVVZYWFZWWlhYVFFVWFhXVlhW
WFhaWltbWF5bV1dYVlhbWFZYWVlaWVlYV1laWVpZV1taWVlaWlpaWVtcXV1cXF1d
YF9dYF5dXV1dYF5bXV1cWlxWV1dYV1ZWWFdYV1ZZXIO9ydPa3uHk5efo6el7enh5
ent8eHd1dnl2dnh6enl4eXdwZ1pMR0VFSkVEQz09Q0hKQ0A/P0I/PEJCQT4+PTpA
RURFQ0RHQ0RBPT5ARkhJSkxMTk1JS05QTklKTk5QUVNUU1FXU1ddWVVRUFFTU1JQ
UlBQT0tRVVVVU1JSUFJNSktPT0tJSUhHREVFQ0dEQkNAPj0+PTw7Ozs6OTw2Nzk4
ODg6PDs5OTg3Nzs4Ojw7Ozw9PURBQkQ/RktGS0tISUpRVU5RTUpTT1lTV1VOVlNc
WV1cWVddY1xdXllPT1JVT0pAODc1MzU5Njc6OTs3Njg2NTc7ODg4OTg+Q0dPUEpH
VVRMUUxRSkpUTklOSVNSTU1KV1RSWlFYVFRVWVdNUFJeVFRVYWFdXVZQUVVYV1VZ
VFdYWVhZXGVhVlRbW1pXUU1LTFBMTkhAOTg6OTk7Q1BSVVldWFpeXmFhY2VjXlNR
U1BXWFVVUVZYWFdWU1NTVVZaV09WWVlaWlNQTUtOUE1OUlhZVFFXUE1NUFBQTlFS
UFJWTU1OS0pRSkVJUFBNSkpNUEtPVFVXV1lXVldXU0hGRUdJSVBJSUhOVE9RWnWU
qauroZiVkYl8c2xmY2VrdWlSQTs6Ozg7OTw8Oz08PDw7Ozw7PTtAPj09Pj1BQUJA
OTo+QUQ9OD1FQUM+RUJCOzY9Q0E4ODU0NDY2NjQ0MzI1Njg4Oz1ESkpISkpTWlhY
W1ZZV1hTVldOUVNOTE5OUlFQVFlYU01XV1dWU09MSktOUlRTUU1PT0xQTklFR0ZL
TU1LS0dHR0dJSkpGRUNGSExHQ0RDREVBQD9APz5AOzs+QD88Pjw4NjY0Njc5Nzg7
QUpTXmRmaGdoaGxwdHp7fXmBh4eHhoyQj5CNjYuJhYJ8dnN1b2xtbGtze4SJjI6M
iImOj5KUlpWVk5GQi4B3a11RRj5APkFAQUFCSEpLTVBQU1hYWFZWV1NRUlBQTkxJ
RkdDQT5AP0NDQkNARERJR0lJRkhHSUtQUE1MS0tNTExNTE1NT1FSUFBVVVVXWF1f
XmNjZGdsbG5zdXZ1dnt9f4CDg4F/goOFhYaGh4uHhoWJi4mKi4mIiouNjIuMkZGR
lpSUj5GQkpKSkpWTkpaXl5OVlpmbmpiYmZmZmJqWlZeYl5iZmp+jqrO5s6aTgXeB
mK64vby7urq9ure0srSztba1t7m9vsDDwr69vb+9uru+wL69vbi3tbSztbq1tLe4
rrOztrW1saylknplXFZUVVNPTU9PTk5NTU1NSkhISkpJR0lKS0lKUEpKS0xPTVBL
TUxKS01KTExMTkpPTktQUE5PT09QTU5NUFBSUlNST1BPT05ST05PUVFTVlJSU1NS
UlRTUVJTUVBRUU5RTlFSU1NQTk5NUFVTUlBSUVBRVFRTU1NSVFJQUlVUVlNUVFFS
UFNVU1JUVVVWVVZXV1VWV1dWVVVYWVhZW1pYWVtdXF5aW1hZWFZZWVhYWlpYV1dY
WFZXW1tZWFlYWVhWWVlZXFxcW11cXltcXltdXlxdX19dXl5bXVtbWFlYV1VXV1ZU
VlVVVVdgfLvJ0dre4eTm5+jp6nl7e3x7eHp6dnh5dnd4dXd4dnZ5cmlgUkhCQEJH
QEM/PkFCRERBQERDQz4/QkU7PD1CPkBBQUFAQEFDR0I9PENCR0dISEdJTklMT01P
UlFNUFBRUlJZVVVWV1ZUU1hSVFZVUlJTUlBRUVNTVFVSUFFOUE5NTExPTUtIREhH
RENDQkJFQj5APkE/Pz87Oj08Oz04Nzc4NzxBODQ1Nzc4Ozo6Ojg2OTs7Ozs+QT9D
SUdISEZGRkpQS01LRElHTEpLVVRaWVhZXFtZVlhgX1xXV1BVblVUSkA5NzQ1NDc1
NTQzNDQ0NDg1Njc2NTg7PD8+PkpJTUZNT0dPS1JNSFBLRkxIS0hLSk1UVFlgVl5X
UVJUVUxRT1ZVUlFZXVpWVFJTVllZV1dUVFtaWltfZl1VWFtcVlZVT0tTUElIR0Q5
NzY3Njk/SVJWWmxlWlxdWWBpYV9kV1JUUVJcWlhTT1NSV1pTVFNTVlVXVlZVWFJU
WlNPS01VVVpaWVVYV1VWUU5QTk5PUFVRTE1LS0xIRU5KSEpOTk1JR01MSVBVWlxT
VFhcWFpZTkdDQEFFS0VISElTUU9WYniWpqiooJeOhn92a2NgYGZwbV5JOzs/QkI7
ODs9OkA+PDw6OT1APj4+SDw6Oz4/QkA7O0A9Pz5CPDs8QTxDQkJJPzpBPzo8Ozg2
NzQ3NjczMjQ2Nzg7PT9HS0RJR01SUldSUE9OT01VWFJWVE5LTlFTUlBSVldSVFhW
VFJWUVBNTEhLTFJUTExNS05OSUZITE1LS0pKT0pGREVGRkdIRklKSUlERURCQ0NC
Q0E+PDk9QD9BPzw6ODo4OTo9Ojg5PUdQW2VqamlrbWttcnd6fH19fYKDiI2Ojo2N
jo6LjIiIhX58eXVzcW9sb3d/hIyOkI+Lio6QkZOYlpSTjYuHgXJkWE1IRD89QEJF
RUZMT0xPUVNUVlhaW1lXVVNSUlJPTUtNS0dDQUJEQkJDRUZGR0hFR0dHQ0dHSEtI
SEtJS05LS0xSUVNQTlFUUlVZWFlcXWFlZ2hsbW9zcnV8fH9+fX+AgYGBg4SEg4KD
hYOCh4eHh4eJi4qKi4uOjI2KjpGSlZWUmZaSkpeWkI6TmJWYmpiXmJiampuXnJmY
lpaZmJqYmZmbnJ2jrLGwsbSwopSDfIeXrLu/vr28urq4s7OzsrK0trW3ubu8v8G/
v7++vr27ur27vLy7ubW2uby7t7e1ube1tbe2tLW0sa+mmIFmWldXUlBRT0xOS0xO
TVJPTUtKR0lKTEpKTUpJSUlLTUxJTE1PUExJS0tNS0xOTU5MS0xLS09PUVFTUE9R
UFNSU1FRVFJNT09OTlBQUlNSUVBRT1JUVFFPUVRUUVNRUE5QUVFSUFFPSk5RUE9P
UVNTVlFRTFBPUVJSUlJRT09SUlBQUE9RUlJTVVVTVFVWV1ZYWFZYV1hVVVRTV1ta
W11bWVxaXV1aWlpcWllZWllaXV5bV1dXWFpZWldXWVpZVlVXWVlbXFxaXF9cX11f
XFxcX15iYWBdXFhaW1pfXFtZV1RWVllXU1NXW2Z9usjT2d/h4+bn6OnpeXp7enl7
d3t7enl6eHp4eHl1dG9rZFtRSkdDQkBAQUY/PEVESUREREM9QUFEQUVBPT9BPT8/
Pz8+QT5BRENHQkNFRkhJS0xNTkxQTE1SU1NQUlNRUlVWVVVZWlZVU1VWU1ZWVFJQ
VlJPUFNXWFZVU1RUUFFPTkxISEdJTEpGREJCQUBAQENHQj07PTo8OzU5Nzc4ODg3
Nzg1ODk4ODc5Ozg6ODk3OTk4PD5FQj5AQEBFREU/QlFPSklIR0dHSkxUU1xZUVVZ
YFhPU2BaV1RYUU9UWFZKQDo3NzI0NTAyNjQ0Ozg4Njc2Nzk5ODw6Ozo+S0ZLRUdF
Q1RMWlVMUU9KT0pPTFVWSlVTVFtTWlNUVlJSTFNOUlRQSlRUWVdaWVVSUldZWlVT
U1dUU1pdXFZXW15VVVVOTldSTUdHRzo2NzU2OTk+TV1eYmJYX11aYGleX2lYTVJR
Vl5gXFhRUVNYXFJSWl1ZVlFWWlJSU1JcVVhTTlhYWFNTU1lYVVhSTU9RUVRTT05F
SEhJRk9NS01OTU9KS1FJTFFRUlNUV1FTV1xdX1lRSERBQkJHRkpJRVJRU1dVYnqW
pKekno+Jg3pybWhkZW1yZ1BEPDw+PTs3PDpEQ0E9Ozs7PDs/PEdCOjk9Oz1AQkA9
QEFEQj06Ojw7PT9ASUhAPEFCPDg4OTczNDM2NDQ1MzU2ODk6PD5FRk1JUE5WXlJU
UkxMTFVVT1BSUFRVVk5ISlNVVVRWWFRUVltYWE9LTUtKSkxJSUhLTU9NSUlMTkxI
TU9NR0NHSElLS0xISkhKRkNBQ0RCREJCQz49PDtAPjw6ODg5PDs5Ozg2OkBLWGNo
am1tbWtubXB1enp7e36Bg4aGiZKRjo2NjY2LiIiFhoKCd3Vua25vdH2DjI6NjIyO
kpGQkpOVko+NiYN4aV5XU01LSUI+PUNHTFFSU05RUlVUWVtcXFZUUlFUU1FPTkxK
R0ZCQUBAQUFEQz5CR0pIR0hESUhHRElKSklLS05MUFJVU1JRU1VaWFxdX19iY2lr
bW9ycnR3enp5e318fX9/gH6Cg4SFgIOFhoeGh4mMiouOjo6PjY+MjY2RlJKSlJuX
lZSUlZaQkpKWl5qTk5aYmpqbm5yampyam5mWl5uenZ+lqK2ytby9tqmcmJiRjJit
uL6/vru6uLKuq62vs7a2t7e6u73BwcHAwcG/vcC9vLm4u7e4t7i4ur29urq4tre6
uLa5trWzs62onohtXFVUVFJRT01NS0tKS05RS0tKS0xPTklJS0pJSUdLTEtJTEpO
S0tHSUpNT05QTk5LS0xQTlBPUFJRTVBRTk9OT05PUlJPUlBQTk9QUFFRT1FRVVNU
VFRTUlFWU1JQU1JRUFNVV1RPT1BRT1*SUVNUU1JOTlBPUFBQU1RSUVBSUVNSUVNR
UVNVVFRTVVRWVFJTVlhXWVdXU1NTWFtbWl5dXFlZWFhZWFxYVlpYWFlbWVpZWVZX
V1dYWVhYWFdXVVRZW1pZWlxdW1peXl1cXGBgX19gYV9fW1pZW1lcW1hWVFVXVVlW
U1NVaoS8ytPa3uLk5+jo6el4eXh1eXh9eHt7e3t4eHZ1eHh0cm5jWEtLTEY/PTs8
P0NGSklGREVBOz0+RD9BRENAPkE/Oj0+P0A9Pz0+Q0NCQkRJSUlKSUtMTEpLTFBU
VlVUVlZSWVteXFpYU1RXWFlVWFlXV1VTVVJPUlZaVldTUVJRUVFOUE1KTE1LSElF
QUVEQkVCRUNERD8/Pjs8QDw6Ojo6Ozw5Nzk5PDc2NDQ4Ojg6OTk4Ojc4PEQ7Oj0/
PUNCRkNBSUtHSERJTEdKR1BLUVlVV1ZiV1BLU1JVVVZWU1RbWVBJQzo9NzY3NzYy
Mjc3ODg0MzU3OTk/Pjo8Oz1ERk9FRkVJSklXUkxWUVBRSlFPV1ZHTU9SXlVdVVdc
VlZMUk1QWVJRUFNZWF5eWU9PU1VWVFRSWFBPVllbWlZYWVdUVFFYXFhTUkxKQTo0
MjQ1OT5DVFhPV1paYFtgX15gX1FPUlRUWltbVlNPUVdWUlhXXVZVVldaVlNWVllZ
VFNPTVNRTVFPUlNUUVVUUlhVU1ZRS0lLRk1LSFFPTVFNTUpLT01LUlRMTVNVU1BU
V1tiWFVQSUNDQEVDSEhHVVJYWlBYXn6Ypqiil4qBfHp4cGttcHNtYFBDOz47Ojo3
OT07ODo7Oz88OjxAREA8Pj07OjxBQTw4PUFEQTxAPTtBRUVGR0U+QEI+ODUzMzc2
Njc4ODQxNDY3OTs8P0RKR0hSTlVfVVtRT09RU1VSUVJTU1JQS05OTVJXVVZUUVNY
VVRSTUxOSUtMSktKTEpJTEpKRkdLTE1NT01NSklJSktOTkpGREdGQUFERUREREI9
Pj4/Ozc5ODo5Njc6OTs5NzpBSlhja21vb3RxcHBucnp9eXl6fH+EhIWGjo2Njo+N
j4+MiYuLhH54cm5tb3BzfYaLjo6MjpKSkpORlJeWkpCHfnNrYVdWVVRMQj0/RE9V
UVJQUVFRVFtcXF1dXFlWVlZXV1FRTk9NS0VDQ0FBQUFAP0FER0dHR0dHSUhKSkxL
TEpJTlJOUFFUVlNWVltcYGBfZGhnaW5wcnR2dXh6eXt8f4GBgoKAg4GBgoODgoSE
iIiHio6Ni4+Sk46KjY6Qk5WVkpGUlJOSlpKSlJWTkpOYmJiYmZial5iZm5mZmpye
nZ+foKGip7Cyt7e5vLyznpKcn5aVorO5wcC/wLm2sa2rrK+zuLa4uL2/v768vMDA
wsG+wL68vra1tLK1tri8vbi6ubi2tre3tra1tbW4trGroY1tW1hUVFNNTk5KSktP
T0tLSkpMSktNTExLS0tLSkxKSUlMTUtLSk5JSE1OTk9MTE9RT0xNUFBRU1BPTU1P
UFBTUlFPUlFOUVNRUFFRUU9OUFFTU1NTUlNUVFJTUU5QUlJUVVRUU1ZST1BPUFFS
UVBOUVJPUFJSUFJRU1NRUFFSVFNSVFNUVFFRU1RXVlVXVFlYWFhZWFhVWFZUWFdX
XV1cWFdYWVdaWFdaVVVaWVlaWVdaWVlYVVdaWVlXWFlbWFdYWVpdW1xcXlpbX2Fj
YmBhYV9fX15cXl9aWFlVUFZWV1lYWVlXU1V#orzJ0tre4eTm5+jq6nl3d3l4d3h6
ent8fHh2dXN1d3NxbGFUSkdGSEM7Pj89QUhJRkZFQ0RFQ0JCQj09PTg8PUE7Oj4+
Qz0/QEFDQkVHR0pJSUxLTU1MTExLT1FSVFNTVVRVWFdXV1ZRUlNWVlVXWFlXWlta
VFZXWlxZV1VTVVBTUU1NTEtNS05MR0pMSEVER0ZISEVERD4+Ozs6Ozs6OTk6Ojc1
NTY5ODY2Njg2NzY4ODk3PDo4Pjw8PD9CRUFBPT5GRkVLTEZLTVFKSkxSW1daV11Z
SlJWVlNSV1pUU1dXVlZQQjo7OTU1NDMyNjc0NTZINzc3OTo8PT07QUJDUkpOS0hN
R1RRTlRQTlFIUFJVVEhSUVJgV1ZSWmFeYFJVTk5VUlJQV1lUVVZQSk5OUVZYVFBP
UFNUWV1XUlRZWFlXVFVcXlpWWFBCOTIyMzc2PUNNV01TWlpbW1paXl1VVFZXVVZZ
V1lcUk1OU1BVXVlaVlNTUVNYVVVbUk9VT05JTE9SUU9QUVZVUlNVWFlUS05LTFFU
V09SUFNSUVRNSkpNUk5OV1FNVFpSTlRcYVxYW1FKQ0JER0NFR0hTTFFUTlVWbYma
paOelImBfXx7dnRxcXBpWkY9Oj1COTQ5Ozs7QTk6Pzw7Ozs/QEJDPDo6PkBFPjtA
QkRFQjk6PUJGREZEQkFCRj04MzQ1ODk1NTM5NzQ0NTk6Oj49P0JFSFRRWFlSXFNS
VlZXVVRTU1ZTUFNNTU5PUFRUV1lRTk5SU09MTU5PUVBKS01MSkhIS0pJR0hDR0tL
TUtFSk1OS0tIR0VHRkhEQ0NGRENBPj89PT87PDs4Ojw4OTo4Njk9QUxZZG1vb3By
cnFzcnR2fH99eHh7gISHjJKJjpGRk5WSkpKOiomIgHx0cm5vcXV+hIeLjo+SlZiY
mJWUlZmSjIJ4cG1jVE5NTkxIQ0ZMVFhXVldUVldYXWBiX19gXFxbWlhXU1FPTk1L
| Max | 0 | randolphwong/mcsema | boost/libs/algorithm/test/search_test_data/0002n.pat | [
"BSD-3-Clause"
] |
[
(transaction)
(heading)
] @fold
| Scheme | 0 | hmac/nvim-treesitter | queries/beancount/folds.scm | [
"Apache-2.0"
] |
class Class {
ruby_aliases: [ 'superclass, '===, 'ancestors, 'instance_methods, 'methods, 'to_s, 'constants ]
def new {
"""
@return A new instance of @Class@ @self.
Creates a new instance of @self calling @initialize.
"""
obj = allocate()
obj initialize
obj
}
# calls initialize:, if defined
def new: arg {
"""
@arg Argument to @initialize:.
@return A new instance of @Class@ @self.
Creates a new instance of @self calling @initialize:.
"""
obj = allocate()
obj initialize: arg
obj
}
def Class superclass: superclass body: body_block {
"""
@superclass The superclass to inherit from.
@body_block A @Block@ that is used as the body of the new @Class@.
@return A new @Class@ inherited from @superclass.
Creates a new @Class@ by subclassing @superclass and
using @body_block as its body.
"""
new(superclass, &body_block)
}
def initialize {
"""
Initializes a @Class@ with @Object@ set as superclass (default superclass).
"""
initialize: Object
}
def initialize: superclass {
"""
Initializes a @Class@ with a superclass.
"""
initialize(superclass)
}
def define_method: name with: block {
"""
@name Name of the method to be defined.
@block A @Block@ that is used as the method's body.
Defines an instance method on a @Class@ with a given name and
body.
"""
match block {
case Block -> define_method(name message_name, &block)
case _ -> define_method(name message_name, block)
}
}
def undefine_method: name {
"""
@name Name of the method to undefine (remove) from a @Class@.
Undefines an instance method on a Class with a given name.
"""
remove_method(name message_name)
}
def define_class_method: name with: block {
"""
@name Name of the class method to be defined.
@block A @Block@ to be used as the class methods body.
Defines a class method on a @Class@ (a singleton method) with a
given name and body.
"""
define_singleton_method: name with: block
}
def undefine_class_method: name {
"""
@name Name of the class method to undefine (remove).
Undefines a class method on a @Class@ with a given name.
"""
undefine_singleton_method: name
}
def subclass: body_block {
"""
@body_block A @Block@ that gets used as the body of the @Class@.
@return A new @Class@ inherited from @self.
Creates a new @Class@ with @self as superclass and the given body.
"""
Class superclass: self body: body_block
}
def nested_classes {
"""
@return @Set@ of all nested classes for @self.
Returns all the nested classes within a @Class@ as an @Array@.
"""
Set[constants map: |c| { const_get(c) } . select: @{ is_a?: Class }]
}
def instance_method: name {
"""
@name Name of the instance method to return.
@return The instance @Method@ with the given @name or @nil.
Returns an instance method for a @Class@ with a given name.
"""
instance_method(name message_name)
}
def has_method?: method_name {
lookup_method(method_name message_name) nil? not
}
def alias_method_rbx: new_method_name for: old_method_name {
"""
Rbx specific version of alias_method:for: due to bootstrap order
reasons. Should not be used directly.
"""
alias_method(new_method_name message_name, old_method_name message_name)
}
def alias_method: new_method_name for_ruby: ruby_method_name {
"""
Creates a method alias for a Ruby method.
"""
alias_method(new_method_name message_name, ruby_method_name)
}
def public: method_names {
"""
@method_names One or more (@Array@) method names (as a @Symbol@) to be set to public in this @Class@.
Sets any given method names to public on this @Class@.
"""
method_names = method_names to_a() map() @{ message_name }
public(*method_names)
}
def private: method_names {
"""
@method_names One or more (@Array@) method names (as a @Symbol@) to be set to private in this @Class@.
Sets any given method names to private on this @Class@.
"""
method_names = method_names to_a() map() @{ message_name }
private(*method_names)
}
def protected: method_names {
"""
@method_names One or more (@Array@) method names (as a @Symbol@) to be set to protected in this @Class@.
Sets any given method names to protected on this @Class@.
"""
method_names = method_names to_a() map() @{ message_name }
protected(*method_names)
}
def instance_methods: include_superclasses? (true) {
"""
@include_superclasses? Boolean indicating if instance methods of all superclasses should be included (defaults to @true).
@return @Array@ of all instance method names for this @Class@.
"""
instance_methods(include_superclasses?)
}
def methods: include_superclasses? (true) {
"""
@include_superclasses? Boolean indicating if methods of all superclasses should be included (defaults to @true).
@return @Array@ of all class method names for this @Class@.
"""
methods(include_superclasses?)
}
def forwards_unary_ruby_methods {
"""
Creates ruby_alias methods for any unary ruby methods of a class.
"""
instance_methods grep(/^[a-z]+/) select() |m| {
instance_method(m) arity() == 0
} each() |m| {
ruby_alias: m
}
}
def class_eval: str_or_block {
"""
@str_or_block @String@ or @Block@ to be evaluated in the context of this @Class@.
Evaluates a given @String@ of Fancy code or a @Block@ in the class context of @self.
Useful for dynamically defining methods on a class etc.
Example:
Array class_eval: \"def foo { 'foo println }\"
[1,2,3] foo # => prints 'foo
"""
match str_or_block {
case Block -> class_eval(&str_or_block)
case _ -> class_eval: { str_or_block to_s eval }
}
}
def expose_to_ruby: method_name as: ruby_method_name (nil) {
"""
@method_name Fancy method name to be exposed.
@ruby_method_name Name of method exposed to Ruby (optional).
Explicitly exposes a Fancy method to Ruby. If @ruby_method_name is
passed, use that name explicitly, otherwise uses @method_name.
Example:
class Foo {
def === other {
# ...
}
expose_to_ruby: '===
# if you don't want to expose it as :=== in Ruby:
expose_to_ruby: '=== as: 'some_other_name_for_ruby
}
"""
match ruby_method_name {
case nil -> alias_method(method_name, method_name message_name)
case _ -> alias_method(ruby_method_name, method_name message_name)
}
}
def method_documentation: documentation_hash {
"""
@documentation_hash @Hash@ of method name to documentation string.
Sets documentation strings for methods defined in @documentation_hash.
Useful for documenting methods without touching their implementation.
Example:
class SomeRubyLibraryClass {
method_documentation: <[
'some_method_a => \"Docstring A\",
'some_method_b => \"Docstring B\"
]>
}
"""
documentation_hash each: |method_name doc| {
instance_method: method_name . documentation: doc
}
}
def method: method_name doc: doc_string {
"""
@method_name Name of method to set documentation string for.
@doc Documentation string.
Sets the documentation string @doc for the method @method_name.
"""
instance_method: method_name . documentation: doc_string
}
}
| Fancy | 4 | bakkdoor/fancy | lib/rbx/class.fy | [
"BSD-3-Clause"
] |
{% load custom %}
{% context_stack_length %}
| HTML | 3 | jpmallarino/django | tests/template_tests/templates/test_context_stack.html | [
"BSD-3-Clause",
"0BSD"
] |
<?xml version="1.0" encoding="UTF-8"?>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:xhtml="http://www.w3.org/1999/xhtml"
version="1.0">
<xsl:template match="/">
<HTML>
<BODY style = "margin-top: 0; margin-left: 4; margin-bottom: 0; margin-right: 0;">
<xsl:apply-templates/>
</BODY>
</HTML>
</xsl:template>
<!-- CALS table -->
<!-- a priority of 10 insures that this template has a higher priority
than any templates not explicitly assigned on-->
<xsl:template match='tgroup|entrytbl' priority='10'>
<table>
<!-- handle table width -->
<!-- if the table uses proportional column widths, its width should be 100%;
otherwise, it should not be set -->
<xsl:if test='colspec[contains(@colwidth,"*") or not(@colwidth)]'>
<xsl:attribute name='width'>100%</xsl:attribute>
</xsl:if>
<!-- handle table frame attribute -->
<xsl:attribute name='style'>
border-collapse: collapse;
border-width: 1px;
border-color: black;
<xsl:variable name='frame' select='ancestor::table/@frame'/>
<xsl:choose>
<xsl:when test='$frame="sides"'>
border-left-style: solid;
border-right-style: solid;
border-top-style: hidden;
border-bottom-style: hidden;
</xsl:when>
<xsl:when test='$frame="topbot"'>
border-left-style: none;
border-right-style: none;
border-top-style: hidden;
border-bottom-style: hidden;
</xsl:when>
<xsl:when test='$frame="top"'>
border-left-style: hidden;
border-right-style: hidden;
border-top-style: solid;
border-bottom-style: hidden;
</xsl:when>
<xsl:when test='$frame="bottom"'>
border-left-style: hidden;
border-right-style: hidden;
border-top-style: hidden;
border-bottom-style: solid;
</xsl:when>
<xsl:when test='$frame="none"'>
border-left-style: hidden;
border-right-style: hidden;
border-top-style: hidden;
border-bottom-style: hidden;
</xsl:when>
<xsl:otherwise>
border-left-style: solid;
border-right-style: solid;
border-top-style: solid;
border-bottom-style: solid;
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
<!-- transform colspecs -->
<xsl:for-each select='colspec'>
<col>
<!-- handle width property -->
<xsl:variable name='colwidth' select='@colwidth'/>
<xsl:choose>
<!-- "*" or empty colwidth attributes are equivalent to "1*" -->
<!-- mixed measure colwidths are handled as if they were "1*" -->
<xsl:when test='contains($colwidth,"+") or not($colwidth) or $colwidth="*"'>
<xsl:attribute name='width'>1*</xsl:attribute>
</xsl:when>
<xsl:when test='contains($colwidth,"*")'>
<xsl:attribute name='width'><xsl:value-of select='$colwidth'/></xsl:attribute>
</xsl:when>
<xsl:otherwise>
<xsl:attribute name="style">width:
<xsl:choose>
<xsl:when test='contains($colwidth,"pi")'>
<!-- CALS and CSS use different abbreviations for picas -->
<xsl:value-of select='translate($colwidth,"i","c")'/>
</xsl:when>
<xsl:otherwise>
<xsl:value-of select='$colwidth'/>
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
</xsl:otherwise>
</xsl:choose>
</col>
</xsl:for-each>
<!-- transform rows -->
<xsl:for-each select='thead|tfoot|tbody'>
<xsl:copy>
<xsl:for-each select='row'>
<tr>
<!-- transform cells -->
<xsl:for-each select='entry|entrytbl'>
<xsl:call-template name='transformCALSCell'/>
</xsl:for-each>
</tr>
</xsl:for-each>
</xsl:copy>
</xsl:for-each>
</table>
</xsl:template>
<xsl:template name='transformCALSCell'>
<td>
<!-- handle horizontal extension of the cell -->
<xsl:variable name='spanname' select='@spanname'/>
<xsl:variable name='namest' select='@namest'/>
<xsl:variable name='nameend' select='@nameend'/>
<xsl:choose>
<xsl:when test='$spanname'>
<xsl:variable name='spanspec' select='ancestor::*[spanspec][1]/spanspec[@spanname=$spanname]'/>
<xsl:variable name='namest_2' select='$spanspec/@namest'/>
<xsl:variable name='nameend_2' select='$spanspec/@nameend'/>
<xsl:variable name='startColumn' select='count(ancestor::*[colspec][1]/colspec[@colname=$namest_2]/preceding-sibling::*)'/>
<xsl:variable name='endColumn' select='count(ancestor::*[colspec][1]/colspec[@colname=$nameend_2]/preceding-sibling::*)'/>
<xsl:attribute name='colspan'><xsl:value-of select='$endColumn - $startColumn + 1'/></xsl:attribute>
</xsl:when>
<xsl:when test='$namest and $nameend'>
<xsl:variable name='startColumn' select='count(ancestor::*[colspec][1]/colspec[@colname=$namest]/preceding-sibling::*)'/>
<xsl:variable name='endColumn' select='count(ancestor::*[colspec][1]/colspec[@colname=$nameend]/preceding-sibling::*)'/>
<xsl:attribute name='colspan'><xsl:value-of select='$endColumn - $startColumn + 1'/></xsl:attribute>
</xsl:when>
</xsl:choose>
<!-- handle vertical extension of the cell -->
<xsl:variable name='morerows' select='@morerows'/>
<xsl:if test='$morerows'>
<xsl:attribute name='rowspan'><xsl:value-of select='$morerows+1'/></xsl:attribute>
</xsl:if>
<!-- handle horizontal alignment -->
<xsl:call-template name='findInheritedAttribute'>
<xsl:with-param name='attributeName'>align</xsl:with-param>
</xsl:call-template>
<xsl:call-template name='findInheritedAttribute'>
<xsl:with-param name='attributeName'>char</xsl:with-param>
</xsl:call-template>
<xsl:call-template name='findInheritedAttribute'>
<xsl:with-param name='attributeName'>charoff</xsl:with-param>
</xsl:call-template>
<!-- handle vertical alignment -->
<xsl:variable name='valign' select='ancestor-or-self::*[@valign][1]/@valign'/>
<xsl:attribute name='valign'>
<xsl:choose>
<xsl:when test='$valign'>
<xsl:value-of select='$valign'/>
</xsl:when>
<xsl:otherwise>
<!-- the default vertical alignment depends on whether
this cell is the the table header, footer or body -->
<xsl:choose>
<xsl:when test='parent::*/parent::thead'>
bottom
</xsl:when>
<xsl:otherwise>
top
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
<!-- handle borders -->
<xsl:attribute name='style'>
border-width: 1px;
border-color: black;
<xsl:call-template name='findInheritedAttribute'>
<xsl:with-param name='attributeName'>colsep</xsl:with-param>
</xsl:call-template>
<xsl:call-template name='findInheritedAttribute'>
<xsl:with-param name='attributeName'>rowsep</xsl:with-param>
</xsl:call-template>
</xsl:attribute>
<!-- transform cell content -->
<xsl:apply-templates select='.'/>
</td>
</xsl:template>
<!-- If the context node is an entry or entrytbl, searches for the value of an
inherited attribute by following the normal inheritance path. If a
value is found, calls transformInheritedAttribute with attributeName
passes as is and attributeValue set to the found value; otherwise, calls
transformInheritedAttribute with attributeValue set to the empty string.
Parameter attributeName is the name of the attribute found.
-->
<xsl:template name='findInheritedAttribute'>
<xsl:param name='attributeName'/>
<xsl:variable name='colname' select='@colname'/>
<xsl:variable name='colname_colspec' select='ancestor::*[colspec][1]/colspec[@colname=$colname]'/>
<xsl:variable name='namest' select='@namest'/>
<xsl:variable name='namest_colspec' select='ancestor::*[colspec][1]/colspec[@colname=$namest]'/>
<xsl:variable name='spanname' select='@spanname'/>
<xsl:variable name='spanspec' select='ancestor::*[spanspec][1]/spanspec[@spanname=$spanname]'/>
<xsl:variable name='span_namest' select='$spanspec/@namest'/>
<xsl:variable name='span_colspec' select='ancestor::*[colspec][1]/colspec[@colname=$span_namest]'/>
<xsl:choose>
<!-- start by looking at the context node -->
<xsl:when test='@*[local-name()=$attributeName]'>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='@*[local-name()=$attributeName]'/>
</xsl:call-template>
</xsl:when>
<!-- next, look at the containing row -->
<xsl:when test='parent::*/@*[local-name()=$attributeName]'>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='parent::*/@*[local-name()=$attributeName]'/>
</xsl:call-template>
</xsl:when>
<!-- next, look at the spanspec -->
<xsl:when test='$spanspec/@*[local-name()=$attributeName]'>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='$spanspec/@*[local-name()=$attributeName]'/>
</xsl:call-template>
</xsl:when>
<!-- next, look at the colspec -->
<!-- (at most one of colname_colspec, span_colspec, namest_colspec will be non-empty -->
<xsl:when test='$colname_colspec/@*[local-name()=$attributeName]'>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='$colname_colspec/@*[local-name()=$attributeName]'/>
</xsl:call-template>
</xsl:when>
<xsl:when test='$span_colspec/@*[local-name()=$attributeName]'>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='$span_colspec/@*[local-name()=$attributeName]'/>
</xsl:call-template>
</xsl:when>
<xsl:when test='$namest_colspec/@*[local-name()=$attributeName]'>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='$namest_colspec/@*[local-name()=$attributeName]'/>
</xsl:call-template>
</xsl:when>
<!-- next, look at the tgroup or entrytbl -->
<xsl:when test='parent::*/parent::*/parent::*/@*[local-name()=$attributeName]'>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='parent::*/parent::*/parent::*/@*[local-name()=$attributeName]'/>
</xsl:call-template>
</xsl:when>
<!-- next, look at the table -->
<xsl:when test='ancestor::table[1]/@*[local-name()=$attributeName]'>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='ancestor::table[1]/@*[local-name()=$attributeName]'/>
</xsl:call-template>
</xsl:when>
<!-- it wasn't found -->
<xsl:otherwise>
<xsl:call-template name='transformInheritedAttribute'>
<xsl:with-param name='attributeName' select='$attributeName'/>
<xsl:with-param name='attributeValue' select='""'/>
</xsl:call-template>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- Transforms a CALS table attribute found using findInheritedAttribute
into an HTML table attribute.
Parameter attributeName is the name of the found attribute. Parameter
attributeValue is its value.
-->
<xsl:template name='transformInheritedAttribute'>
<xsl:param name='attributeName'/>
<xsl:param name='attributeValue'/>
<xsl:choose>
<!-- transform colsep -->
<!-- colseps are transformed while outputting a style attribute -->
<xsl:when test='$attributeName = "colsep"'>
<xsl:choose>
<xsl:when test='$attributeValue = "0"'>
border-right-style: none;
</xsl:when>
<xsl:otherwise>
border-right-style: solid;
</xsl:otherwise>
</xsl:choose>
</xsl:when>
<!-- transform rowsep -->
<!-- rowseps are transformed while outputting a style attribute -->
<xsl:when test='$attributeName = "rowsep"'>
<xsl:choose>
<xsl:when test='$attributeValue = "0"'>
border-bottom-style: none;
</xsl:when>
<xsl:otherwise>
border-bottom-style: solid;
</xsl:otherwise>
</xsl:choose>
</xsl:when>
<!-- transform align -->
<!-- default to left if no value is specified -->
<xsl:when test='$attributeName = "align"'>
<xsl:attribute name='align'>
<xsl:choose>
<xsl:when test='$attributeValue'>
<xsl:value-of select="$attributeValue"/>
</xsl:when>
<xsl:otherwise>
left
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
</xsl:when>
<!-- transform char -->
<!-- default to no char attribute if no value is specified -->
<xsl:when test='$attributeName = "char"'>
<xsl:if test='$attributeValue'>
<xsl:attribute name='char'>
<xsl:value-of select="$attributeValue"/>
</xsl:attribute>
</xsl:if>
</xsl:when>
<!-- transform charoff -->
<!-- default to 50% if no value is specified -->
<xsl:when test='$attributeName = "charoff"'>
<xsl:attribute name='charoff'>
<xsl:choose>
<xsl:when test='$attributeValue'>
<!-- CALS charoffs are implicitly percentages -->
<xsl:value-of select="$attributeValue"/>%
</xsl:when>
<xsl:otherwise>
50%
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
</xsl:when>
</xsl:choose>
</xsl:template>
</xsl:stylesheet> | XSLT | 4 | Jellyfrog/PowerShell | src/Schemas/PSMaml/Maml_HTML_Style.xsl | [
"MIT"
] |
SUMMARY = "A high-performance REST Toolkit written in C++ "
HOMEPAGE = "https://github.com/pistacheio/pistache"
LICENSE = "Apache-2.0"
LIC_FILES_CHKSUM = "file://LICENSE;md5=fa818a259cbed7ce8bc2a22d35a464fc"
S = "${WORKDIR}/git"
SRC_URI = "git://github.com/pistacheio/pistache.git;protocol=https"
SRCREV = "8f278dbd345b818740f865623d5039e9314352fd"
inherit cmake
| BitBake | 3 | abir1999/xiaoPi | bsp/meta-xiaopi/recipes-support/pistache/pistache.bb | [
"Unlicense"
] |
{-# LANGUAGE RecordWildCards #-}
module PostgREST.Admin
( postgrestAdmin
) where
import qualified Data.Text as T
import Network.Socket
import Network.Socket.ByteString
import qualified Network.HTTP.Types.Status as HTTP
import qualified Network.Wai as Wai
import qualified Hasql.Pool as SQL
import qualified Hasql.Session as SQL
import qualified PostgREST.AppState as AppState
import PostgREST.Config (AppConfig (..))
import Protolude
-- | PostgREST admin application
postgrestAdmin :: AppState.AppState -> AppConfig -> Wai.Application
postgrestAdmin appState appConfig req respond = do
isMainAppReachable <- any isRight <$> reachMainApp appConfig
isSchemaCacheLoaded <- isJust <$> AppState.getDbStructure appState
isConnectionUp <-
if configDbChannelEnabled appConfig
then AppState.getIsListenerOn appState
else isRight <$> SQL.use (AppState.getPool appState) (SQL.sql "SELECT 1")
case Wai.pathInfo req of
["ready"] ->
respond $ Wai.responseLBS (if isMainAppReachable && isConnectionUp && isSchemaCacheLoaded then HTTP.status200 else HTTP.status503) [] mempty
["live"] ->
respond $ Wai.responseLBS (if isMainAppReachable then HTTP.status200 else HTTP.status503) [] mempty
_ ->
respond $ Wai.responseLBS HTTP.status404 [] mempty
-- Try to connect to the main app socket
-- Note that it doesn't even send a valid HTTP request, we just want to check that the main app is accepting connections
-- The code for resolving the "*4", "!4", "*6", "!6", "*" special values is taken from
-- https://hackage.haskell.org/package/streaming-commons-0.2.2.4/docs/src/Data.Streaming.Network.html#bindPortGenEx
reachMainApp :: AppConfig -> IO [Either IOException ()]
reachMainApp AppConfig{..} =
case configServerUnixSocket of
Just path -> do
sock <- socket AF_UNIX Stream 0
(:[]) <$> try (do
connect sock $ SockAddrUnix path
withSocketsDo $ bracket (pure sock) close sendEmpty)
Nothing -> do
let
host | configServerHost `elem` ["*4", "!4", "*6", "!6", "*"] = Nothing
| otherwise = Just configServerHost
filterAddrs xs =
case configServerHost of
"*4" -> ipv4Addrs xs ++ ipv6Addrs xs
"!4" -> ipv4Addrs xs
"*6" -> ipv6Addrs xs ++ ipv4Addrs xs
"!6" -> ipv6Addrs xs
_ -> xs
ipv4Addrs xs = filter ((/=) AF_INET6 . addrFamily) xs
ipv6Addrs xs = filter ((==) AF_INET6 . addrFamily) xs
addrs <- getAddrInfo (Just $ defaultHints { addrSocketType = Stream }) (T.unpack <$> host) (Just . show $ configServerPort)
tryAddr `traverse` filterAddrs addrs
where
sendEmpty sock = void $ send sock mempty
tryAddr :: AddrInfo -> IO (Either IOException ())
tryAddr addr = do
sock <- socket (addrFamily addr) (addrSocketType addr) (addrProtocol addr)
try $ do
connect sock $ addrAddress addr
withSocketsDo $ bracket (pure sock) close sendEmpty
| Haskell | 5 | fairhopeweb/postgrest | src/PostgREST/Admin.hs | [
"MIT"
] |
note
description: "Summary description for {JSON_TYPE_UTILITIES_EXT}."
date: "$Date$"
revision: "$Revision$"
class
JSON_TYPE_UTILITIES_EXT
inherit
JSON_TYPE_UTILITIES
feature -- Factory
new_special_for_name (a_type_name: READABLE_STRING_GENERAL; count: INTEGER): detachable SPECIAL [detachable ANY]
do
if
attached reflector.dynamic_type_from_string (a_type_name) as l_type_id and then
l_type_id >= 0 and then attached type_of_type (l_type_id) as l_type and then
reflector.is_special_type (l_type_id)
then
Result := new_special_any_instance (l_type, count)
end
end
end
| Eiffel | 4 | MalcolmScoffable/openapi-generator | samples/client/petstore/eiffel/src/framework/serialization/json_type_utilities_ext.e | [
"Apache-2.0"
] |
#!/usr/bin/env bash
###############################################################################
# Copyright 2018 The Apollo 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.
###############################################################################
source "$(dirname "${BASH_SOURCE[0]}")/apollo_base.sh"
if [ $# -lt 1 ]; then
echo "$0 record_file"
exit
fi
cyber_recorder play \
-c /apollo/perception/obstacles \
-c /apollo/control \
-c /apollo/canbus/chassis \
-c /apollo/localization/pose \
-c /apollo/routing_request \
-c /apollo/routing_response \
-c /apollo/prediction \
-c /apollo/planning \
-c /apollo/canbus/chassis \
-c /apollo/guardian \
-c /apollo/perception/traffic_light \
-c /apollo/monitor/system_status \
-c /tf_static \
-c /apollo/control/pad \
-c /apollo/drive_event \
-c /apollo/monitor \
-c /tf \
-c /apollo/sensor/gnss/best_pose \
-f $*
| Shell | 3 | jzjonah/apollo | scripts/record_play_pnc.sh | [
"Apache-2.0"
] |
<?xml version='1.0' encoding='UTF-8'?>
<?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.
#
import string
from urllib import quote
?>
<html xmlns="http://www.w3.org/1999/xhtml"
xmlns:py="http://purl.org/kid/ns#"
py:extends="'library.kid'">
<head/>
<body>
<div id="inner">
<h2>Repository Browser</h2>
<span py:for="l in string.uppercase" py:strip="True">
<span py:if="totals[l]"><a href="browse?char=${l}" title="${totals[l]} trove(s)">${l}</a> |
</span>
</span>
<?python
total = 0
for x in string.digits:
total += totals[x]
?>
<span py:if="total">
<a py:if="l not in string.digits and total" href="browse?char=0" title="${total} trove(s)">0-9</a>
</span>
<?python
if char in string.digits:
char = "a digit"
else:
char = "'%c'" % char
?>
<h3>Troves beginning with ${char}</h3>
<ul py:if="packages">
<li py:for="package in packages">
<a href="troveInfo?t=${quote(package)}">${package}</a> <span py:if="package in components">[+]</span>
<ul id="components" py:if="package in components">
<li py:for="component in components[package]">
<a href="troveInfo?t=${quote(package)}:${quote(component)}">${component}</a>
</li>
</ul>
</li>
</ul>
<p py:if="not packages">No matching troves found.</p>
</div>
</body>
</html>
| Genshi | 3 | sassoftware/conary | conary/server/templates/browse.kid | [
"Apache-2.0"
] |
import os
import boto3
EDGE_PORT = 4566
def handler(event, context):
protocol = "https" if os.environ.get("USE_SSL") else "http"
endpoint_url = "{}://{}:{}".format(protocol, os.environ["LOCALSTACK_HOSTNAME"], EDGE_PORT)
sqs = boto3.client(
"sqs", endpoint_url=endpoint_url, region_name=event["region_name"], verify=False
)
queue_url = sqs.get_queue_url(QueueName=event["queue_name"])["QueueUrl"]
rs = sqs.send_message(QueueUrl=queue_url, MessageBody=event["message"])
return rs["MessageId"]
| Python | 4 | jorges119/localstack | tests/integration/lambdas/lambda_send_message.py | [
"Apache-2.0"
] |
#ifndef WI_VOLUMETRICCLOUDS_HF
#define WI_VOLUMETRICCLOUDS_HF
// Amazing noise and weather creation, modified from: https://github.com/greje656/clouds
/////////////////////////////////////////////// Perlin Noise ///////////////////////////////////////////////
// Perlin noise functions from: https://github.com/BrianSharpe/GPU-Noise-Lib/blob/master/gpu_noise_lib.glsl
float3 Interpolation_C2(float3 x)
{
return x * x * x * (x * (x * 6.0 - 15.0) + 10.0);
}
void PerlinHash(float3 gridcell, float s, bool tile,
out float4 lowz_hash_0,
out float4 lowz_hash_1,
out float4 lowz_hash_2,
out float4 highz_hash_0,
out float4 highz_hash_1,
out float4 highz_hash_2)
{
const float2 OFFSET = float2(50.0, 161.0);
const float DOMAIN = 69.0;
const float3 SOMELARGEFLOATS = float3(635.298681, 682.357502, 668.926525);
const float3 ZINC = float3(48.500388, 65.294118, 63.934599);
gridcell.xyz = gridcell.xyz - floor(gridcell.xyz * (1.0 / DOMAIN)) * DOMAIN;
float d = DOMAIN - 1.5;
float3 gridcell_inc1 = step(gridcell, float3(d, d, d)) * (gridcell + 1.0);
gridcell_inc1 = tile ? gridcell_inc1 % s : gridcell_inc1;
float4 P = float4(gridcell.xy, gridcell_inc1.xy) + OFFSET.xyxy;
P *= P;
P = P.xzxz * P.yyww;
float3 lowz_mod = float3(1.0 / (SOMELARGEFLOATS.xyz + gridcell.zzz * ZINC.xyz));
float3 highz_mod = float3(1.0 / (SOMELARGEFLOATS.xyz + gridcell_inc1.zzz * ZINC.xyz));
lowz_hash_0 = frac(P * lowz_mod.xxxx);
highz_hash_0 = frac(P * highz_mod.xxxx);
lowz_hash_1 = frac(P * lowz_mod.yyyy);
highz_hash_1 = frac(P * highz_mod.yyyy);
lowz_hash_2 = frac(P * lowz_mod.zzzz);
highz_hash_2 = frac(P * highz_mod.zzzz);
}
float Perlin(float3 P, float s, bool tile)
{
P *= s;
float3 Pi = floor(P);
float3 Pi2 = floor(P);
float3 Pf = P - Pi;
float3 Pf_min1 = Pf - 1.0;
float4 hashx0, hashy0, hashz0, hashx1, hashy1, hashz1;
PerlinHash(Pi2, s, tile, hashx0, hashy0, hashz0, hashx1, hashy1, hashz1);
float4 grad_x0 = hashx0 - 0.49999;
float4 grad_y0 = hashy0 - 0.49999;
float4 grad_z0 = hashz0 - 0.49999;
float4 grad_x1 = hashx1 - 0.49999;
float4 grad_y1 = hashy1 - 0.49999;
float4 grad_z1 = hashz1 - 0.49999;
float4 grad_results_0 = rsqrt(grad_x0 * grad_x0 + grad_y0 * grad_y0 + grad_z0 * grad_z0) * (float2(Pf.x, Pf_min1.x).xyxy * grad_x0 + float2(Pf.y, Pf_min1.y).xxyy * grad_y0 + Pf.zzzz * grad_z0);
float4 grad_results_1 = rsqrt(grad_x1 * grad_x1 + grad_y1 * grad_y1 + grad_z1 * grad_z1) * (float2(Pf.x, Pf_min1.x).xyxy * grad_x1 + float2(Pf.y, Pf_min1.y).xxyy * grad_y1 + Pf_min1.zzzz * grad_z1);
float3 blend = Interpolation_C2(Pf);
float4 res0 = lerp(grad_results_0, grad_results_1, blend.z);
float4 blend2 = float4(blend.xy, float2(1.0 - blend.xy));
float final = dot(res0, blend2.zxzx * blend2.wwyy);
final *= 1.0 / sqrt(0.75);
return ((final * 1.5) + 1.0) * 0.5;
}
float GetPerlin_5_Octaves(float3 p, bool tile)
{
float3 xyz = p;
float amplitude_factor = 0.5;
float frequency_factor = 2.0;
float a = 1.0;
float perlin_value = 0.0;
perlin_value += a * Perlin(xyz, 1, tile).r;
a *= amplitude_factor;
xyz *= (frequency_factor + 0.02);
perlin_value += a * Perlin(xyz, 1, tile).r;
a *= amplitude_factor;
xyz *= (frequency_factor + 0.03);
perlin_value += a * Perlin(xyz, 1, tile).r;
a *= amplitude_factor;
xyz *= (frequency_factor + 0.01);
perlin_value += a * Perlin(xyz, 1, tile).r;
a *= amplitude_factor;
xyz *= (frequency_factor + 0.01);
perlin_value += a * Perlin(xyz, 1, tile).r;
return perlin_value;
}
float GetPerlin_5_Octaves(float3 p, float s, bool tile)
{
float3 xyz = p;
float f = 1.0;
float a = 1.0;
float perlin_value = 0.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
return perlin_value;
}
float GetPerlin_3_Octaves(float3 p, float s, bool tile)
{
float3 xyz = p;
float f = 1.0;
float a = 1.0;
float perlin_value = 0.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
return perlin_value;
}
float GetPerlin_7_Octaves(float3 p, float s, bool tile)
{
float3 xyz = p;
float f = 1.0;
float a = 1.0;
float perlin_value = 0.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
a *= 0.5;
f *= 2.0;
perlin_value += a * Perlin(xyz, s * f, tile).r;
return perlin_value;
}
///////////////////////////////////// Worley Noise //////////////////////////////////////////////////
float3 VoronoiHash(float3 x, float s)
{
x = x % s;
x = float3(dot(x, float3(127.1, 311.7, 74.7)),
dot(x, float3(269.5, 183.3, 246.1)),
dot(x, float3(113.5, 271.9, 124.6)));
return frac(sin(x) * 43758.5453123);
}
float3 Voronoi(in float3 x, float s, float seed, bool inverted)
{
x *= s;
x += 0.5;
float3 p = floor(x);
float3 f = frac(x);
float id = 0.0;
float2 res = float2(1.0, 1.0);
for (int k = -1; k <= 1; k++)
{
for (int j = -1; j <= 1; j++)
{
for (int i = -1; i <= 1; i++)
{
float3 b = float3(i, j, k);
float3 r = float3(b) - f + VoronoiHash(p + b + seed * 10, s);
float d = dot(r, r);
if (d < res.x)
{
id = dot(p + b, float3(1.0, 57.0, 113.0));
res = float2(d, res.x);
}
else if (d < res.y)
{
res.y = d;
}
}
}
}
float2 result = res;
id = abs(id);
if (inverted)
return float3(1.0 - result, id);
else
return float3(result, id);
}
float GetWorley_2_Octaves(float3 p, float s, float seed)
{
float3 xyz = p;
float worley_value1 = Voronoi(xyz, 1.0 * s, seed, true).r;
float worley_value2 = Voronoi(xyz, 2.0 * s, seed, false).r;
worley_value1 = saturate(worley_value1);
worley_value2 = saturate(worley_value2);
float worley_value = worley_value1;
worley_value = worley_value - worley_value2 * 0.25;
return worley_value;
}
float GetWorley_2_Octaves(float3 p, float s)
{
return GetWorley_2_Octaves(p, s, 0);
}
float GetWorley_3_Octaves(float3 p, float s, float seed)
{
float3 xyz = p;
float worley_value1 = Voronoi(xyz, 1.0 * s, seed, true).r;
float worley_value2 = Voronoi(xyz, 2.0 * s, seed, false).r;
float worley_value3 = Voronoi(xyz, 4.0 * s, seed, false).r;
worley_value1 = saturate(worley_value1);
worley_value2 = saturate(worley_value2);
worley_value3 = saturate(worley_value3);
float worley_value = worley_value1;
worley_value = worley_value - worley_value2 * 0.3;
worley_value = worley_value - worley_value3 * 0.3;
return worley_value;
}
float GetWorley_3_Octaves(float3 p, float s)
{
return GetWorley_3_Octaves(p, s, 0);
}
////////////////////////////////////// Curl Noise ////////////////////////////////////////////////
float3 CurlNoise(float3 pos)
{
float e = 0.05;
float n1, n2, a, b;
float3 c;
n1 = GetPerlin_5_Octaves(pos.xyz + float3(0, e, 0), false);
n2 = GetPerlin_5_Octaves(pos.xyz + float3(0, -e, 0), false);
a = (n1 - n2) / (2 * e);
n1 = GetPerlin_5_Octaves(pos.xyz + float3(0, 0, e), false);
n2 = GetPerlin_5_Octaves(pos.xyz + float3(0, 0, -e), false);
b = (n1 - n2) / (2 * e);
c.x = a - b;
n1 = GetPerlin_5_Octaves(pos.xyz + float3(0, 0, e), false);
n2 = GetPerlin_5_Octaves(pos.xyz + float3(0, 0, -e), false);
a = (n1 - n2) / (2 * e);
n1 = GetPerlin_5_Octaves(pos.xyz + float3(e, 0, 0), false);
n2 = GetPerlin_5_Octaves(pos.xyz + float3(-e, 0, 0), false);
b = (n1 - n2) / (2 * e);
c.y = a - b;
n1 = GetPerlin_5_Octaves(pos.xyz + float3(e, 0, 0), false);
n2 = GetPerlin_5_Octaves(pos.xyz + float3(-e, 0, 0), false);
a = (n1 - n2) / (2 * e);
n1 = GetPerlin_5_Octaves(pos.xyz + float3(0, e, 0), false);
n2 = GetPerlin_5_Octaves(pos.xyz + float3(0, -e, 0), false);
b = (n1 - n2) / (2 * e);
c.z = a - b;
return c;
}
float3 DecodeCurlNoise(float3 c)
{
return (c - 0.5) * 2.0;
}
float3 EncodeCurlNoise(float3 c)
{
return (c + 1.0) * 0.5;
}
////////////////////////////////////// Shared Utils ////////////////////////////////////////////////
// Remap an original value from an old range (minimum and maximum) to a new one.
float Remap(float original_value, float original_min, float original_max, float new_min, float new_max)
{
return new_min + (((original_value - original_min) / (original_max - original_min)) * (new_max - new_min));
}
// Remap an original value from an old range (minimum and maximum) to a new one, clamped to the new range.
float RemapClamped(float original_value, float original_min, float original_max, float new_min, float new_max)
{
return new_min + (saturate((original_value - original_min) / (original_max - original_min)) * (new_max - new_min));
}
float Remap01(float value, float low, float high)
{
return saturate((value - low) / (high - low));
}
float DilatePerlinWorley(float p, float w, float x)
{
float curve = 0.75;
if (x < 0.5)
{
x = x / 0.5;
float n = p + w * x;
return n * lerp(1, 0.5, pow(x, curve));
}
else
{
x = (x - 0.5) / 0.5;
float n = w + p * (1.0 - x);
return n * lerp(0.5, 1.0, pow(x, 1.0 / curve));
}
}
#endif // WI_VOLUMETRICCLOUDS_HF | HLSL | 4 | rohankumardubey/WickedEngine | WickedEngine/shaders/volumetricCloudsHF.hlsli | [
"MIT"
] |
{
"cells": [
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "VwlxkU9cEGPR"
},
"source": [
"Copyright 2020 The dnn-predict-accuracy Authors.\n",
"\n",
"Licensed under the Apache License, Version 2.0 (the \"License\");\n",
"you may not use this file except in compliance with the License.\n",
"You may obtain a copy of the License at\n",
"\n",
" https://www.apache.org/licenses/LICENSE-2.0\n",
"\n",
"Unless required by applicable law or agreed to in writing, software\n",
"distributed under the License is distributed on an \"AS IS\" BASIS,\n",
"WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.\n",
"See the License for the specific language governing permissions and\n",
"limitations under the License."
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "x08yky7rytbD"
},
"source": [
"# README\n",
"\n",
"This notebook contains code for training predictors of DNN accuracy. \n",
"\n",
"Contents:\n",
"\n",
"(1) Loading the Small CNN Zoo dataset\n",
"\n",
"(2) Figure 2 of the paper\n",
"\n",
"(3) Examples of training Logit-Linear / GBM / DNN predictors\n",
"\n",
"(4) Transfer of predictors across CNN collections\n",
"\n",
"(5) Various visualizations of CNN collections\n",
"\n",
"Code dependencies:\n",
"Light-GBM package\n"
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "aj14NoLVykBz"
},
"outputs": [],
"source": [
"from __future__ import division\n",
"\n",
"import time\n",
"import os\n",
"import json\n",
"import sys\n",
"import numpy as np\n",
"from matplotlib import pyplot as plt\n",
"from matplotlib import colors\n",
"import pandas as pd\n",
"import seaborn as sns\n",
"from scipy import stats\n",
"from tensorflow import keras\n",
"from tensorflow.io import gfile\n",
"import lightgbm as lgb\n",
"\n",
"DATAFRAME_CONFIG_COLS = [\n",
" 'config.w_init',\n",
" 'config.activation',\n",
" 'config.learning_rate',\n",
" 'config.init_std',\n",
" 'config.l2reg',\n",
" 'config.train_fraction',\n",
" 'config.dropout']\n",
"CATEGORICAL_CONFIG_PARAMS = ['config.w_init', 'config.activation']\n",
"CATEGORICAL_CONFIG_PARAMS_PREFIX = ['winit', 'act']\n",
"DATAFRAME_METRIC_COLS = [\n",
" 'test_accuracy',\n",
" 'test_loss',\n",
" 'train_accuracy',\n",
" 'train_loss']\n",
"TRAIN_SIZE = 15000\n",
"\n",
"# TODO: modify the following lines\n",
"CONFIGS_PATH_BASE = 'path_to_the_file_with_best_configs'\n",
"MNIST_OUTDIR = \"path_to_files_with_mnist_collection\"\n",
"FMNIST_OUTDIR = 'path_to_files_with_fmnist_collection'\n",
"CIFAR_OUTDIR = 'path_to_files_with_cifar10gs_collection'\n",
"SVHN_OUTDIR = 'path_to_files_with_svhngs_collection'\n",
"\n",
"def filter_checkpoints(weights, dataframe,\n",
" target='test_accuracy',\n",
" stage='final', binarize=True):\n",
" \"\"\"Take one checkpoint per run and do some pre-processing.\n",
"\n",
" Args:\n",
" weights: numpy array of shape (num_runs, num_weights)\n",
" dataframe: pandas DataFrame which has num_runs rows. First 4 columns should\n",
" contain test_accuracy, test_loss, train_accuracy, train_loss respectively.\n",
" target: string, what to use as an output\n",
" stage: flag defining which checkpoint out of potentially many we will take\n",
" for the run.\n",
" binarize: Do we want to binarize the categorical hyperparams?\n",
"\n",
" Returns:\n",
" tuple (weights_new, metrics, hyperparams, ckpts), where\n",
" weights_new is a numpy array of shape (num_remaining_ckpts, num_weights),\n",
" metrics is a numpy array of shape (num_remaining_ckpts, num_metrics) with\n",
" num_metric being the length of DATAFRAME_METRIC_COLS,\n",
" hyperparams is a pandas DataFrame of num_remaining_ckpts rows and columns\n",
" listed in DATAFRAME_CONFIG_COLS.\n",
" ckpts is an instance of pandas Index, keeping filenames of the checkpoints\n",
" All the num_remaining_ckpts rows correspond to one checkpoint out of each\n",
" run we had.\n",
" \"\"\"\n",
"\n",
" assert target in DATAFRAME_METRIC_COLS, 'unknown target'\n",
" ids_to_take = []\n",
" # Keep in mind that the rows of the DataFrame were sorted according to ckpt\n",
" # Fetch the unit id corresponding to the ckpt of the first row\n",
" current_uid = dataframe.axes[0][0].split('/')[-2] # get the unit id\n",
" steps = []\n",
" for i in range(len(dataframe.axes[0])):\n",
" # Fetch the new unit id\n",
" ckpt = dataframe.axes[0][i]\n",
" parts = ckpt.split('/')\n",
" if parts[-2] == current_uid:\n",
" steps.append(int(parts[-1].split('-')[-1]))\n",
" else:\n",
" # We need to process the previous unit\n",
" # and choose which ckpt to take\n",
" steps_sort = sorted(steps)\n",
" target_step = -1\n",
" if stage == 'final':\n",
" target_step = steps_sort[-1]\n",
" elif stage == 'early':\n",
" target_step = steps_sort[0]\n",
" else: # middle\n",
" target_step = steps_sort[int(len(steps) / 2)]\n",
" offset = [j for (j, el) in enumerate(steps) if el == target_step][0]\n",
" # Take the DataFrame row with the corresponding row id\n",
" ids_to_take.append(i - len(steps) + offset)\n",
" current_uid = parts[-2]\n",
" steps = [int(parts[-1].split('-')[-1])]\n",
"\n",
" # Fetch the hyperparameters of the corresponding checkpoints\n",
" hyperparams = dataframe[DATAFRAME_CONFIG_COLS]\n",
" hyperparams = hyperparams.iloc[ids_to_take]\n",
" if binarize:\n",
" # Binarize categorical features\n",
" hyperparams = pd.get_dummies(\n",
" hyperparams,\n",
" columns=CATEGORICAL_CONFIG_PARAMS,\n",
" prefix=CATEGORICAL_CONFIG_PARAMS_PREFIX)\n",
" else:\n",
" # Make the categorical features have pandas type \"category\"\n",
" # Then LGBM can use those as categorical\n",
" hyperparams.is_copy = False\n",
" for col in CATEGORICAL_CONFIG_PARAMS:\n",
" hyperparams[col] = hyperparams[col].astype('category')\n",
"\n",
" # Fetch the file paths of the corresponding checkpoints\n",
" ckpts = dataframe.axes[0][ids_to_take]\n",
"\n",
" return (weights[ids_to_take, :],\n",
" dataframe[DATAFRAME_METRIC_COLS].values[ids_to_take, :].astype(\n",
" np.float32),\n",
" hyperparams,\n",
" ckpts)\n",
"\n",
"def build_fcn(n_layers, n_hidden, n_outputs, dropout_rate, activation,\n",
" w_regularizer, w_init, b_init, last_activation='softmax'):\n",
" \"\"\"Fully connected deep neural network.\"\"\"\n",
" model = keras.Sequential()\n",
" model.add(keras.layers.Flatten())\n",
" for _ in range(n_layers):\n",
" model.add(\n",
" keras.layers.Dense(\n",
" n_hidden,\n",
" activation=activation,\n",
" kernel_regularizer=w_regularizer,\n",
" kernel_initializer=w_init,\n",
" bias_initializer=b_init))\n",
" if dropout_rate \u003e 0.0:\n",
" model.add(keras.layers.Dropout(dropout_rate))\n",
" if n_layers \u003e 0:\n",
" model.add(keras.layers.Dense(n_outputs, activation=last_activation))\n",
" else:\n",
" model.add(keras.layers.Dense(\n",
" n_outputs,\n",
" activation='sigmoid',\n",
" kernel_regularizer=w_regularizer,\n",
" kernel_initializer=w_init,\n",
" bias_initializer=b_init))\n",
" return model\n",
"\n",
"def extract_summary_features(w, qts=(0, 25, 50, 75, 100)):\n",
" \"\"\"Extract various statistics from the flat vector w.\"\"\"\n",
" features = np.percentile(w, qts)\n",
" features = np.append(features, [np.std(w), np.mean(w)])\n",
" return features\n",
"\n",
"\n",
"def extract_per_layer_features(w, qts=None, layers=(0, 1, 2, 3)):\n",
" \"\"\"Extract per-layer statistics from the weight vector and concatenate.\"\"\"\n",
" # Indices of the location of biases/kernels in the flattened vector\n",
" all_boundaries = {\n",
" 0: [(0, 16), (16, 160)], \n",
" 1: [(160, 176), (176, 2480)], \n",
" 2: [(2480, 2496), (2496, 4800)], \n",
" 3: [(4800, 4810), (4810, 4970)]}\n",
" boundaries = []\n",
" for layer in layers:\n",
" boundaries += all_boundaries[layer]\n",
" \n",
" if not qts:\n",
" features = [extract_summary_features(w[a:b]) for (a, b) in boundaries]\n",
" else:\n",
" features = [extract_summary_features(w[a:b], qts) for (a, b) in boundaries]\n",
" all_features = np.concatenate(features)\n",
" return all_features\n"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "SBM6xNSjz8Bs"
},
"source": [
"# 1. Loading the Small CNN Zoo dataset\n",
"\n",
"The following code loads the dataset (trained weights from *.npy files and all the relevant metrics, including accuracy, from *.csv files). "
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "mp-5POSc0ap2"
},
"outputs": [],
"source": [
"all_dirs = [MNIST_OUTDIR, FMNIST_OUTDIR, CIFAR_OUTDIR, SVHN_OUTDIR]\n",
"weights = {'mnist': None,\n",
" 'fashion_mnist': None,\n",
" 'cifar10': None,\n",
" 'svhn_cropped': None}\n",
"metrics = {'mnist': None,\n",
" 'fashion_mnist': None,\n",
" 'cifar10': None,\n",
" 'svhn_cropped': None}\n",
"for (dirname, dataname) in zip(\n",
" all_dirs, ['mnist', 'fashion_mnist', 'cifar10', 'svhn_cropped']):\n",
" print('Loading %s' % dataname)\n",
" with gfile.GFile(os.path.join(dirname, \"all_weights.npy\"), \"rb\") as f:\n",
" # Weights of the trained models\n",
" weights[dataname] = np.load(f)\n",
" with gfile.GFile(os.path.join(dirname, \"all_metrics.csv\")) as f:\n",
" # pandas DataFrame with metrics\n",
" metrics[dataname] = pd.read_csv(f, index_col=0)"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "FNqWMZcx1y5m"
},
"source": [
"Next it filters the dataset by keeping only checkpoints corresponding to 18 epochs and discarding runs that resulted in numerical instabilities. Finally, it performs the train / test splits."
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "1qL5_-FZ11gm"
},
"outputs": [],
"source": [
"weights_train = {}\n",
"weights_test = {}\n",
"configs_train = {}\n",
"configs_test = {}\n",
"outputs_train = {}\n",
"outputs_test = {}\n",
"\n",
"for dataset in ['mnist', 'fashion_mnist', 'cifar10', 'svhn_cropped']:\n",
" # Take one checkpoint per each run\n",
" # If using GBM as predictor, set binarize=False\n",
" weights_flt, metrics_flt, configs_flt, ckpts = filter_checkpoints(\n",
" weights[dataset], metrics[dataset], binarize=True)\n",
"\n",
" # Filter out DNNs with NaNs and Inf in the weights\n",
" idx_valid = (np.isfinite(weights_flt).mean(1) == 1.0)\n",
" inputs = np.asarray(weights_flt[idx_valid], dtype=np.float32)\n",
" outputs = np.asarray(metrics_flt[idx_valid], dtype=np.float32)\n",
" configs = configs_flt.iloc[idx_valid]\n",
" ckpts = ckpts[idx_valid]\n",
"\n",
" # Shuffle and split the data\n",
" random_idx = list(range(inputs.shape[0]))\n",
" np.random.shuffle(random_idx)\n",
" weights_train[dataset], weights_test[dataset] = (\n",
" inputs[random_idx[:TRAIN_SIZE]], inputs[random_idx[TRAIN_SIZE:]])\n",
" outputs_train[dataset], outputs_test[dataset] = (\n",
" 1. * outputs[random_idx[:TRAIN_SIZE]],\n",
" 1. * outputs[random_idx[TRAIN_SIZE:]])\n",
" configs_train[dataset], configs_test[dataset] = (\n",
" configs.iloc[random_idx[:TRAIN_SIZE]], \n",
" configs.iloc[random_idx[TRAIN_SIZE:]])"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "K7cpDNyB2tCc"
},
"source": [
"# 2. Figure 2 of the paper\n",
"\n",
"Next we plot distribution of CNNs from 4 collections in Small CNN Zoo according to their train / test accuracy"
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "VnToqYeT25pb"
},
"outputs": [],
"source": [
"plt.figure(figsize = (16, 8))\n",
"pic_id = 0\n",
"\n",
"for dataset in ['mnist', 'fashion_mnist', 'cifar10', 'svhn_cropped']:\n",
" pic_id += 1\n",
" sp = plt.subplot(2, 4, pic_id)\n",
"\n",
" outputs = outputs_train[dataset]\n",
"\n",
" if dataset == 'mnist':\n",
" plt.title('MNIST', fontsize=24)\n",
" if dataset == 'fashion_mnist':\n",
" plt.title('Fashion MNIST', fontsize=24)\n",
" if dataset == 'cifar10':\n",
" plt.title('CIFAR10-GS', fontsize=24)\n",
" if dataset == 'svhn_cropped':\n",
" plt.title('SVHN-GS', fontsize=24)\n",
"\n",
" # 1. test accuracy hist plots\n",
" sns.distplot(np.array(outputs[:, 0]), bins=15, kde=False, color='green')\n",
" plt.xlim((0.0, 1.0))\n",
" sp.axes.get_xaxis().set_ticklabels([])\n",
" sp.axes.get_yaxis().set_ticklabels([])\n",
" pic_id += 4\n",
" sp = plt.subplot(2, 4, pic_id)\n",
"\n",
" # 2. test / train accuracy scatter plots\n",
" NUM_POINTS = 1000\n",
" random_idx = range(len(outputs))\n",
" np.random.shuffle(random_idx)\n",
" plt.plot([0.0, 1.0], [0.0, 1.0], 'r--')\n",
" sns.scatterplot(np.array(outputs[random_idx[:NUM_POINTS], 0]), # test acc\n",
" np.array(outputs[random_idx[:NUM_POINTS], 2]), # train acc\n",
" s=30\n",
" )\n",
" if pic_id == 5:\n",
" plt.ylabel('Train accuracy', fontsize=22)\n",
" sp.axes.get_yaxis().set_ticklabels([0.0, 0.2, .4, .6, .8, 1.])\n",
" else:\n",
" sp.axes.get_yaxis().set_ticklabels([])\n",
" plt.xlim((0.0, 1.0))\n",
" plt.ylim((0.0, 1.0))\n",
" sp.axes.get_xaxis().set_ticks([0.0, 0.2, .4, .6, .8, 1.])\n",
" sp.axes.tick_params(axis='both', labelsize=18)\n",
" plt.xlabel('Test accuracy', fontsize=22)\n",
"\n",
" pic_id -= 4\n",
"\n",
"plt.tight_layout()"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "fxtGdIK55t9B"
},
"source": [
"# 3. Examples of training Logit-Linear / GBM / DNN predictors\n",
"\n",
"Next we train 3 models on all 4 CNN collections with the best hyperparameter configurations we found during our studies (documented in Table 2 and Section 4 of the paper).\n",
"\n",
"First, we load the best hyperparameter configurations we found.\n",
"The file best_configs.json contains a list. \n",
"Each entry of that list corresponds to the single hyperparameter configuration. \n",
"It consists of: \n",
"\n",
" (1) name of the CNN collection (mnist/fashion mnist/cifar10/svhn) \n",
" \n",
" (2) predictor type (linear/dnn/lgbm)\n",
" \n",
" (3) type of inputs, (refer to Table 2)\n",
" \n",
" (4) value of MSE you will get training with these settings, \n",
" \n",
" (5) dictionary of \"parameter name\"-\u003e \"parameter value\" for the given type of predictor."
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "B7oCx5rr6y4D"
},
"outputs": [],
"source": [
"with gfile.GFile(os.path.join(CONFIGS_PATH_BASE, 'best_configs.json'), 'r') as file:\n",
" best_configs = json.load(file)\n",
"\n"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "nQsP1aA5UhqT"
},
"source": [
"# 3.1 Training GBM predictors\n",
"\n",
"GBM code below requires the lightgbm package.\n",
"\n",
"This is an example of training GBM on CIFAR10-GS CNN collection using per-layer weights statistics as inputs."
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "t4KzPiTAXWuo"
},
"outputs": [],
"source": [
"# Take the best config we found\n",
"config = [el[-1] for el in best_configs if\n",
" el[0] == 'cifar10' and\n",
" el[1] == 'lgbm' and\n",
" el[2] == 'wstats-perlayer'][0]\n",
"\n",
"# Pre-process the weights\n",
"train_x = np.apply_along_axis(\n",
" extract_per_layer_features, 1,\n",
" weights_train['cifar10'],\n",
" qts=None,\n",
" layers=(0, 1, 2, 3))\n",
"test_x = np.apply_along_axis(\n",
" extract_per_layer_features, 1,\n",
" weights_test['cifar10'], \n",
" qts=None, \n",
" layers=(0, 1, 2, 3))\n",
"# Get the target values\n",
"train_y, test_y = outputs_train['cifar10'][:, 0], outputs_test['cifar10'][:, 0]\n",
"\n",
"# Define the GBM model\n",
"lgbm_model = lgb.LGBMRegressor(\n",
" num_leaves=config['num_leaves'],\n",
" max_depth=config['max_depth'],\n",
" learning_rate=config['learning_rate'],\n",
" max_bin=int(config['max_bin']),\n",
" min_child_weight=config['min_child_weight'],\n",
" reg_lambda=config['reg_lambda'],\n",
" reg_alpha=config['reg_alpha'],\n",
" subsample=config['subsample'],\n",
" subsample_freq=1, # it means always subsample\n",
" colsample_bytree=config['colsample_bytree'],\n",
" n_estimators=2000,\n",
" first_metric_only=True\n",
")\n",
"\n",
"# Train the GBM model;\n",
"# Early stopping will be based on rmse of test set\n",
"eval_metric = ['rmse', 'l1']\n",
"eval_set = [(test_x, test_y)]\n",
"lgbm_model.fit(train_x, train_y, verbose=100,\n",
" early_stopping_rounds=500,\n",
" eval_metric=eval_metric,\n",
" eval_set=eval_set,\n",
" eval_names=['test'])\n",
"\n",
"# Evaluate the GBM model\n",
"assert hasattr(lgbm_model, 'best_iteration_')\n",
"# Choose the step which had the best rmse on the test set\n",
"best_iter = lgbm_model.best_iteration_ - 1\n",
"lgbm_history = lgbm_model.evals_result_\n",
"mse = lgbm_history['test']['rmse'][best_iter] ** 2.\n",
"mad = lgbm_history['test']['l1'][best_iter]\n",
"var = np.mean((test_y - np.mean(test_y)) ** 2.)\n",
"r2 = 1. - mse / var\n",
"print('Test MSE = ', mse)\n",
"print('Test MAD = ', mad)\n",
"print('Test R2 = ', r2)"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "1Sf5cFosZcmk"
},
"source": [
"# 3.2 Training DNN predictors\n",
"\n",
"This is an example of training DNN on MNIST CNN collection using all weights as inputs."
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "cVsPbhQYZodD"
},
"outputs": [],
"source": [
"# Take the best config we found\n",
"config = [el[-1] for el in best_configs if\n",
" el[0] == 'mnist' and\n",
" el[1] == 'dnn' and\n",
" el[2] == 'weights'][0]\n",
"\n",
"train_x, test_x = weights_train['cifar10'], weights_test['cifar10']\n",
"train_y, test_y = outputs_train['cifar10'][:, 0], outputs_test['cifar10'][:, 0]\n",
"\n",
"# Get the optimizer, initializers, and regularizers\n",
"optimizer = keras.optimizers.get(config['optimizer_name'])\n",
"optimizer.learning_rate = config['learning_rate']\n",
"w_init = keras.initializers.get(config['w_init_name'])\n",
"if config['w_init_name'].lower() in ['truncatednormal', 'randomnormal']:\n",
" w_init.stddev = config['init_stddev']\n",
"b_init = keras.initializers.get('zeros')\n",
"w_reg = (keras.regularizers.l2(config['l2_penalty']) \n",
" if config['l2_penalty'] \u003e 0 else None)\n",
"\n",
"# Get the fully connected DNN architecture\n",
"dnn_model = build_fcn(int(config['n_layers']),\n",
" int(config['n_hiddens']),\n",
" 1, # number of outputs\n",
" config['dropout_rate'],\n",
" 'relu',\n",
" w_reg, w_init, b_init,\n",
" 'sigmoid') # Last activation\n",
"dnn_model.compile(\n",
" optimizer=optimizer,\n",
" loss='mean_squared_error',\n",
" metrics=['mse', 'mae'])\n",
"\n",
"# Train the model\n",
"dnn_model.fit(\n",
" train_x, train_y,\n",
" batch_size=int(config['batch_size']),\n",
" epochs=300,\n",
" validation_data=(test_x, test_y),\n",
" verbose=1,\n",
" callbacks=[keras.callbacks.EarlyStopping(\n",
" monitor='val_loss',\n",
" min_delta=0,\n",
" patience=10,\n",
" verbose=0,\n",
" mode='auto',\n",
" baseline=None,\n",
" restore_best_weights=False)]\n",
" )\n",
"\n",
"# Evaluate the model\n",
"eval_train = dnn_model.evaluate(train_x, train_y, batch_size=128, verbose=0)\n",
"eval_test = dnn_model.evaluate(test_x, test_y, batch_size=128, verbose=0)\n",
"assert dnn_model.metrics_names[1] == 'mean_squared_error'\n",
"assert dnn_model.metrics_names[2] == 'mean_absolute_error'\n",
"mse = eval_test[1]\n",
"var = np.mean((test_y - np.mean(test_y)) ** 2.)\n",
"r2 = 1. - mse / var\n",
"print('Test MSE = ', mse)\n",
"print('Test MAD = ', eval_test[2])\n",
"print('Test R2 = ', r2)"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "DF3N5jZ9JQMs"
},
"source": [
"# 3.3 Train Logit-Linear predictors\n",
"\n",
"This is an example of training Logit-Linear model on CIFAR10 CNN collection using hyperparameters as inputs."
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "_S_183RnJUZu"
},
"outputs": [],
"source": [
"# Take the best config we found\n",
"config = [el[-1] for el in best_configs if\n",
" el[0] == 'cifar10' and\n",
" el[1] == 'linear' and\n",
" el[2] == 'hyper'][0]\n",
"\n",
"# Turn DataFrames to numpy arrays. \n",
"# Since we used \"binarize=True\" when calling filter_checkpoints all the\n",
"# categorical columns were binarized.\n",
"train_x = configs_train['cifar10'].values.astype(np.float32)\n",
"test_x = configs_test['cifar10'].values.astype(np.float32)\n",
"train_y, test_y = outputs_train['cifar10'][:, 0], outputs_test['cifar10'][:, 0]\n",
"\n",
"# Get the optimizer, initializers, and regularizers\n",
"optimizer = keras.optimizers.get(config['optimizer_name'])\n",
"optimizer.learning_rate = config['learning_rate']\n",
"w_init = keras.initializers.get(config['w_init_name'])\n",
"if config['w_init_name'].lower() in ['truncatednormal', 'randomnormal']:\n",
" w_init.stddev = config['init_stddev']\n",
"b_init = keras.initializers.get('zeros')\n",
"w_reg = (keras.regularizers.l2(config['l2_penalty']) \n",
" if config['l2_penalty'] \u003e 0 else None)\n",
"\n",
"# Get the linear architecture (DNN with 0 layers)\n",
"dnn_model = build_fcn(int(config['n_layers']),\n",
" int(config['n_hiddens']),\n",
" 1, # number of outputs\n",
" None, # Dropout is not used\n",
" 'relu',\n",
" w_reg, w_init, b_init,\n",
" 'sigmoid') # Last activation\n",
"dnn_model.compile(\n",
" optimizer=optimizer,\n",
" loss='mean_squared_error',\n",
" metrics=['mse', 'mae'])\n",
"\n",
"# Train the model\n",
"dnn_model.fit(\n",
" train_x, train_y,\n",
" batch_size=int(config['batch_size']),\n",
" epochs=300,\n",
" validation_data=(test_x, test_y),\n",
" verbose=1,\n",
" callbacks=[keras.callbacks.EarlyStopping(\n",
" monitor='val_loss',\n",
" min_delta=0,\n",
" patience=10,\n",
" verbose=0,\n",
" mode='auto',\n",
" baseline=None,\n",
" restore_best_weights=False)]\n",
" )\n",
"\n",
"# Evaluate the model\n",
"eval_train = dnn_model.evaluate(train_x, train_y, batch_size=128, verbose=0)\n",
"eval_test = dnn_model.evaluate(test_x, test_y, batch_size=128, verbose=0)\n",
"assert dnn_model.metrics_names[1] == 'mean_squared_error'\n",
"assert dnn_model.metrics_names[2] == 'mean_absolute_error'\n",
"mse = eval_test[1]\n",
"var = np.mean((test_y - np.mean(test_y)) ** 2.)\n",
"r2 = 1. - mse / var\n",
"print('Test MSE = ', mse)\n",
"print('Test MAD = ', eval_test[2])\n",
"print('Test R2 = ', r2)"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "i97PjpsxWQWS"
},
"source": [
"# 4. Figure 4: Transfer across datasets\n",
"\n",
"Train GBM predictor using statistics of all layers as inputs on all 4 CNN collections. Then evaluate them on each of the 4 CNN collections (without fine-tuning). Store all results."
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "xRFiVulhWeQ9"
},
"outputs": [],
"source": [
"transfer_results = {}\n",
"\n",
"for dataset in ['mnist', 'fashion_mnist', 'cifar10', 'svhn_cropped']:\n",
" print('Training on %s' % dataset)\n",
" transfer_results[dataset] = {}\n",
" \n",
" train_x = weights_train[dataset]\n",
" test_x = weights_test[dataset]\n",
" train_y = outputs_train[dataset][:, 0]\n",
" test_y = outputs_test[dataset][:, 0]\n",
"\n",
" # Pre-process the weights by taking the statistics across layers\n",
" train_x = np.apply_along_axis(\n",
" extract_per_layer_features, 1, \n",
" train_x, qts=None, layers=(0, 1, 2, 3))\n",
" test_x = np.apply_along_axis(\n",
" extract_per_layer_features, 1,\n",
" test_x, qts=None, layers=(0, 1, 2, 3))\n",
"\n",
" # Take the best config we found\n",
" config = [el[-1] for el in best_configs if\n",
" el[0] == dataset and\n",
" el[1] == 'lgbm' and\n",
" el[2] == 'wstats-perlayer'][0]\n",
"\n",
" lgbm_model = lgb.LGBMRegressor(\n",
" num_leaves=config['num_leaves'],\n",
" max_depth=config['max_depth'], \n",
" learning_rate=config['learning_rate'], \n",
" max_bin=int(config['max_bin']),\n",
" min_child_weight=config['min_child_weight'],\n",
" reg_lambda=config['reg_lambda'],\n",
" reg_alpha=config['reg_alpha'],\n",
" subsample=config['subsample'],\n",
" subsample_freq=1, # Always subsample\n",
" colsample_bytree=config['colsample_bytree'],\n",
" n_estimators=4000,\n",
" first_metric_only=True,\n",
" )\n",
" \n",
" # Train the GBM model\n",
" lgbm_model.fit(\n",
" train_x,\n",
" train_y,\n",
" verbose=100,\n",
" # verbose=False,\n",
" early_stopping_rounds=500,\n",
" eval_metric=['rmse', 'l1'],\n",
" eval_set=[(test_x, test_y)],\n",
" eval_names=['test'])\n",
" \n",
" # Evaluate on all 4 CNN collections\n",
" for transfer_to in ['mnist', 'fashion_mnist', 'cifar10', 'svhn_cropped']:\n",
" print('Evaluating on %s' % transfer_to)\n",
" # Take the test split of the dataset\n",
" transfer_x = weights_test[transfer_to]\n",
" transfer_x = np.apply_along_axis(\n",
" extract_per_layer_features, 1,\n",
" transfer_x, qts=None, layers=(0, 1, 2, 3))\n",
" y_hat = lgbm_model.predict(transfer_x)\n",
" transfer_results[dataset][transfer_to] = y_hat"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "VvkJS4CKYDj_"
},
"source": [
"And plot everything"
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "U9J8nA4BYF4P"
},
"outputs": [],
"source": [
"plt.figure(figsize = (15, 15))\n",
"pic_id = 0\n",
"for dataset in ['mnist', 'fashion_mnist', 'cifar10', 'svhn_cropped']:\n",
" for transfer_to in ['mnist', 'fashion_mnist', 'cifar10', 'svhn_cropped']:\n",
" pic_id += 1\n",
" sp = plt.subplot(4, 4, pic_id)\n",
" # Take true labels\n",
" y_true = outputs_test[transfer_to][:, 0]\n",
" # Take the predictions of the model\n",
" y_hat = transfer_results[dataset][transfer_to]\n",
" plt.plot([0.01, .99], [0.01, .99], 'r--', linewidth=2)\n",
" sns.scatterplot(y_true, y_hat)\n",
" # Compute the Kendall's tau coefficient\n",
" tau = stats.kendalltau(y_true, y_hat)[0]\n",
" plt.text(0.05, 0.9, r\"$\\tau=%.3f$\" % tau, fontsize=25)\n",
" plt.xlim((0.0, 1.0))\n",
" plt.ylim((0.0, 1.0))\n",
"\n",
" if pic_id % 4 != 1:\n",
" sp.axes.get_yaxis().set_ticklabels([])\n",
" else:\n",
" plt.ylabel('Predictions', fontsize=22)\n",
" sp.axes.tick_params(axis='both', labelsize=15)\n",
"\n",
" if pic_id \u003c 13:\n",
" sp.axes.get_xaxis().set_ticklabels([])\n",
" else:\n",
" plt.xlabel('Test accuracy', fontsize=22)\n",
" sp.axes.tick_params(axis='both', labelsize=15)\n",
"\n",
" if pic_id == 1:\n",
" plt.title('MNIST', fontsize=22)\n",
" if pic_id == 2:\n",
" plt.title('Fashion-MNIST', fontsize=22)\n",
" if pic_id == 3:\n",
" plt.title('CIFAR10-GS', fontsize=22)\n",
" if pic_id == 4:\n",
" plt.title('SVHN-GS', fontsize=22)\n",
"\n",
"plt.tight_layout()"
]
},
{
"cell_type": "markdown",
"metadata": {
"colab_type": "text",
"id": "Iahn92bHY8kQ"
},
"source": [
"# 5. Figure 3: various 2d plots based on subsets of weights statistics\n",
"\n",
"Take weight statistics for the CIFAR10 CNN collection. Plot various 2d plots"
]
},
{
"cell_type": "code",
"execution_count": 0,
"metadata": {
"colab": {},
"colab_type": "code",
"id": "nBXxv0-2ZfZA"
},
"outputs": [],
"source": [
"# Take the per-layer weights stats for the train split of CIFAR10-GS collection\n",
"per_layer_stats = np.apply_along_axis(\n",
" extract_per_layer_features, 1,\n",
" weights_train['cifar10'])\n",
"train_test_accuracy = outputs_train['cifar10'][:, 0]\n",
"# Positions of various stats\n",
"b0min = 0 # min of the first layer\n",
"b0max = 4 # max of the first layer\n",
"bnmin = 6*7 + 0 # min of the last layer\n",
"bnmax = 6*7 + 4 # max of the last layer\n",
"x = per_layer_stats[:,b0max] - per_layer_stats[:,b0min]\n",
"y = per_layer_stats[:,bnmax] - per_layer_stats[:,bnmin]\n",
"\n",
"plt.figure(figsize=(10,8))\n",
"plt.scatter(x, y, s=15,\n",
" c=train_test_accuracy,\n",
" cmap=\"jet\",\n",
" vmin=0.1,\n",
" vmax=0.54,\n",
" linewidths=0)\n",
"plt.yscale(\"log\")\n",
"plt.xscale(\"log\")\n",
"plt.ylim(0.1, 10)\n",
"plt.xlim(0.1, 10)\n",
"plt.xlabel(\"Bias range, first layer\", fontsize=22)\n",
"plt.ylabel(\"Bias range, final layer\", fontsize=22)\n",
"cbar = plt.colorbar()\n",
"cbar.ax.tick_params(labelsize=18) \n",
"plt.tight_layout()"
]
}
],
"metadata": {
"colab": {
"collapsed_sections": [],
"last_runtime": {
"build_target": "//learning/brain/python/client:colab_notebook",
"kind": "private"
},
"name": "dnn-predict-accuracy.ipynb",
"private_outputs": true,
"provenance": [
{
"file_id": "1AV92_u26P4KyTmopFOKgROWg3GostHAA",
"timestamp": 1581610553676
}
],
"toc_visible": true
},
"kernelspec": {
"display_name": "Python 2",
"name": "python2"
}
},
"nbformat": 4,
"nbformat_minor": 0
}
| Jupyter Notebook | 5 | deepneuralmachine/google-research | dnn_predict_accuracy/colab/dnn_predict_accuracy.ipynb | [
"Apache-2.0"
] |
RwSimpleNestedProjectLoadComponentV2 {
#name : 'common/v2/platforms/Core',
#condition : 'common',
#projectNames : [ ],
#componentNames : [
'common/v2/platforms/gemstone/Core'
],
#packageNames : [ ],
#comment : ''
} | STON | 2 | GemTalk/Rowan | rowan/components/common/v2/platforms/Core.ston | [
"MIT"
] |
package unit.issues;
import unit.Test;
private abstract A(Array<Int>) {
public inline function new(a) {
this = a;
}
@:arrayAccess inline function read(i) {
return this[i];
}
@:arrayAccess inline function write(i,v) {
return this[i] = v;
}
}
class Issue2810 extends Test {
function test() {
var a = new A([5]);
var x = a[0];
a[0] = 6;
a[0] += 3;
eq(9, a[0]);
}
} | Haxe | 3 | wiltonlazary/haxe | tests/unit/src/unit/issues/Issue2810.hx | [
"MIT"
] |
// Declarations for misc/fuzzy.java
// Written Wed Jun 4 23:23:19 2003
VarComparability
none
ListImplementors
java.util.List
DECLARE
misc.fuzzy.fuzzy():::EXIT4
DECLARE
misc.fuzzy.fuzzy():::ENTER
DECLARE
misc.fuzzy.main(java.lang.String[]):::EXIT15
args
java.lang.String[] # isParam=true
hashcode
22
args.class
java.lang.Class
java.lang.String
22
args[]
java.lang.String[]
java.lang.String[]
22
args[].toString
java.lang.String[]
java.lang.String[]
22
DECLARE
misc.fuzzy.main(java.lang.String[]):::ENTER
args
java.lang.String[] # isParam=true
hashcode
22
args.class
java.lang.Class
java.lang.String
22
args[]
java.lang.String[]
java.lang.String[]
22
args[].toString
java.lang.String[]
java.lang.String[]
22
DECLARE
misc.fuzzy:::OBJECT
this
misc.fuzzy # isParam=true
hashcode
22
| BlitzBasic | 0 | eurecom-s3/invscov | daikon/java/daikon/test/split/targets/fuzzy.decls | [
"Apache-2.0"
] |
%h1 Eventsourced Example
%table
%tr
%td
%a{ :href => "/invoice" } Invoices
| Scaml | 2 | pkeshab/eventsourced-example | src/main/webapp/WEB-INF/org/eligosource/eventsourced/example/home/Home.scaml | [
"Apache-2.0"
] |
{-# OPTIONS --no-import-sorts #-}
open import Agda.Primitive renaming (Set to _X_X_)
test : _X_X₁_
test = _X_X_
| Agda | 1 | shlevy/agda | test/Succeed/RenameSetToMixfix.agda | [
"BSD-3-Clause"
] |
#!/usr/bin/perl -wT
use strict;
print "Content-Type: text/html\n";
print "Access-Control-Allow-Origin: *\n";
print "Cache-Control: no-store\n\n";
print <<DONE
{ "header": "$ENV{"HTTP_UPGRADE_INSECURE_REQUESTS"}" }
DONE
| Perl | 4 | zealoussnow/chromium | third_party/blink/web_tests/http/tests/security/upgrade-insecure-requests/resources/echo-https-header.pl | [
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] |
load'jd'
jdadminx'corona'
CSVFOLDER =:'/development/j/coronavirus'
jd'csvprobe /replace excess-j.csv'
jd'csvcdefs /replace /h 1 /v 11 excess-j.csv'
jd'csvscan excess-j.csv'
jd'csvrd excess-j.csv excess'
setup =: monad define
jd'csvrd excess-j.csv excess'
)
jd'csvprobe /replace nst-est2019-alldata.csv'
jd'csvcdefs /replace /h 1 /v 20 nst-est2019-alldata.csv'
jd'csvscan nst-est2019-alldata.csv'
jd'csvrd nst-est2019-alldata.csv statePop'
NB. jd'csvrd excess-age.csv excessAge'
jd'reads /table calculated sum "Observed Number", sum "Average Expected Count" by State from excess where "Week Ending Date"> "2020-03-13" and "Week Ending Date" < "2021-11-13" and Type="Unweighted" and Outcome="All causes"'
NB. createdcol?
excess_col =: -/ ,"2 > {: jd'reads "Observed Number", "Average Expected Count" from calculated'
jd'createcol calculated excess int';excess_col
jd'ref calculated State statePop NAME'
excess_pp =: %/,"2 > {: jd'reads excess,statePop.POPESTIMATE2019 from calculated,calculated.statePop'
jd'createcol calculated excessPp float';excess_pp
jd'reads State,excessPp from calculated order by excessPp desc'
inspect =: monad define
jd'reads "Week Ending Date","Observed Number","Average Expected Count" from excess where State="',y,'" and "Week Ending Date" >= "2020-02-29" and Type="Unweighted" and Outcome="All causes"'
)
| J | 3 | vmchale/coronavirus | excess-jd.ijs | [
"BSD-3-Clause"
] |
#!MC 1120
# Created by Tecplot 360 build 11.2-0-563
$!EXPORTSETUP EXPORTFORMAT = PNG
$!EXPORTSETUP IMAGEWIDTH = 600
$!EXPORTSETUP USESUPERSAMPLEANTIALIASING = YES
$!EXPORTSETUP EXPORTFNAME = 'cylinder.png'
$!EXPORT
EXPORTREGION = CURRENTFRAME
| MAXScript | 2 | alexfikl/ibpm | doc/examples/plot_cylinder.mcr | [
"BSD-3-Clause"
] |
.create object instance foo1 of A_CLASS
.assign foo1.name = "foo1"
.assign foo1.num = 1
.create object instance foo2 of A_CLASS
.assign foo2.name = "foo2"
.assign foo2.num = 2
.create object instance foo3 of A_CLASS
.assign foo3.name = "foo3"
.assign foo3.num = 3
.create object instance foo4 of A_CLASS
.assign foo4.name = "foo4"
.assign foo4.num = 4
.// test sets
.//
.// test '+'
.print "Testing inst_ref + inst_ref"
.assign all_the_foos = foo1 + foo2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo1
.// foo2
.//
.//.print "Testing inst_ref + inst_ref_set"
.//.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.//.assign all_the_foos = foo3 + foos
.//.for each foo in all_the_foos
.// .print "${foo.name}"
.//.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.//
.//.print "Testing inst_ref_set + inst_ref"
.//.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.//.assign all_the_foos = foos + foo3
.//.for each foo in all_the_foos
.// .print "${foo.name}"
.//.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.//
.//.print "Testing inst_ref_set + inst_ref_set"
.//.select many foos1 from instances of A_CLASS where ( selected.num <= 2 )
.//.select many foos2 from instances of A_CLASS where ( selected.num >= 3 )
.//.assign all_the_foos = foos1 + foos2
.//.for each foo in all_the_foos
.// .print "${foo.name}"
.//.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.// foo4
.//
.// test '-'
.print "Testing inst_ref - inst_ref"
.assign all_the_foos = foo1 - foo1
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.//
.//.print "Testing inst_ref - inst_ref_set"
.//.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.//.assign all_the_foos = foo2 - foos
.//.for each foo in all_the_foos
.// .print "${foo.name}"
.//.end for
.// expected results:
.//
.print "Testing inst_ref_set - inst_ref"
.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.assign all_the_foos = foos - foo2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo1
.//
.print "Testing inst_ref_set - inst_ref_set"
.select many foos1 from instances of A_CLASS
.select many foos2 from instances of A_CLASS where ( selected.num >= 3 )
.assign all_the_foos = foos1 - foos2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo1
.// foo2
.//
.// test 'or'
.//.print "Testing inst_ref or inst_ref"
.//.assign all_the_foos = foo1 or foo2
.//.for each foo in all_the_foos
.// .print "${foo.name}"
.//.end for
.// expected results:
.// foo1
.// foo2
.//
.//.print "Testing inst_ref or inst_ref_set"
.//.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.//.assign all_the_foos = foo3 or foos
.//.for each foo in all_the_foos
.// .print "${foo.name}"
.//.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.//
.//.print "Testing inst_ref_set or inst_ref"
.//.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.//.assign all_the_foos = foos or foo3
.//.for each foo in all_the_foos
.// .print "${foo.name}"
.//.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.//
.print "Testing inst_ref_set or inst_ref_set"
.select many foos1 from instances of A_CLASS where ( selected.num <= 2 )
.select many foos2 from instances of A_CLASS where ( selected.num >= 3 )
.assign all_the_foos = foos1 or foos2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.// foo4
.//
.// test 'and'
.//.print "Testing inst_ref and inst_ref"
.//.assign all_the_foos = foo1 and foo2
.//.for each foo in all_the_foos
.// .print "${foo.name}"
.//.end for
.// expected results:
.//
.print "Testing inst_ref and inst_ref_set"
.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.assign all_the_foos = foo2 and foos
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo2
.//
.print "Testing inst_ref_set and inst_ref"
.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.assign all_the_foos = foos and foo2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo2
.//
.print "Testing inst_ref_set and inst_ref_set"
.select many foos1 from instances of A_CLASS where ( selected.num <= 3 )
.select many foos2 from instances of A_CLASS where ( selected.num >= 3 )
.assign all_the_foos = foos1 and foos2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo3
.//
.// test '|'
.print "Testing inst_ref | inst_ref"
.assign all_the_foos = foo1 | foo2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo1
.// foo2
.//
.print "Testing inst_ref | inst_ref_set"
.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.assign all_the_foos = foo3 | foos
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.//
.print "Testing inst_ref_set | inst_ref"
.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.assign all_the_foos = foos | foo3
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.//
.print "Testing inst_ref_set | inst_ref_set"
.select many foos1 from instances of A_CLASS where ( selected.num <= 2 )
.select many foos2 from instances of A_CLASS where ( selected.num >= 3 )
.assign all_the_foos = foos1 | foos2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo1
.// foo2
.// foo3
.// foo4
.//
.// test '&'
.print "Testing inst_ref & inst_ref"
.assign all_the_foos = foo1 & foo2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.//
.print "Testing inst_ref & inst_ref_set"
.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.assign all_the_foos = foo2 & foos
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo2
.//
.print "Testing inst_ref_set & inst_ref"
.select many foos from instances of A_CLASS where ( selected.num <= 2 )
.assign all_the_foos = foos & foo2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo2
.//
.print "Testing inst_ref_set & inst_ref_set"
.select many foos1 from instances of A_CLASS where ( selected.num <= 3 )
.select many foos2 from instances of A_CLASS where ( selected.num >= 3 )
.assign all_the_foos = foos1 & foos2
.for each foo in all_the_foos
.print "${foo.name}"
.end for
.// expected results:
.// foo3
.//
| Arc | 4 | FMAY-Software/bridgepoint | doc-bridgepoint/notes/5007_set_operations/sets.arc | [
"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.
' See the LICENSE file in the project root for more information.
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.VisualBasic.UnitTests.Semantics
Partial Public Class IOperationTests
Inherits SemanticModelTestBase
<CompilerTrait(CompilerFeature.IOperation)>
<Fact()>
Public Sub TypeParameterObjectCreation_Simple()
Dim source = <![CDATA[
Class C1
Sub M(Of T As {C1, New})(t1 As T)
t1 = New T()'BIND:"New T()"
End Sub
End Class]]>.Value
Dim expectedDiagnostics = String.Empty
Dim expectedOperationTree = <![CDATA[
ITypeParameterObjectCreationOperation (OperationKind.TypeParameterObjectCreation, Type: T) (Syntax: 'New T()')
Initializer:
null
]]>.Value
VerifyOperationTreeAndDiagnosticsForTest(Of ObjectCreationExpressionSyntax)(source, expectedOperationTree, expectedDiagnostics)
End Sub
<CompilerTrait(CompilerFeature.IOperation)>
<Fact()>
Public Sub TypeParameterObjectCreation_WithObjectInitializer()
Dim source = <![CDATA[
Class C1
Sub M(Of T As {C1, New})(t1 As T)
t1 = New T() With {.P1 = 1}'BIND:"New T() With {.P1 = 1}"
End Sub
Public Property P1 As Integer
End Class]]>.Value
Dim expectedDiagnostics = String.Empty
Dim expectedOperationTree = <![CDATA[
ITypeParameterObjectCreationOperation (OperationKind.TypeParameterObjectCreation, Type: T) (Syntax: 'New T() With {.P1 = 1}')
Initializer:
IObjectOrCollectionInitializerOperation (OperationKind.ObjectOrCollectionInitializer, Type: T) (Syntax: 'With {.P1 = 1}')
Initializers(1):
ISimpleAssignmentOperation (OperationKind.SimpleAssignment, Type: System.Void) (Syntax: '.P1 = 1')
Left:
IPropertyReferenceOperation: Property C1.P1 As System.Int32 (OperationKind.PropertyReference, Type: System.Int32) (Syntax: 'P1')
Instance Receiver:
IInstanceReferenceOperation (ReferenceKind: ImplicitReceiver) (OperationKind.InstanceReference, Type: T, IsImplicit) (Syntax: 'New T() With {.P1 = 1}')
Right:
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 1) (Syntax: '1')
]]>.Value
VerifyOperationTreeAndDiagnosticsForTest(Of ObjectCreationExpressionSyntax)(source, expectedOperationTree, expectedDiagnostics)
End Sub
<CompilerTrait(CompilerFeature.IOperation)>
<Fact()>
Public Sub TypeParameterObjectCreation_WithCollectionInitializer()
Dim source = <![CDATA[
Imports System.Collections.Generic
Class C1
Sub M(Of T As {C1, IEnumerable(Of Integer), New})(t1 As T)
t1 = New T() From {1}'BIND:"New T() From {1}"
End Sub
Public Sub Add(i As Integer)
End Sub
End Class]]>.Value
Dim expectedDiagnostics = String.Empty
Dim expectedOperationTree = <![CDATA[
ITypeParameterObjectCreationOperation (OperationKind.TypeParameterObjectCreation, Type: T) (Syntax: 'New T() From {1}')
Initializer:
IObjectOrCollectionInitializerOperation (OperationKind.ObjectOrCollectionInitializer, Type: T) (Syntax: 'From {1}')
Initializers(1):
IInvocationOperation ( Sub C1.Add(i As System.Int32)) (OperationKind.Invocation, Type: System.Void, IsImplicit) (Syntax: '1')
Instance Receiver:
IInstanceReferenceOperation (ReferenceKind: ImplicitReceiver) (OperationKind.InstanceReference, Type: T, IsImplicit) (Syntax: 'New T() From {1}')
Arguments(1):
IArgumentOperation (ArgumentKind.Explicit, Matching Parameter: i) (OperationKind.Argument, Type: null, IsImplicit) (Syntax: '1')
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 1) (Syntax: '1')
InConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
OutConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
]]>.Value
VerifyOperationTreeAndDiagnosticsForTest(Of ObjectCreationExpressionSyntax)(source, expectedOperationTree, expectedDiagnostics)
End Sub
<CompilerTrait(CompilerFeature.IOperation)>
<Fact()>
Public Sub TypeParameterObjectCreation_MissingNewConstraint()
Dim source = <![CDATA[
Imports System
Imports System.Collections
Imports System.Collections.Generic
Class C1
Sub M(Of T As {C1, IEnumerable(Of Integer)})(t1 As T)
t1 = New T() From {1}'BIND:"New T() From {1}"
End Sub
Public Sub Add(i As Integer)
End Sub
End Class]]>.Value
Dim expectedDiagnostics = <![CDATA[
BC32046: 'New' cannot be used on a type parameter that does not have a 'New' constraint.
t1 = New T() From {1}'BIND:"New T() From {1}"
~
]]>.Value
' Asserts that no ITypeParameterObjectCreationOperation is generated in this tree
Dim expectedOperationTree = <![CDATA[
IInvalidOperation (OperationKind.Invalid, Type: T, IsInvalid) (Syntax: 'New T() From {1}')
Children(1):
IObjectOrCollectionInitializerOperation (OperationKind.ObjectOrCollectionInitializer, Type: T) (Syntax: 'From {1}')
Initializers(1):
IInvocationOperation ( Sub C1.Add(i As System.Int32)) (OperationKind.Invocation, Type: System.Void, IsImplicit) (Syntax: '1')
Instance Receiver:
IInstanceReferenceOperation (ReferenceKind: ImplicitReceiver) (OperationKind.InstanceReference, Type: T, IsInvalid, IsImplicit) (Syntax: 'New T() From {1}')
Arguments(1):
IArgumentOperation (ArgumentKind.Explicit, Matching Parameter: i) (OperationKind.Argument, Type: null, IsImplicit) (Syntax: '1')
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 1) (Syntax: '1')
InConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
OutConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
]]>.Value
VerifyOperationTreeAndDiagnosticsForTest(Of ObjectCreationExpressionSyntax)(source, expectedOperationTree, expectedDiagnostics)
End Sub
<CompilerTrait(CompilerFeature.IOperation, CompilerFeature.Dataflow)>
<Fact()>
Public Sub TypeParameterObjectCreationFlow_01()
Dim source = <![CDATA[
Imports System
Imports System.Collections
Imports System.Collections.Generic
Class C1
Sub M(Of T As {C1, IEnumerable(Of Integer), New})(t1 As T, b As Boolean)'BIND:"Sub M(Of T As {C1, IEnumerable(Of Integer), New})(t1 As T, b As Boolean)"
t1 = New T() From {1, If(b, 2, 3)}
End Sub
Public Sub Add(i As Integer)
End Sub
End Class]]>.Value
Dim expectedDiagnostics = String.Empty
Dim expectedFlowGraph = <![CDATA[
Block[B0] - Entry
Statements (0)
Next (Regular) Block[B1]
Entering: {R1}
.locals {R1}
{
CaptureIds: [0] [1]
Block[B1] - Block
Predecessors: [B0]
Statements (3)
IFlowCaptureOperation: 0 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: 't1')
Value:
IParameterReferenceOperation: t1 (OperationKind.ParameterReference, Type: T) (Syntax: 't1')
IFlowCaptureOperation: 1 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: 'New T() Fro ... f(b, 2, 3)}')
Value:
ITypeParameterObjectCreationOperation (OperationKind.TypeParameterObjectCreation, Type: T) (Syntax: 'New T() Fro ... f(b, 2, 3)}')
Initializer:
null
IInvocationOperation ( Sub C1.Add(i As System.Int32)) (OperationKind.Invocation, Type: System.Void, IsImplicit) (Syntax: '1')
Instance Receiver:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() Fro ... f(b, 2, 3)}')
Arguments(1):
IArgumentOperation (ArgumentKind.Explicit, Matching Parameter: i) (OperationKind.Argument, Type: null, IsImplicit) (Syntax: '1')
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 1) (Syntax: '1')
InConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
OutConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
Next (Regular) Block[B2]
Entering: {R2}
.locals {R2}
{
CaptureIds: [2]
Block[B2] - Block
Predecessors: [B1]
Statements (0)
Jump if False (Regular) to Block[B4]
IParameterReferenceOperation: b (OperationKind.ParameterReference, Type: System.Boolean) (Syntax: 'b')
Next (Regular) Block[B3]
Block[B3] - Block
Predecessors: [B2]
Statements (1)
IFlowCaptureOperation: 2 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: '2')
Value:
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 2) (Syntax: '2')
Next (Regular) Block[B5]
Block[B4] - Block
Predecessors: [B2]
Statements (1)
IFlowCaptureOperation: 2 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: '3')
Value:
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 3) (Syntax: '3')
Next (Regular) Block[B5]
Block[B5] - Block
Predecessors: [B3] [B4]
Statements (1)
IInvocationOperation ( Sub C1.Add(i As System.Int32)) (OperationKind.Invocation, Type: System.Void, IsImplicit) (Syntax: 'If(b, 2, 3)')
Instance Receiver:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() Fro ... f(b, 2, 3)}')
Arguments(1):
IArgumentOperation (ArgumentKind.Explicit, Matching Parameter: i) (OperationKind.Argument, Type: null, IsImplicit) (Syntax: 'If(b, 2, 3)')
IFlowCaptureReferenceOperation: 2 (OperationKind.FlowCaptureReference, Type: System.Int32, IsImplicit) (Syntax: 'If(b, 2, 3)')
InConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
OutConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
Next (Regular) Block[B6]
Leaving: {R2}
}
Block[B6] - Block
Predecessors: [B5]
Statements (1)
IExpressionStatementOperation (OperationKind.ExpressionStatement, Type: null) (Syntax: 't1 = New T( ... f(b, 2, 3)}')
Expression:
ISimpleAssignmentOperation (OperationKind.SimpleAssignment, Type: T, IsImplicit) (Syntax: 't1 = New T( ... f(b, 2, 3)}')
Left:
IFlowCaptureReferenceOperation: 0 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 't1')
Right:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() Fro ... f(b, 2, 3)}')
Next (Regular) Block[B7]
Leaving: {R1}
}
Block[B7] - Exit
Predecessors: [B6]
Statements (0)
]]>.Value
VerifyFlowGraphAndDiagnosticsForTest(Of MethodBlockSyntax)(source, expectedFlowGraph, expectedDiagnostics)
End Sub
<CompilerTrait(CompilerFeature.IOperation, CompilerFeature.Dataflow)>
<Fact()>
Public Sub TypeParameterObjectCreationFlow_02()
Dim source = <![CDATA[
Imports System
Imports System.Collections
Imports System.Collections.Generic
Class C1
Sub M(Of T As {C1, New})(t1 As T, b As Boolean)'BIND:"Sub M(Of T As {C1, New})(t1 As T, b As Boolean)"
t1 = New T() With {.I1 = 1, .I2 = If(b, 2, 3)}
End Sub
Public Property I1 As Integer
Public Property I2 As Integer
End Class]]>.Value
Dim expectedDiagnostics = String.Empty
Dim expectedFlowGraph = <![CDATA[
Block[B0] - Entry
Statements (0)
Next (Regular) Block[B1]
Entering: {R1}
.locals {R1}
{
CaptureIds: [0] [1]
Block[B1] - Block
Predecessors: [B0]
Statements (3)
IFlowCaptureOperation: 0 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: 't1')
Value:
IParameterReferenceOperation: t1 (OperationKind.ParameterReference, Type: T) (Syntax: 't1')
IFlowCaptureOperation: 1 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: 'New T() Wit ... f(b, 2, 3)}')
Value:
ITypeParameterObjectCreationOperation (OperationKind.TypeParameterObjectCreation, Type: T) (Syntax: 'New T() Wit ... f(b, 2, 3)}')
Initializer:
null
ISimpleAssignmentOperation (OperationKind.SimpleAssignment, Type: System.Void) (Syntax: '.I1 = 1')
Left:
IPropertyReferenceOperation: Property C1.I1 As System.Int32 (OperationKind.PropertyReference, Type: System.Int32) (Syntax: 'I1')
Instance Receiver:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() Wit ... f(b, 2, 3)}')
Right:
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 1) (Syntax: '1')
Next (Regular) Block[B2]
Entering: {R2}
.locals {R2}
{
CaptureIds: [2]
Block[B2] - Block
Predecessors: [B1]
Statements (0)
Jump if False (Regular) to Block[B4]
IParameterReferenceOperation: b (OperationKind.ParameterReference, Type: System.Boolean) (Syntax: 'b')
Next (Regular) Block[B3]
Block[B3] - Block
Predecessors: [B2]
Statements (1)
IFlowCaptureOperation: 2 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: '2')
Value:
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 2) (Syntax: '2')
Next (Regular) Block[B5]
Block[B4] - Block
Predecessors: [B2]
Statements (1)
IFlowCaptureOperation: 2 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: '3')
Value:
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 3) (Syntax: '3')
Next (Regular) Block[B5]
Block[B5] - Block
Predecessors: [B3] [B4]
Statements (1)
ISimpleAssignmentOperation (OperationKind.SimpleAssignment, Type: System.Void) (Syntax: '.I2 = If(b, 2, 3)')
Left:
IPropertyReferenceOperation: Property C1.I2 As System.Int32 (OperationKind.PropertyReference, Type: System.Int32) (Syntax: 'I2')
Instance Receiver:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() Wit ... f(b, 2, 3)}')
Right:
IFlowCaptureReferenceOperation: 2 (OperationKind.FlowCaptureReference, Type: System.Int32, IsImplicit) (Syntax: 'If(b, 2, 3)')
Next (Regular) Block[B6]
Leaving: {R2}
}
Block[B6] - Block
Predecessors: [B5]
Statements (1)
IExpressionStatementOperation (OperationKind.ExpressionStatement, Type: null) (Syntax: 't1 = New T( ... f(b, 2, 3)}')
Expression:
ISimpleAssignmentOperation (OperationKind.SimpleAssignment, Type: T, IsImplicit) (Syntax: 't1 = New T( ... f(b, 2, 3)}')
Left:
IFlowCaptureReferenceOperation: 0 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 't1')
Right:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() Wit ... f(b, 2, 3)}')
Next (Regular) Block[B7]
Leaving: {R1}
}
Block[B7] - Exit
Predecessors: [B6]
Statements (0)
]]>.Value
VerifyFlowGraphAndDiagnosticsForTest(Of MethodBlockSyntax)(source, expectedFlowGraph, expectedDiagnostics)
End Sub
<CompilerTrait(CompilerFeature.IOperation, CompilerFeature.Dataflow)>
<Fact()>
Public Sub TypeParameterObjectCreationFlow_03()
Dim source = <![CDATA[
Imports System
Imports System.Collections
Imports System.Collections.Generic
Class C1
Sub M(Of T As {C1, IEnumerable(Of Integer), New})(t1 As T, b As Boolean)'BIND:"Sub M(Of T As {C1, IEnumerable(Of Integer), New})(t1 As T, b As Boolean)"
t1 = New T() From {1, 2}
End Sub
Public Sub Add(i As Integer)
End Sub
End Class]]>.Value
Dim expectedDiagnostics = String.Empty
Dim expectedFlowGraph = <![CDATA[
Block[B0] - Entry
Statements (0)
Next (Regular) Block[B1]
Entering: {R1}
.locals {R1}
{
CaptureIds: [0] [1]
Block[B1] - Block
Predecessors: [B0]
Statements (5)
IFlowCaptureOperation: 0 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: 't1')
Value:
IParameterReferenceOperation: t1 (OperationKind.ParameterReference, Type: T) (Syntax: 't1')
IFlowCaptureOperation: 1 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: 'New T() From {1, 2}')
Value:
ITypeParameterObjectCreationOperation (OperationKind.TypeParameterObjectCreation, Type: T) (Syntax: 'New T() From {1, 2}')
Initializer:
null
IInvocationOperation ( Sub C1.Add(i As System.Int32)) (OperationKind.Invocation, Type: System.Void, IsImplicit) (Syntax: '1')
Instance Receiver:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() From {1, 2}')
Arguments(1):
IArgumentOperation (ArgumentKind.Explicit, Matching Parameter: i) (OperationKind.Argument, Type: null, IsImplicit) (Syntax: '1')
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 1) (Syntax: '1')
InConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
OutConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
IInvocationOperation ( Sub C1.Add(i As System.Int32)) (OperationKind.Invocation, Type: System.Void, IsImplicit) (Syntax: '2')
Instance Receiver:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() From {1, 2}')
Arguments(1):
IArgumentOperation (ArgumentKind.Explicit, Matching Parameter: i) (OperationKind.Argument, Type: null, IsImplicit) (Syntax: '2')
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 2) (Syntax: '2')
InConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
OutConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
IExpressionStatementOperation (OperationKind.ExpressionStatement, Type: null) (Syntax: 't1 = New T() From {1, 2}')
Expression:
ISimpleAssignmentOperation (OperationKind.SimpleAssignment, Type: T, IsImplicit) (Syntax: 't1 = New T() From {1, 2}')
Left:
IFlowCaptureReferenceOperation: 0 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 't1')
Right:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 'New T() From {1, 2}')
Next (Regular) Block[B2]
Leaving: {R1}
}
Block[B2] - Exit
Predecessors: [B1]
Statements (0)
]]>.Value
VerifyFlowGraphAndDiagnosticsForTest(Of MethodBlockSyntax)(source, expectedFlowGraph, expectedDiagnostics)
End Sub
<CompilerTrait(CompilerFeature.IOperation, CompilerFeature.Dataflow)>
<Fact()>
Public Sub TypeParameterObjectCreationFlow_04()
Dim source = <![CDATA[
Imports System
Imports System.Collections
Imports System.Collections.Generic
Class C1
Sub M(Of T As {C1, IEnumerable(Of Integer)})(t1 As T, b As Boolean)'BIND:"Sub M(Of T As {C1, IEnumerable(Of Integer)})(t1 As T, b As Boolean)"
t1 = New T() From {1, 2}
End Sub
Public Sub Add(i As Integer)
End Sub
End Class]]>.Value
Dim expectedDiagnostics = <![CDATA[
BC32046: 'New' cannot be used on a type parameter that does not have a 'New' constraint.
t1 = New T() From {1, 2}
~
]]>.Value
Dim expectedFlowGraph = <![CDATA[
Block[B0] - Entry
Statements (0)
Next (Regular) Block[B1]
Entering: {R1}
.locals {R1}
{
CaptureIds: [0] [1]
Block[B1] - Block
Predecessors: [B0]
Statements (5)
IFlowCaptureOperation: 0 (OperationKind.FlowCapture, Type: null, IsImplicit) (Syntax: 't1')
Value:
IParameterReferenceOperation: t1 (OperationKind.ParameterReference, Type: T) (Syntax: 't1')
IFlowCaptureOperation: 1 (OperationKind.FlowCapture, Type: null, IsInvalid, IsImplicit) (Syntax: 'New T() From {1, 2}')
Value:
IInvalidOperation (OperationKind.Invalid, Type: T, IsInvalid) (Syntax: 'New T() From {1, 2}')
Children(0)
IInvocationOperation ( Sub C1.Add(i As System.Int32)) (OperationKind.Invocation, Type: System.Void, IsImplicit) (Syntax: '1')
Instance Receiver:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsInvalid, IsImplicit) (Syntax: 'New T() From {1, 2}')
Arguments(1):
IArgumentOperation (ArgumentKind.Explicit, Matching Parameter: i) (OperationKind.Argument, Type: null, IsImplicit) (Syntax: '1')
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 1) (Syntax: '1')
InConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
OutConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
IInvocationOperation ( Sub C1.Add(i As System.Int32)) (OperationKind.Invocation, Type: System.Void, IsImplicit) (Syntax: '2')
Instance Receiver:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsInvalid, IsImplicit) (Syntax: 'New T() From {1, 2}')
Arguments(1):
IArgumentOperation (ArgumentKind.Explicit, Matching Parameter: i) (OperationKind.Argument, Type: null, IsImplicit) (Syntax: '2')
ILiteralOperation (OperationKind.Literal, Type: System.Int32, Constant: 2) (Syntax: '2')
InConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
OutConversion: CommonConversion (Exists: True, IsIdentity: True, IsNumeric: False, IsReference: False, IsUserDefined: False) (MethodSymbol: null)
IExpressionStatementOperation (OperationKind.ExpressionStatement, Type: null, IsInvalid) (Syntax: 't1 = New T() From {1, 2}')
Expression:
ISimpleAssignmentOperation (OperationKind.SimpleAssignment, Type: T, IsInvalid, IsImplicit) (Syntax: 't1 = New T() From {1, 2}')
Left:
IFlowCaptureReferenceOperation: 0 (OperationKind.FlowCaptureReference, Type: T, IsImplicit) (Syntax: 't1')
Right:
IFlowCaptureReferenceOperation: 1 (OperationKind.FlowCaptureReference, Type: T, IsInvalid, IsImplicit) (Syntax: 'New T() From {1, 2}')
Next (Regular) Block[B2]
Leaving: {R1}
}
Block[B2] - Exit
Predecessors: [B1]
Statements (0)
]]>.Value
VerifyFlowGraphAndDiagnosticsForTest(Of MethodBlockSyntax)(source, expectedFlowGraph, expectedDiagnostics)
End Sub
End Class
End Namespace
| Visual Basic | 5 | ffMathy/roslyn | src/Compilers/VisualBasic/Test/IOperation/IOperation/IOperationTests_ITypeParameterObjectCreation.vb | [
"MIT"
] |
dnl Copyright (C) 1993-2002 Free Software Foundation, Inc.
dnl This file is free software, distributed under the terms of the GNU
dnl General Public License. As a special exception to the GNU General
dnl Public License, this file may be distributed as part of a program
dnl that contains a configuration script generated by Autoconf, under
dnl the same distribution terms as the rest of that program.
dnl From Bruno Haible, Marcus Daniels.
AC_PREREQ(2.13)
AC_DEFUN([CL_PROG_CP],
[AC_CACHE_CHECK(how to copy files, cl_cv_prog_cp, [
echo "blabla" > conftest.x
err=`/bin/sh -c "cp -p conftest.x conftest.y 2>&1"`
if test -z "$err"; then
cl_cv_prog_cp='cp -p'
else
cl_cv_prog_cp='cp'
fi
rm -f conftest*
])
CP="$cl_cv_prog_cp"
AC_SUBST(CP)dnl
])
| M4 | 2 | ucsf-ckm/geddify | magick-installer/libiconv-1.13.1/m4/cp.m4 | [
"BSD-3-Clause"
] |
<title></title>
"
<meta http-equiv="Content-Type" content="text/html;charset=utf-8">
<meta name="HandheldFriendly" content="true">
<meta name="viewport" content="width=device-width; initial-scale=0.666667; maximum-scale=0.666667; user-scalable=0">
<meta name="viewport" content="width=device-width">
<style type="text/css">
/*<![CDATA[*/
@media all and (max-width:590px) { *[class].responsive { width:290px !important; } *[id]#center { width:50%; margin:0 auto; display:table; } *[class].display-none { display:none !important; } *[class].display-block { display:block !important; } *[class].fix-table-content { table-layout:fixed; } *[class].hide-for-mobile { display:none !important; } *[class].show-for-mobile { width:auto !important; max-height:none !important; visibility:visible !important; overflow:visible !important; float:none !important; height:auto !important; display:block !important; } *[class].responsive_header { display:table-cell !important; width:100% !important; color:#0077b5 !important; font-size:12px !important; } *[class].res-font10 { font-size:10px !important; } *[class].res-font12 { font-size:12px !important; } *[class].res-font13 { font-size:13px !important; } *[class].res-font14 { font-size:14px !important; } *[class].res-font16 { font-size:16px !important; } *[class].res-font18 { font-size:18px !important; } *[class].res-font20 { font-size:20px !important; } *[class].res-width10 { width:10px !important; } *[class].res-width20 { width:20px !important; } *[class].res-width25 { width:25px !important; } *[class].res-width120 { width:120px !important; } *[class].res-height0 { height:0px !important; } *[class].res-height10 { height:10px !important; } *[class].res-height20 { height:20px !important; } *[class].res-height30 { height:30px !important; } *[class].res-img40 { width:40px !important; height:40px !important; } *[class].res-img60 { width:60px !important; height:60px !important; } *[class].res-img75 { width:75px !important; height:75px !important; } *[class].res-img100 { width:100px !important; height:100px !important; } *[class].res-img150 { width:150px !important; height:150px !important; } *[class].res-img320 { width:320px !important; height:auto !important; } *[class].hideIMG { display:none; height:0px !important; width:0px !important; } *[class].responsive-spacer { width:10px !important; } *[class].header-spacer { table-layout:auto !important; width:250px !important; } *[class].header-spacer td, *[class].header-spacer div { width:250px !important; } *[class].center-content { text-align:center !important; } *[class].responsive-fullwidth { width:100% !important; } *[class].cellpadding-none, *[class].cellpadding-none table, *[class].cellpadding-none table td { border-collapse:collapse !important; padding:0 !important; } *[class].remove-margin { margin:0 !important; } *[class].remove-border { border:none !important; } table[class].responsive:not(.responsive-footer) { width:100% !important; } *[class].responsive-hidden { display:none !important; max-height:0 !important; font-size:0 !important; overflow:hidden !important; mso-hide:all !important; } *[class].responsive-body { width:100% !important; } *[class].responsive-logo, *[class].responsive-article, *[class].responsive-footer, *[class].responsive-headline { margin:0 auto; text-align:0 left; width:268px !important; } *[class].text-link { color:#008CC9; text-decoration:none; } *[class].res-font16 { font-size:16px !important; line-height:20px !important; } @media only screen and (max-width:532px) { *[class].responsive-logo, *[class].responsive-article, *[class].responsive-footer, *[class].responsive-headline { width:96% !important; max-width:532px; text-align:left; } } *[class].responsive-promo { margin:0 auto; text-align:0 left; width:100% !important; max-width:532px; text-align:left; } *[class].mobile-hidden { display:none; } } @media all and (-webkit-min-device-pixel-ratio:1.5) { *[id]#base-header-logo { background-image:url(https://static.licdn.com/scds/common/u/images/email/logos/logo_linkedin_tm_email_197x48_v1.png) !important; background-size:95px; background-repeat:no-repeat; width:95px !important; height:21px !important; } *[id]#base-header-logo img { display:none; } *[id]#base-header-logo a { height:21px !important; } *[id]#base-header-logo-china { background-image:url(https://static.licdn.com/scds/common/u/images/email/logos/logo_linkedin_tm_china_email_266x42_v1.png) !important; background-size:133px; background-repeat:no-repeat; width:133px !important; height:21px !important; } *[id]#base-header-logo-china img { display:none; } *[id]#base-header-logo-china a { height:21px !important; } }
/*]]>*/
</style>
<table border="0" cellspacing="0" cellpadding="0" style="background-color:#dfdfdf;font-family:Helvetica,Arial,sans-serif;" width="100%" bgcolor="#DFDFDF">
<tbody>
<tr>
<td>
<table border="0" cellspacing="0" cellpadding="0" style="background-color:#dfdfdf;font-family:Helvetica,Arial,sans-serif;" width="1" bgcolor="#DFDFDF">
<tbody>
<tr>
<td>
<div style="height:5px;font-size:5px;line-height:5px;"> </div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table cellspacing="0" cellpadding="0" border="0" align="center" width="100%" style="table-layout:fixed;font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td align="center">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;min-width:290px;" width="100%" class="responsive">
<tbody>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" class="responsive-body">
<tbody>
<tr>
<td align="center">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-logo">
<tbody>
<tr>
<td align="left">
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:7px;font-size:7px;line-height:7px"> </div>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" width="100%" class="responsive-logo" bgcolor="#DFDFDF" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:8px;font-size:8px;line-height:8px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td valign="middle" align="left" height="35" width="260">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" class="responsive-logo">
<tbody>
<tr>
<td align="left" valign="middle" width="95" height="21" id="base-header-logo"><a style="text-decoration:none;cursor:pointer;border:none;display:block;height:21px;width:100%;" href="https://www.linkedin.com/comm/nhome/?midToken=AQHp7WCc2qHESg&trk=eml-b2%E2%80%A6l=eml-b2_content_ecosystem_digest-null-10-null-null-6m81ta%7Eilj7lvs1%7Eit" title="https://www.linkedin.com/comm/nhome/?midToken=AQHp7WCc2qHESg&trk=eml-b2%E2%80%A6l=eml-b2_content_ecosystem_digest-null-10-null-null-6m81ta%7Eilj7lvs1%7Eit">
<img src="https://static.licdn.com/scds/common/u/images/email/logos/logo_linkedin_tm_email_95x21_v1.png" width="95" height="21" alt="LinkedIn" style="border:none;text-decoration:none;"></a></td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<table width="1" border="0" cellspacing="0" cellpadding="0" class="responsive-logo" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:8px;font-size:8px;line-height:8px"> </div>
</td>
</tr>
</tbody>
</table>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:12px;font-size:12px;line-height:12px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" bgcolor="#FFFFFF" class="responsive-body" align="center">
<tbody>
<tr>
<td align="center">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" class="responsive-article">
<tbody>
<tr>
<td align="center">
<table width="1" border="0" cellspacing="0" cellpadding="1" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:25px;font-size:25px;line-height:25px">
</div>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" class="responsive-article" align="center">
<tbody>
<tr>
<td align="center">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%">
<tbody>
<tr>
<td align="center" data-qa="section_votd">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body" align="left">
<tbody>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-article">
<tbody>
<tr>
<td align="left" data-qa="votd_author_link" style="color:#666666;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&t=plh&midToken=A%E2%80%A6HkG&url=https%3A%2F%2Fwww%2Elinkedin%2Ecom%2Ftoday%2Fauthor%2F21685101" style="color:#303030;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:right;" title="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&t=plh&midToken=A%E2%80%A6HkG&url=https%3A%2F%2Fwww%2Elinkedin%2Ecom%2Ftoday%2Fauthor%2F21685101">
Larry Wilmore, Host and Executive Producer at "The Nightly Show
with Larry Wilmore"</a></td>
</tr>
<tr>
<td colspan="3">
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-article">
<tbody>
<tr>
<td align="left" data-qa="votd_article_title_link"></td>
</tr>
<tr>
<td align="left" style="margin-left:0;color:#008CC9;font-weight:100;font-size:22px;line-height:26px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6p;li=14&m=hero&permLink=why-i-havent-worked-30-years-larry-wilmore" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6p;li=14&m=hero&permLink=why-i-havent-worked-30-years-larry-wilmore" style="margin-left:0;color:#008CC9;font-weight:100;text-decoration:none;text-align:left;">
Why I Haven’t Worked in 30 Years</a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-article">
<tbody>
<tr>
<td align="left" data-qa="votd_article_title_link"></td>
</tr>
<tr>
<td data-qa="_summary_link" align="left" style="margin:0;color:#666666;font-weight:100;font-size:16px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6p;li=14&m=hero&permLink=why-i-havent-worked-30-years-larry-wilmore" style="color:#868686;font-weight:100;text-decoration:none;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6p;li=14&m=hero&permLink=why-i-havent-worked-30-years-larry-wilmore"></a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:20px;font-size:20px;line-height:20px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-article">
<tbody>
<tr>
<td align="left" data-qa="votd_summary_link"><a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6p;li=14&m=hero&permLink=why-i-havent-worked-30-years-larry-wilmore" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6p;li=14&m=hero&permLink=why-i-havent-worked-30-years-larry-wilmore"><img src="https://media.licdn.com/media/AAEAAQAAAAAAAAXcAAAAJDNhYzZmNjQzLTdiNzEtNDliMi05ZWIxLWQ1OGQ0MmE1YmJkOQ.png" alt="Highlight of the day" style="max-width:100%;border-width:0;"></a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:20px;font-size:20px;line-height:20px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td bgcolor="#DDDDDD" style="background-color:#dddddd;">
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:1px;font-size:1px;line-height:1px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:25px;font-size:25px;line-height:25px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" class="responsive-article">
<tbody>
<tr>
<td align="center">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body" align="left">
<tbody>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" align="center">
<tbody>
<tr>
<td align="left" data-qa="section_recommended_articles">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%">
<tbody>
<tr>
<td valign="middle" align="left" data-qa="recommended_articles_section_header" style="margin-left:0;color:#666666;font-weight:100;text-decoration:none;font-size:16px;line-height:20px;text-align:left;">
Recommended for you</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" class="res-height10" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:25px;font-size:25px;line-height:25px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td width="24"><img width="24" height="24" src="https://media.licdn.com/mpr/mpr/shrinknp_100_100/p/5/000/24a/3ec/1b1ee8f.jpg" style="border:none; text-decoration:none; outline:hidden;" alt="linkedin.com"></td>
<td width="7">
<table width="7px" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:0px;font-size:0px;line-height:0px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
<td align="left" data-qa="recommended_articles_author_link" style="color:#666666;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/comm/profile/view?id=AAsAAA7nVsoB_DQj7aOCUmGDxO0ro%E2%80%A6_ecosystem_digest-recommended_articles-51-null-null-6m81ta%7Eilj7lvs1%7Eit" style="color:#303030;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:right;" title="https://www.linkedin.com/comm/profile/view?id=AAsAAA7nVsoB_DQj7aOCUmGDxO0ro%E2%80%A6_ecosystem_digest-recommended_articles-51-null-null-6m81ta%7Eilj7lvs1%7Eit">
Liz Claman</a></td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td class="res-font16" data-qa="recommended_articles_article_title_link" align="left" style="margin-left:0;color:#008CC9;font-weight:100;font-size:22px;line-height:26px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6=49&m=recommended_articles&permLink=letter-buffetts-law-liz-claman" style="margin-left:0;color:#008CC9;font-weight:100;text-decoration:none;text-align:left;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6=49&m=recommended_articles&permLink=letter-buffetts-law-liz-claman">
The Letter of Buffett’s Law</a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td data-qa="recommended_articles_summary_link" align="left" style="margin:0;color:#666666;font-weight:100;font-size:16px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6=50&m=recommended_articles&permLink=letter-buffetts-law-liz-claman" style="color:#868686;font-weight:100;text-decoration:none;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6=50&m=recommended_articles&permLink=letter-buffetts-law-liz-claman">In a
world where people gravitate today to “shorter is better,” a world
where a tweet of 140...</a></td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:30px;font-size:30px;line-height:30px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td width="24"><img width="24" height="24" src="https://media.licdn.com/mpr/mpr/shrinknp_100_100/p/8/000/202/01b/38c9a44.jpg" style="border:none; text-decoration:none; outline:hidden;" alt="linkedin.com"></td>
<td width="7">
<table width="7px" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:0px;font-size:0px;line-height:0px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
<td align="left" data-qa="recommended_articles_author_link" style="color:#666666;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/comm/profile/view?id=AAsAAAAAOCMBF9g5NOCyznm5m9sou%E2%80%A6_ecosystem_digest-recommended_articles-57-null-null-6m81ta%7Eilj7lvs1%7Eit" style="color:#303030;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:right;" title="https://www.linkedin.com/comm/profile/view?id=AAsAAAAAOCMBF9g5NOCyznm5m9sou%E2%80%A6_ecosystem_digest-recommended_articles-57-null-null-6m81ta%7Eilj7lvs1%7Eit">
Trish Nicolas</a></td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td class="res-font16" data-qa="recommended_articles_article_title_link" align="left" style="margin-left:0;color:#008CC9;font-weight:100;font-size:22px;line-height:26px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6ermLink=what-do-when-your-facebook-feed-full-friends-selling-stuff-nicolas" style="margin-left:0;color:#008CC9;font-weight:100;text-decoration:none;text-align:left;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6ermLink=what-do-when-your-facebook-feed-full-friends-selling-stuff-nicolas">
What To Do When Your Facebook Feed Is Full of Friends Selling
Stuff</a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td data-qa="recommended_articles_summary_link" align="left" style="margin:0;color:#666666;font-weight:100;font-size:16px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6ermLink=what-do-when-your-facebook-feed-full-friends-selling-stuff-nicolas" style="color:#868686;font-weight:100;text-decoration:none;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6ermLink=what-do-when-your-facebook-feed-full-friends-selling-stuff-nicolas"> There
has been blog post after article after video after rant about how
Facebook and other social...</a></td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:30px;font-size:30px;line-height:30px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td width="24"><img width="24" height="24" src="https://media.licdn.com/mpr/mpr/shrinknp_100_100/p/5/005/053/130/2d406a4.jpg" style="border:none; text-decoration:none; outline:hidden;" alt="linkedin.com"></td>
<td width="7">
<table width="7px" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:0px;font-size:0px;line-height:0px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
<td align="left" data-qa="recommended_articles_author_link" style="color:#666666;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/comm/profile/view?id=AAsAAAAANXUBkcXuMdK34Tlpnoa8N%E2%80%A6_ecosystem_digest-recommended_articles-63-null-null-6m81ta%7Eilj7lvs1%7Eit" style="color:#303030;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:right;" title="https://www.linkedin.com/comm/profile/view?id=AAsAAAAANXUBkcXuMdK34Tlpnoa8N%E2%80%A6_ecosystem_digest-recommended_articles-63-null-null-6m81ta%7Eilj7lvs1%7Eit">
Josh Kopelman</a></td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td class="res-font16" data-qa="recommended_articles_article_title_link" align="left" style="margin-left:0;color:#008CC9;font-weight:100;font-size:22px;line-height:26px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6articles&permLink=watney-rule-startups-return-old-normal-josh-kopelman" style="margin-left:0;color:#008CC9;font-weight:100;text-decoration:none;text-align:left;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6articles&permLink=watney-rule-startups-return-old-normal-josh-kopelman">
The Watney Rule for Startups — and the Return to the ‘Old
Normal’</a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td data-qa="recommended_articles_summary_link" align="left" style="margin:0;color:#666666;font-weight:100;font-size:16px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6articles&permLink=watney-rule-startups-return-old-normal-josh-kopelman" style="color:#868686;font-weight:100;text-decoration:none;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6articles&permLink=watney-rule-startups-return-old-normal-josh-kopelman">Founders are
realizing the need to rethink prior assumptions about prioritizing
growth above all...</a></td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:30px;font-size:30px;line-height:30px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td width="24"><img width="24" height="24" src="https://media.licdn.com/mpr/mpr/shrinknp_100_100/p/8/005/093/3ae/01eefce.jpg" style="border:none; text-decoration:none; outline:hidden;" alt="linkedin.com"></td>
<td width="7">
<table width="7px" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:0px;font-size:0px;line-height:0px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
<td align="left" data-qa="recommended_articles_author_link" style="color:#666666;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/comm/profile/view?id=AAsAAAMDxhcBDYxYriW1LuClTZtD2%E2%80%A6_ecosystem_digest-recommended_articles-69-null-null-6m81ta%7Eilj7lvs1%7Eit" style="color:#303030;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:right;" title="https://www.linkedin.com/comm/profile/view?id=AAsAAAMDxhcBDYxYriW1LuClTZtD2%E2%80%A6_ecosystem_digest-recommended_articles-69-null-null-6m81ta%7Eilj7lvs1%7Eit">
Dr. Travis Bradberry</a></td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td class="res-font16" data-qa="recommended_articles_article_title_link" align="left" style="margin-left:0;color:#008CC9;font-weight:100;font-size:22px;line-height:26px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6ermLink=critical-skills-you-should-learn-pay-dividends-dr-travis-bradberry" style="margin-left:0;color:#008CC9;font-weight:100;text-decoration:none;text-align:left;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6ermLink=critical-skills-you-should-learn-pay-dividends-dr-travis-bradberry">
Critical Skills You Should Learn That Pay Dividends
Forever</a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td data-qa="recommended_articles_summary_link" align="left" style="margin:0;color:#666666;font-weight:100;font-size:16px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6ermLink=critical-skills-you-should-learn-pay-dividends-dr-travis-bradberry" style="color:#868686;font-weight:100;text-decoration:none;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6ermLink=critical-skills-you-should-learn-pay-dividends-dr-travis-bradberry">The
further along you are in your career, the easier it is to fall back
on the mistaken assumption...</a></td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:30px;font-size:30px;line-height:30px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td width="24"><img width="24" height="24" src="https://media.licdn.com/mpr/mpr/shrinknp_100_100/AAEAAQAAAAAAAAToAAAAJGJiMjhiYTBlLWVlZjktNGUyYS1hMjNmLTliOGUyZTU1MzBjZg.jpg" style="border:none; text-decoration:none; outline:hidden;" alt="linkedin.com"></td>
<td width="7">
<table width="7px" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:0px;font-size:0px;line-height:0px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
<td align="left" data-qa="recommended_articles_author_link" style="color:#666666;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/comm/profile/view?id=AAsAAACoOUgBv6MMrsHAs8f7frGan%E2%80%A6_ecosystem_digest-recommended_articles-75-null-null-6m81ta%7Eilj7lvs1%7Eit" style="color:#303030;font-weight:100;text-decoration:none;font-size:13px;line-height:20px;text-align:right;" title="https://www.linkedin.com/comm/profile/view?id=AAsAAACoOUgBv6MMrsHAs8f7frGan%E2%80%A6_ecosystem_digest-recommended_articles-75-null-null-6m81ta%7Eilj7lvs1%7Eit">
Alex Baydin</a></td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-body">
<tbody>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td class="res-font16" data-qa="recommended_articles_article_title_link" align="left" style="margin-left:0;color:#008CC9;font-weight:100;font-size:22px;line-height:26px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6permLink=what-every-startup-ceo-needs-know-go-down-like-parker-alex-baydin" style="margin-left:0;color:#008CC9;font-weight:100;text-decoration:none;text-align:left;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6permLink=what-every-startup-ceo-needs-know-go-down-like-parker-alex-baydin">
What Every Startup CEO Needs to Know to Not Go Down like Parker
Conrad</a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td data-qa="recommended_articles_summary_link" align="left" style="margin:0;color:#666666;font-weight:100;font-size:16px;line-height:20px;text-align:left;">
<a href="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6permLink=what-every-startup-ceo-needs-know-go-down-like-parker-alex-baydin" style="color:#868686;font-weight:100;text-decoration:none;" title="https://www.linkedin.com/e/v2/pulse?e=6m81ta-ilj7lvs1-it&a=pulse_web_vi%E2%80%A6permLink=what-every-startup-ceo-needs-know-go-down-like-parker-alex-baydin">Much
has been made of the recent resignation of Zenefits’ CEO, Parker
Conrad – not because the CEO...</a></td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:30px;font-size:30px;line-height:30px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td bgcolor="#DDDDDD" style="background-color:#dddddd;">
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:1px;font-size:1px;line-height:1px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" class="res-height10" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:25px;font-size:25px;line-height:25px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" class="responsive-article" align="center">
<tbody>
<tr>
<td align="center" data-qa="section_start_writing" class="mobile-hidden">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="520" class="responsive-article" align="center">
<tbody>
<tr>
<td align="center"></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" align="center" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:5px;font-size:5px;line-height:5px"> </div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td align="center" style="color:#666666;font-weight:100;font-size:18px;line-height:20px;text-align:center;">
Have your own perspective to share?</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" align="center" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:20px;font-size:20px;line-height:20px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td align="center" width="100%" height="40" bgcolor="#008CC9" class="res-font16" style="font-weight:200;width:100%;font-size:20px;text-align:center;">
<a href="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&a=pulse_web_create_a%E2%80%A6b2_content_ecosystem_digest&li=78&m=footer_promo&ts=pub_upsell" target="_blank" style="color:#FFFFFF;text-decoration:none;" title="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&a=pulse_web_create_a%E2%80%A6b2_content_ecosystem_digest&li=78&m=footer_promo&ts=pub_upsell">Start
writing on LinkedIn</a></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" align="center" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:40px;font-size:40px;line-height:40px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td></td>
</tr>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;" width="100%" class="responsive">
<tbody>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td align="left">
<table border="0" cellspacing="0" cellpadding="0" style="color:#999999;font-size:11px;font-family:Helvetica,Arial,sans-serif;" width="100%">
<tbody>
<tr>
<td>You are receiving notification emails from LinkedIn. <a style="color:#0077B5;text-decoration:none;" href="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&t=lun&midToken=A%E2%80%A6NyKVukKWbPt8yA7mBX-kIWaokn7YiB8E4inwd2pXH8snw1h&eid=6m81ta-ilj7lvs1-it" title="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&t=lun&midToken=A%E2%80%A6NyKVukKWbPt8yA7mBX-kIWaokn7YiB8E4inwd2pXH8snw1h&eid=6m81ta-ilj7lvs1-it">
Unsubscribe</a></td>
</tr>
<tr>
<td></td>
</tr>
<tr>
<td>This email was intended for Benjamin Hartester (Software
Developer). <a href="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&a=customerServiceUrl%E2%80%A6Token=AQHp7WCc2qHESg&ek=b2_content_ecosystem_digest&articleId=4788" style="color:#2e8dd7;text-decoration:none;" title="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&a=customerServiceUrl%E2%80%A6Token=AQHp7WCc2qHESg&ek=b2_content_ecosystem_digest&articleId=4788">Learn why we included
this.</a></td>
</tr>
<tr>
<td>If you need assistance or have questions, please contact
<a target="_blank" href="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&a=customerServiceUrl&midToken=AQHp7WCc2qHESg&ek=b2_content_ecosystem_digest" style="color:#2e8dd7;text-decoration:none;" title="https://www.linkedin.com/e/v2?e=6m81ta-ilj7lvs1-it&a=customerServiceUrl&midToken=AQHp7WCc2qHESg&ek=b2_content_ecosystem_digest">LinkedIn Customer
Service</a>.</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>© 2016 LinkedIn Corporation, 2029 Stierlin Court, Mountain View
CA 94043. LinkedIn and the LinkedIn logo are registered trademarks
of LinkedIn.</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td></td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:10px;font-size:10px;line-height:10px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:20px;font-size:20px;line-height:20px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
<tr>
<td>
<table width="1" border="0" cellspacing="0" cellpadding="0" style="font-family:Helvetica,Arial,sans-serif;">
<tbody>
<tr>
<td>
<div style="height:20px;font-size:20px;line-height:20px">
</div>
</td>
</tr>
</tbody>
</table>
</td>
</tr>
</tbody>
</table>
<img src="http://www.linkedin.com/emimp/6m81ta-ilj7lvs1-it.gif" style="width:1px; height:1px;">"
| HTML | 2 | cnheider/nylas-mail | packages/client-app/internal_packages/message-list/spec/autolinker-fixtures/linkedin-out.html | [
"MIT"
] |
definition module Util.Cache
from StdOverloaded import class toString
from Data.Maybe import :: Maybe
from Text.GenJSON import generic JSONEncode, generic JSONDecode, :: JSONNode
:: CacheType = Brief | LongTerm
:: CacheKey :== String
cacheKey :: (a -> CacheKey) | toString a
/**
* Check if for the hash of the argument a JSON file exists of type `b`.
*/
readCache :: !a !*World -> (!Maybe b, !*World) | toString a & JSONDecode{|*|} b
/**
* All keys of a certain type currently in the cache. The list is sorted in
* ascending order of acess time.
*/
allCacheKeys :: !CacheType !*World -> (![a], !*World) | JSONDecode{|*|} a
/**
* Write for the hash of `a` a JSON file of type `b`.
*/
writeCache :: !CacheType !a !b !*World -> *World | toString, JSONEncode{|*|} a & JSONEncode{|*|} b
/**
* Remove an entry from the cache.
*/
removeFromCache :: !CacheType !a -> *World -> *World | toString a
| Clean | 5 | clean-cloogle/Cloogle | backend/Util/Cache.dcl | [
"MIT"
] |