content stringlengths 4 1.04M | lang stringclasses 358
values | score int64 0 5 | repo_name stringlengths 5 114 | repo_path stringlengths 4 229 | repo_licenses listlengths 1 8 |
|---|---|---|---|---|---|
/* Copyright 2018 The TensorFlow 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.
==============================================================================*/
#include "tensorflow/compiler/xla/service/dynamic_index_splitter.h"
#include <map>
#include "absl/container/flat_hash_map.h"
#include "absl/container/flat_hash_set.h"
#include "absl/container/inlined_vector.h"
#include "tensorflow/compiler/xla/service/hlo_casting_utils.h"
#include "tensorflow/compiler/xla/service/hlo_computation.h"
#include "tensorflow/compiler/xla/service/hlo_instruction.h"
#include "tensorflow/compiler/xla/service/hlo_instructions.h"
#include "tensorflow/compiler/xla/service/hlo_opcode.h"
#include "tensorflow/compiler/xla/shape_util.h"
namespace xla {
StatusOr<bool> DynamicIndexSplitter::Run(HloModule* module) {
bool changed = false;
std::vector<HloComputation*> computations =
module->MakeNonfusionComputations();
for (HloComputation* computation : computations) {
for (HloInstruction* dynamic_op : computation->MakeInstructionPostOrder()) {
switch (dynamic_op->opcode()) {
case HloOpcode::kDynamicSlice:
case HloOpcode::kDynamicUpdateSlice:
break;
default:
continue;
}
auto parent = dynamic_op->parent();
bool is_update = dynamic_op->opcode() == HloOpcode::kDynamicUpdateSlice;
int64_t num_indices = dynamic_op->operand(0)->shape().rank();
if (num_indices == 0) {
// If the operand rank is 0, directly replace R0 DS/DUS with the
// operand (for DS) or update (for DUS).
if (is_update) {
TF_CHECK_OK(parent->ReplaceInstruction(
dynamic_op, dynamic_op->mutable_operand(1)));
} else {
TF_CHECK_OK(parent->ReplaceInstruction(
dynamic_op, dynamic_op->mutable_operand(0)));
}
changed = true;
continue;
}
int64_t index_operand_number =
Cast<HloDynamicIndexInstruction>(dynamic_op)
->first_index_operand_number();
auto index_operand = dynamic_op->mutable_operand(index_operand_number);
if (ShapeUtil::IsScalar(index_operand->shape())) {
// This DS/DUS already uses scalar indices.
continue;
}
TF_RET_CHECK(index_operand->shape().rank() == 1);
auto index_element_type = index_operand->shape().element_type();
std::vector<HloInstruction*> index_array;
for (int64_t dim = 0; dim < num_indices; ++dim) {
auto slice = parent->AddInstruction(HloInstruction::CreateSlice(
ShapeUtil::MakeShape(index_element_type, {1}), index_operand, {dim},
{dim + 1}, {1}));
auto bitcast = parent->AddInstruction(HloInstruction::CreateReshape(
ShapeUtil::MakeShape(index_element_type, {}), slice));
index_array.push_back(bitcast);
}
auto new_dynamic_op =
is_update
? HloInstruction::CreateDynamicUpdateSlice(
dynamic_op->shape(), dynamic_op->mutable_operand(0),
dynamic_op->mutable_operand(1), absl::MakeSpan(index_array))
: HloInstruction::CreateDynamicSlice(
dynamic_op->shape(), dynamic_op->mutable_operand(0),
absl::MakeSpan(index_array),
dynamic_op->dynamic_slice_sizes());
TF_CHECK_OK(parent->ReplaceWithNewInstruction(dynamic_op,
std::move(new_dynamic_op)));
changed = true;
}
}
return changed;
}
} // namespace xla
| C++ | 4 | ashutom/tensorflow-upstream | tensorflow/compiler/xla/service/dynamic_index_splitter.cc | [
"Apache-2.0"
] |
[[documentation.advanced]]
== Advanced Topics
Finally, we have a few topics for more advanced users:
* *Spring Boot Applications Deployment:* <<deployment#deployment.cloud, Cloud Deployment>> | <<deployment#deployment.installing.nix-services, OS Service>>
* *Build tool plugins:* <<build-tool-plugins#build-tool-plugins.maven, Maven>> | <<build-tool-plugins#build-tool-plugins.gradle, Gradle>>
* *Appendix:* <<application-properties#application-properties,Application Properties>> | <<configuration-metadata#configuration-metadata,Configuration Metadata>> | <<auto-configuration-classes#auto-configuration-classes,Auto-configuration Classes>> | <<test-auto-configuration#test-auto-configuration,Test Auto-configuration Annotations>> | <<executable-jar#executable-jar,Executable Jars>> | <<dependency-versions#dependency-versions,Dependency Versions>>
| AsciiDoc | 1 | techAi007/spring-boot | spring-boot-project/spring-boot-docs/src/docs/asciidoc/documentation/advanced.adoc | [
"Apache-2.0"
] |
Random {
// Note: state^ must not be zero!
xorshift32(state *uint) {
x := state^
x = xor(x, x << 13)
x = xor(x, x >> 17)
x = xor(x, x << 5)
state^ = x
return x
}
}
| mupad | 3 | jturner/muon | lib/random.mu | [
"MIT"
] |
# Argument Clinic
# Copyright 2012-2013 by Larry Hastings.
# Licensed to the PSF under a contributor agreement.
from test import support, test_tools
from test.support import os_helper
from unittest import TestCase
import collections
import inspect
import os.path
import sys
import unittest
test_tools.skip_if_missing('clinic')
with test_tools.imports_under_tool('clinic'):
import clinic
from clinic import DSLParser
class FakeConverter:
def __init__(self, name, args):
self.name = name
self.args = args
class FakeConverterFactory:
def __init__(self, name):
self.name = name
def __call__(self, name, default, **kwargs):
return FakeConverter(self.name, kwargs)
class FakeConvertersDict:
def __init__(self):
self.used_converters = {}
def get(self, name, default):
return self.used_converters.setdefault(name, FakeConverterFactory(name))
c = clinic.Clinic(language='C', filename = "file")
class FakeClinic:
def __init__(self):
self.converters = FakeConvertersDict()
self.legacy_converters = FakeConvertersDict()
self.language = clinic.CLanguage(None)
self.filename = None
self.destination_buffers = {}
self.block_parser = clinic.BlockParser('', self.language)
self.modules = collections.OrderedDict()
self.classes = collections.OrderedDict()
clinic.clinic = self
self.name = "FakeClinic"
self.line_prefix = self.line_suffix = ''
self.destinations = {}
self.add_destination("block", "buffer")
self.add_destination("file", "buffer")
self.add_destination("suppress", "suppress")
d = self.destinations.get
self.field_destinations = collections.OrderedDict((
('docstring_prototype', d('suppress')),
('docstring_definition', d('block')),
('methoddef_define', d('block')),
('impl_prototype', d('block')),
('parser_prototype', d('suppress')),
('parser_definition', d('block')),
('impl_definition', d('block')),
))
def get_destination(self, name):
d = self.destinations.get(name)
if not d:
sys.exit("Destination does not exist: " + repr(name))
return d
def add_destination(self, name, type, *args):
if name in self.destinations:
sys.exit("Destination already exists: " + repr(name))
self.destinations[name] = clinic.Destination(name, type, self, *args)
def is_directive(self, name):
return name == "module"
def directive(self, name, args):
self.called_directives[name] = args
_module_and_class = clinic.Clinic._module_and_class
class ClinicWholeFileTest(TestCase):
def test_eol(self):
# regression test:
# clinic's block parser didn't recognize
# the "end line" for the block if it
# didn't end in "\n" (as in, the last)
# byte of the file was '/'.
# so it would spit out an end line for you.
# and since you really already had one,
# the last line of the block got corrupted.
c = clinic.Clinic(clinic.CLanguage(None), filename="file")
raw = "/*[clinic]\nfoo\n[clinic]*/"
cooked = c.parse(raw).splitlines()
end_line = cooked[2].rstrip()
# this test is redundant, it's just here explicitly to catch
# the regression test so we don't forget what it looked like
self.assertNotEqual(end_line, "[clinic]*/[clinic]*/")
self.assertEqual(end_line, "[clinic]*/")
class ClinicGroupPermuterTest(TestCase):
def _test(self, l, m, r, output):
computed = clinic.permute_optional_groups(l, m, r)
self.assertEqual(output, computed)
def test_range(self):
self._test([['start']], ['stop'], [['step']],
(
('stop',),
('start', 'stop',),
('start', 'stop', 'step',),
))
def test_add_window(self):
self._test([['x', 'y']], ['ch'], [['attr']],
(
('ch',),
('ch', 'attr'),
('x', 'y', 'ch',),
('x', 'y', 'ch', 'attr'),
))
def test_ludicrous(self):
self._test([['a1', 'a2', 'a3'], ['b1', 'b2']], ['c1'], [['d1', 'd2'], ['e1', 'e2', 'e3']],
(
('c1',),
('b1', 'b2', 'c1'),
('b1', 'b2', 'c1', 'd1', 'd2'),
('a1', 'a2', 'a3', 'b1', 'b2', 'c1'),
('a1', 'a2', 'a3', 'b1', 'b2', 'c1', 'd1', 'd2'),
('a1', 'a2', 'a3', 'b1', 'b2', 'c1', 'd1', 'd2', 'e1', 'e2', 'e3'),
))
def test_right_only(self):
self._test([], [], [['a'],['b'],['c']],
(
(),
('a',),
('a', 'b'),
('a', 'b', 'c')
))
def test_have_left_options_but_required_is_empty(self):
def fn():
clinic.permute_optional_groups(['a'], [], [])
self.assertRaises(AssertionError, fn)
class ClinicLinearFormatTest(TestCase):
def _test(self, input, output, **kwargs):
computed = clinic.linear_format(input, **kwargs)
self.assertEqual(output, computed)
def test_empty_strings(self):
self._test('', '')
def test_solo_newline(self):
self._test('\n', '\n')
def test_no_substitution(self):
self._test("""
abc
""", """
abc
""")
def test_empty_substitution(self):
self._test("""
abc
{name}
def
""", """
abc
def
""", name='')
def test_single_line_substitution(self):
self._test("""
abc
{name}
def
""", """
abc
GARGLE
def
""", name='GARGLE')
def test_multiline_substitution(self):
self._test("""
abc
{name}
def
""", """
abc
bingle
bungle
def
""", name='bingle\nbungle\n')
class InertParser:
def __init__(self, clinic):
pass
def parse(self, block):
pass
class CopyParser:
def __init__(self, clinic):
pass
def parse(self, block):
block.output = block.input
class ClinicBlockParserTest(TestCase):
def _test(self, input, output):
language = clinic.CLanguage(None)
blocks = list(clinic.BlockParser(input, language))
writer = clinic.BlockPrinter(language)
for block in blocks:
writer.print_block(block)
output = writer.f.getvalue()
assert output == input, "output != input!\n\noutput " + repr(output) + "\n\n input " + repr(input)
def round_trip(self, input):
return self._test(input, input)
def test_round_trip_1(self):
self.round_trip("""
verbatim text here
lah dee dah
""")
def test_round_trip_2(self):
self.round_trip("""
verbatim text here
lah dee dah
/*[inert]
abc
[inert]*/
def
/*[inert checksum: 7b18d017f89f61cf17d47f92749ea6930a3f1deb]*/
xyz
""")
def _test_clinic(self, input, output):
language = clinic.CLanguage(None)
c = clinic.Clinic(language, filename="file")
c.parsers['inert'] = InertParser(c)
c.parsers['copy'] = CopyParser(c)
computed = c.parse(input)
self.assertEqual(output, computed)
def test_clinic_1(self):
self._test_clinic("""
verbatim text here
lah dee dah
/*[copy input]
def
[copy start generated code]*/
abc
/*[copy end generated code: output=03cfd743661f0797 input=7b18d017f89f61cf]*/
xyz
""", """
verbatim text here
lah dee dah
/*[copy input]
def
[copy start generated code]*/
def
/*[copy end generated code: output=7b18d017f89f61cf input=7b18d017f89f61cf]*/
xyz
""")
class ClinicParserTest(TestCase):
def test_trivial(self):
parser = DSLParser(FakeClinic())
block = clinic.Block("module os\nos.access")
parser.parse(block)
module, function = block.signatures
self.assertEqual("access", function.name)
self.assertEqual("os", module.name)
def test_ignore_line(self):
block = self.parse("#\nmodule os\nos.access")
module, function = block.signatures
self.assertEqual("access", function.name)
self.assertEqual("os", module.name)
def test_param(self):
function = self.parse_function("module os\nos.access\n path: int")
self.assertEqual("access", function.name)
self.assertEqual(2, len(function.parameters))
p = function.parameters['path']
self.assertEqual('path', p.name)
self.assertIsInstance(p.converter, clinic.int_converter)
def test_param_default(self):
function = self.parse_function("module os\nos.access\n follow_symlinks: bool = True")
p = function.parameters['follow_symlinks']
self.assertEqual(True, p.default)
def test_param_with_continuations(self):
function = self.parse_function("module os\nos.access\n follow_symlinks: \\\n bool \\\n =\\\n True")
p = function.parameters['follow_symlinks']
self.assertEqual(True, p.default)
def test_param_default_expression(self):
function = self.parse_function("module os\nos.access\n follow_symlinks: int(c_default='MAXSIZE') = sys.maxsize")
p = function.parameters['follow_symlinks']
self.assertEqual(sys.maxsize, p.default)
self.assertEqual("MAXSIZE", p.converter.c_default)
s = self.parse_function_should_fail("module os\nos.access\n follow_symlinks: int = sys.maxsize")
self.assertEqual(s, "Error on line 0:\nWhen you specify a named constant ('sys.maxsize') as your default value,\nyou MUST specify a valid c_default.\n")
def test_param_no_docstring(self):
function = self.parse_function("""
module os
os.access
follow_symlinks: bool = True
something_else: str = ''""")
p = function.parameters['follow_symlinks']
self.assertEqual(3, len(function.parameters))
self.assertIsInstance(function.parameters['something_else'].converter, clinic.str_converter)
def test_param_default_parameters_out_of_order(self):
s = self.parse_function_should_fail("""
module os
os.access
follow_symlinks: bool = True
something_else: str""")
self.assertEqual(s, """Error on line 0:
Can't have a parameter without a default ('something_else')
after a parameter with a default!
""")
def disabled_test_converter_arguments(self):
function = self.parse_function("module os\nos.access\n path: path_t(allow_fd=1)")
p = function.parameters['path']
self.assertEqual(1, p.converter.args['allow_fd'])
def test_function_docstring(self):
function = self.parse_function("""
module os
os.stat as os_stat_fn
path: str
Path to be examined
Perform a stat system call on the given path.""")
self.assertEqual("""
stat($module, /, path)
--
Perform a stat system call on the given path.
path
Path to be examined
""".strip(), function.docstring)
def test_explicit_parameters_in_docstring(self):
function = self.parse_function("""
module foo
foo.bar
x: int
Documentation for x.
y: int
This is the documentation for foo.
Okay, we're done here.
""")
self.assertEqual("""
bar($module, /, x, y)
--
This is the documentation for foo.
x
Documentation for x.
Okay, we're done here.
""".strip(), function.docstring)
def test_parser_regression_special_character_in_parameter_column_of_docstring_first_line(self):
function = self.parse_function("""
module os
os.stat
path: str
This/used to break Clinic!
""")
self.assertEqual("stat($module, /, path)\n--\n\nThis/used to break Clinic!", function.docstring)
def test_c_name(self):
function = self.parse_function("module os\nos.stat as os_stat_fn")
self.assertEqual("os_stat_fn", function.c_basename)
def test_return_converter(self):
function = self.parse_function("module os\nos.stat -> int")
self.assertIsInstance(function.return_converter, clinic.int_return_converter)
def test_star(self):
function = self.parse_function("module os\nos.access\n *\n follow_symlinks: bool = True")
p = function.parameters['follow_symlinks']
self.assertEqual(inspect.Parameter.KEYWORD_ONLY, p.kind)
self.assertEqual(0, p.group)
def test_group(self):
function = self.parse_function("module window\nwindow.border\n [\n ls : int\n ]\n /\n")
p = function.parameters['ls']
self.assertEqual(1, p.group)
def test_left_group(self):
function = self.parse_function("""
module curses
curses.addch
[
y: int
Y-coordinate.
x: int
X-coordinate.
]
ch: char
Character to add.
[
attr: long
Attributes for the character.
]
/
""")
for name, group in (
('y', -1), ('x', -1),
('ch', 0),
('attr', 1),
):
p = function.parameters[name]
self.assertEqual(p.group, group)
self.assertEqual(p.kind, inspect.Parameter.POSITIONAL_ONLY)
self.assertEqual(function.docstring.strip(), """
addch([y, x,] ch, [attr])
y
Y-coordinate.
x
X-coordinate.
ch
Character to add.
attr
Attributes for the character.
""".strip())
def test_nested_groups(self):
function = self.parse_function("""
module curses
curses.imaginary
[
[
y1: int
Y-coordinate.
y2: int
Y-coordinate.
]
x1: int
X-coordinate.
x2: int
X-coordinate.
]
ch: char
Character to add.
[
attr1: long
Attributes for the character.
attr2: long
Attributes for the character.
attr3: long
Attributes for the character.
[
attr4: long
Attributes for the character.
attr5: long
Attributes for the character.
attr6: long
Attributes for the character.
]
]
/
""")
for name, group in (
('y1', -2), ('y2', -2),
('x1', -1), ('x2', -1),
('ch', 0),
('attr1', 1), ('attr2', 1), ('attr3', 1),
('attr4', 2), ('attr5', 2), ('attr6', 2),
):
p = function.parameters[name]
self.assertEqual(p.group, group)
self.assertEqual(p.kind, inspect.Parameter.POSITIONAL_ONLY)
self.assertEqual(function.docstring.strip(), """
imaginary([[y1, y2,] x1, x2,] ch, [attr1, attr2, attr3, [attr4, attr5,
attr6]])
y1
Y-coordinate.
y2
Y-coordinate.
x1
X-coordinate.
x2
X-coordinate.
ch
Character to add.
attr1
Attributes for the character.
attr2
Attributes for the character.
attr3
Attributes for the character.
attr4
Attributes for the character.
attr5
Attributes for the character.
attr6
Attributes for the character.
""".strip())
def parse_function_should_fail(self, s):
with support.captured_stdout() as stdout:
with self.assertRaises(SystemExit):
self.parse_function(s)
return stdout.getvalue()
def test_disallowed_grouping__two_top_groups_on_left(self):
s = self.parse_function_should_fail("""
module foo
foo.two_top_groups_on_left
[
group1 : int
]
[
group2 : int
]
param: int
""")
self.assertEqual(s,
('Error on line 0:\n'
'Function two_top_groups_on_left has an unsupported group configuration. (Unexpected state 2.b)\n'))
def test_disallowed_grouping__two_top_groups_on_right(self):
self.parse_function_should_fail("""
module foo
foo.two_top_groups_on_right
param: int
[
group1 : int
]
[
group2 : int
]
""")
def test_disallowed_grouping__parameter_after_group_on_right(self):
self.parse_function_should_fail("""
module foo
foo.parameter_after_group_on_right
param: int
[
[
group1 : int
]
group2 : int
]
""")
def test_disallowed_grouping__group_after_parameter_on_left(self):
self.parse_function_should_fail("""
module foo
foo.group_after_parameter_on_left
[
group2 : int
[
group1 : int
]
]
param: int
""")
def test_disallowed_grouping__empty_group_on_left(self):
self.parse_function_should_fail("""
module foo
foo.empty_group
[
[
]
group2 : int
]
param: int
""")
def test_disallowed_grouping__empty_group_on_right(self):
self.parse_function_should_fail("""
module foo
foo.empty_group
param: int
[
[
]
group2 : int
]
""")
def test_no_parameters(self):
function = self.parse_function("""
module foo
foo.bar
Docstring
""")
self.assertEqual("bar($module, /)\n--\n\nDocstring", function.docstring)
self.assertEqual(1, len(function.parameters)) # self!
def test_init_with_no_parameters(self):
function = self.parse_function("""
module foo
class foo.Bar "unused" "notneeded"
foo.Bar.__init__
Docstring
""", signatures_in_block=3, function_index=2)
# self is not in the signature
self.assertEqual("Bar()\n--\n\nDocstring", function.docstring)
# but it *is* a parameter
self.assertEqual(1, len(function.parameters))
def test_illegal_module_line(self):
self.parse_function_should_fail("""
module foo
foo.bar => int
/
""")
def test_illegal_c_basename(self):
self.parse_function_should_fail("""
module foo
foo.bar as 935
/
""")
def test_single_star(self):
self.parse_function_should_fail("""
module foo
foo.bar
*
*
""")
def test_parameters_required_after_star_without_initial_parameters_or_docstring(self):
self.parse_function_should_fail("""
module foo
foo.bar
*
""")
def test_parameters_required_after_star_without_initial_parameters_with_docstring(self):
self.parse_function_should_fail("""
module foo
foo.bar
*
Docstring here.
""")
def test_parameters_required_after_star_with_initial_parameters_without_docstring(self):
self.parse_function_should_fail("""
module foo
foo.bar
this: int
*
""")
def test_parameters_required_after_star_with_initial_parameters_and_docstring(self):
self.parse_function_should_fail("""
module foo
foo.bar
this: int
*
Docstring.
""")
def test_single_slash(self):
self.parse_function_should_fail("""
module foo
foo.bar
/
/
""")
def test_mix_star_and_slash(self):
self.parse_function_should_fail("""
module foo
foo.bar
x: int
y: int
*
z: int
/
""")
def test_parameters_not_permitted_after_slash_for_now(self):
self.parse_function_should_fail("""
module foo
foo.bar
/
x: int
""")
def test_function_not_at_column_0(self):
function = self.parse_function("""
module foo
foo.bar
x: int
Nested docstring here, goeth.
*
y: str
Not at column 0!
""")
self.assertEqual("""
bar($module, /, x, *, y)
--
Not at column 0!
x
Nested docstring here, goeth.
""".strip(), function.docstring)
def test_directive(self):
c = FakeClinic()
parser = DSLParser(c)
parser.flag = False
parser.directives['setflag'] = lambda : setattr(parser, 'flag', True)
block = clinic.Block("setflag")
parser.parse(block)
self.assertTrue(parser.flag)
def test_legacy_converters(self):
block = self.parse('module os\nos.access\n path: "s"')
module, function = block.signatures
self.assertIsInstance((function.parameters['path']).converter, clinic.str_converter)
def parse(self, text):
c = FakeClinic()
parser = DSLParser(c)
block = clinic.Block(text)
parser.parse(block)
return block
def parse_function(self, text, signatures_in_block=2, function_index=1):
block = self.parse(text)
s = block.signatures
self.assertEqual(len(s), signatures_in_block)
assert isinstance(s[0], clinic.Module)
assert isinstance(s[function_index], clinic.Function)
return s[function_index]
def test_scaffolding(self):
# test repr on special values
self.assertEqual(repr(clinic.unspecified), '<Unspecified>')
self.assertEqual(repr(clinic.NULL), '<Null>')
# test that fail fails
with support.captured_stdout() as stdout:
with self.assertRaises(SystemExit):
clinic.fail('The igloos are melting!', filename='clown.txt', line_number=69)
self.assertEqual(stdout.getvalue(), 'Error in file "clown.txt" on line 69:\nThe igloos are melting!\n')
class ClinicExternalTest(TestCase):
maxDiff = None
def test_external(self):
# bpo-42398: Test that the destination file is left unchanged if the
# content does not change. Moreover, check also that the file
# modification time does not change in this case.
source = support.findfile('clinic.test')
with open(source, 'r', encoding='utf-8') as f:
orig_contents = f.read()
with os_helper.temp_dir() as tmp_dir:
testfile = os.path.join(tmp_dir, 'clinic.test.c')
with open(testfile, 'w', encoding='utf-8') as f:
f.write(orig_contents)
old_mtime_ns = os.stat(testfile).st_mtime_ns
clinic.parse_file(testfile)
with open(testfile, 'r', encoding='utf-8') as f:
new_contents = f.read()
new_mtime_ns = os.stat(testfile).st_mtime_ns
self.assertEqual(new_contents, orig_contents)
# Don't change the file modification time
# if the content does not change
self.assertEqual(new_mtime_ns, old_mtime_ns)
if __name__ == "__main__":
unittest.main()
| Python | 5 | pxeger/cpython | Lib/test/test_clinic.py | [
"0BSD"
] |
[Desktop Entry]
Version=1.0
Type=Application
Name=musikcube
GenericName=musikcube
Comment=terminal-based music player
Comment[ru]=консольный аудиоплеер
Exec=musikcube.app %U
TryExec=/snap/bin/musikcube.app
Icon=${SNAP}/usr/share/icons/hicolor/128x128/apps/musikcube.png
Terminal=true
Categories=AudioVideo;Player;Audio;
StartupNotify=false
StartupWMClass=musikcube
| desktop | 1 | trofi/musikcube | src/musikcube/data/linux/share/applications/musikcube.snap.desktop | [
"BSD-3-Clause"
] |
/*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.spark.examples.sql.streaming;
import org.apache.kafka.common.security.auth.SecurityProtocol;
import org.apache.spark.api.java.function.FlatMapFunction;
import org.apache.spark.sql.Dataset;
import org.apache.spark.sql.Encoders;
import org.apache.spark.sql.Row;
import org.apache.spark.sql.SparkSession;
import org.apache.spark.sql.streaming.StreamingQuery;
import java.util.Arrays;
/**
* Consumes messages from one or more topics in Kafka and does wordcount.
* Usage: JavaStructuredKerberizedKafkaWordCount <bootstrap-servers> <subscribe-type> <topics>
* <bootstrap-servers> The Kafka "bootstrap.servers" configuration. A
* comma-separated list of host:port.
* <subscribe-type> There are three kinds of type, i.e. 'assign', 'subscribe',
* 'subscribePattern'.
* |- <assign> Specific TopicPartitions to consume. Json string
* | {"topicA":[0,1],"topicB":[2,4]}.
* |- <subscribe> The topic list to subscribe. A comma-separated list of
* | topics.
* |- <subscribePattern> The pattern used to subscribe to topic(s).
* | Java regex string.
* |- Only one of "assign, "subscribe" or "subscribePattern" options can be
* | specified for Kafka source.
* <topics> Different value format depends on the value of 'subscribe-type'.
*
* Example:
* Yarn client:
* $ bin/run-example --files ${jaas_path}/kafka_jaas.conf,${keytab_path}/kafka.service.keytab \
* --driver-java-options "-Djava.security.auth.login.config=${path}/kafka_driver_jaas.conf" \
* --conf \
* "spark.executor.extraJavaOptions=-Djava.security.auth.login.config=./kafka_jaas.conf" \
* --master yarn
* sql.streaming.JavaStructuredKerberizedKafkaWordCount broker1-host:port,broker2-host:port \
* subscribe topic1,topic2
* Yarn cluster:
* $ bin/run-example --files \
* ${jaas_path}/kafka_jaas.conf,${keytab_path}/kafka.service.keytab,${krb5_path}/krb5.conf \
* --driver-java-options \
* "-Djava.security.auth.login.config=./kafka_jaas.conf \
* -Djava.security.krb5.conf=./krb5.conf" \
* --conf \
* "spark.executor.extraJavaOptions=-Djava.security.auth.login.config=./kafka_jaas.conf" \
* --master yarn --deploy-mode cluster \
* sql.streaming.JavaStructuredKerberizedKafkaWordCount broker1-host:port,broker2-host:port \
* subscribe topic1,topic2
*
* kafka_jaas.conf can manually create, template as:
* KafkaClient {
* com.sun.security.auth.module.Krb5LoginModule required
* keyTab="./kafka.service.keytab"
* useKeyTab=true
* storeKey=true
* useTicketCache=false
* serviceName="kafka"
* principal="kafka/host@EXAMPLE.COM";
* };
* kafka_driver_jaas.conf (used by yarn client) and kafka_jaas.conf are basically the same
* except for some differences at 'keyTab'. In kafka_driver_jaas.conf, 'keyTab' should be
* "${keytab_path}/kafka.service.keytab".
* In addition, for IBM JVMs, please use 'com.ibm.security.auth.module.Krb5LoginModule'
* instead of 'com.sun.security.auth.module.Krb5LoginModule'.
*
* Note that this example uses SASL_PLAINTEXT for simplicity; however,
* SASL_PLAINTEXT has no SSL encryption and likely be less secure. Please consider
* using SASL_SSL in production.
*/
public final class JavaStructuredKerberizedKafkaWordCount {
public static void main(String[] args) throws Exception {
if (args.length < 3) {
System.err.println("Usage: JavaStructuredKerberizedKafkaWordCount <bootstrap-servers> " +
"<subscribe-type> <topics>");
System.exit(1);
}
String bootstrapServers = args[0];
String subscribeType = args[1];
String topics = args[2];
SparkSession spark = SparkSession
.builder()
.appName("JavaStructuredKerberizedKafkaWordCount")
.getOrCreate();
// Create DataSet representing the stream of input lines from kafka
Dataset<String> lines = spark
.readStream()
.format("kafka")
.option("kafka.bootstrap.servers", bootstrapServers)
.option(subscribeType, topics)
.option("kafka.security.protocol", SecurityProtocol.SASL_PLAINTEXT.name)
.load()
.selectExpr("CAST(value AS STRING)")
.as(Encoders.STRING());
// Generate running word count
Dataset<Row> wordCounts = lines.flatMap(
(FlatMapFunction<String, String>) x -> Arrays.asList(x.split(" ")).iterator(),
Encoders.STRING()).groupBy("value").count();
// Start running the query that prints the running counts to the console
StreamingQuery query = wordCounts.writeStream()
.outputMode("complete")
.format("console")
.start();
query.awaitTermination();
}
}
| Java | 5 | OlegPt/spark | examples/src/main/java/org/apache/spark/examples/sql/streaming/JavaStructuredKerberizedKafkaWordCount.java | [
"Apache-2.0"
] |
<template>
<el-form
class="mo-task-general"
ref="form"
:model="form"
:label-width="formLabelWidth"
v-if="task"
>
<el-form-item :label="`${$t('task.task-name')}: `">
<div class="form-static-value">
{{ taskFullName }}
</div>
</el-form-item>
<el-form-item :label="`${$t('task.task-dir')}: `">
<el-input placeholder="" readonly v-model="path">
<mo-show-in-folder
slot="append"
v-if="isRenderer"
:path="path"
/>
</el-input>
</el-form-item>
<el-form-item :label="`${$t('task.task-status')}: `">
<div class="form-static-value">
<mo-task-status :theme="currentTheme" :status="taskStatus" />
</div>
</el-form-item>
<el-form-item :label="`${$t('task.task-error-info')}: `" v-if="task.errorCode && task.errorCode !== '0'">
<div class="form-static-value">
{{ task.errorCode }} {{ task.errorMessage }}
</div>
</el-form-item>
<el-divider v-if="isBT">
<i class="el-icon-attract"></i>
{{ $t('task.task-bittorrent-info') }}
</el-divider>
<el-form-item :label="`${$t('task.task-info-hash')}: `" v-if="isBT">
<div class="form-static-value">
{{ task.infoHash }}
<i class="copy-link" @click="handleCopyClick">
<mo-icon
name="link"
width="12"
height="12"
/>
</i>
</div>
</el-form-item>
<el-form-item :label="`${$t('task.task-piece-length')}: `" v-if="isBT">
<div class="form-static-value">
{{ task.pieceLength | bytesToSize }}
</div>
</el-form-item>
<el-form-item :label="`${$t('task.task-num-pieces')}: `" v-if="isBT">
<div class="form-static-value">
{{ task.numPieces }}
</div>
</el-form-item>
<el-form-item :label="`${$t('task.task-bittorrent-creation-date')}: `" v-if="isBT">
<div class="form-static-value">
{{ task.bittorrent.creationDate | localeDateTimeFormat(locale) }}
</div>
</el-form-item>
<el-form-item :label="`${$t('task.task-bittorrent-comment')}: `" v-if="isBT">
<div class="form-static-value">
{{ task.bittorrent.comment }}
</div>
</el-form-item>
</el-form>
</template>
<script>
import is from 'electron-is'
import { mapState } from 'vuex'
import * as clipboard from 'clipboard-polyfill'
import {
bytesToSize,
calcFormLabelWidth,
checkTaskIsBT,
checkTaskIsSeeder,
getTaskName,
getTaskUri,
localeDateTimeFormat
} from '@shared/utils'
import { APP_THEME, TASK_STATUS } from '@shared/constants'
import { getTaskFullPath } from '@/utils/native'
import ShowInFolder from '@/components/Native/ShowInFolder'
import TaskStatus from '@/components/Task/TaskStatus'
import '@/components/Icons/folder'
import '@/components/Icons/link'
export default {
name: 'mo-task-general',
components: {
[ShowInFolder.name]: ShowInFolder,
[TaskStatus.name]: TaskStatus
},
props: {
task: {
type: Object
}
},
data () {
const { locale } = this.$store.state.preference.config
return {
form: {},
formLabelWidth: calcFormLabelWidth(locale),
locale
}
},
computed: {
isRenderer: () => is.renderer(),
...mapState('app', {
systemTheme: state => state.systemTheme
}),
...mapState('preference', {
theme: state => state.config.theme
}),
currentTheme () {
if (this.theme === APP_THEME.AUTO) {
return this.systemTheme
} else {
return this.theme
}
},
taskFullName () {
return getTaskName(this.task, {
defaultName: this.$t('task.get-task-name'),
maxLen: -1
})
},
taskName () {
return getTaskName(this.task, {
defaultName: this.$t('task.get-task-name'),
maxLen: 32
})
},
isSeeder () {
return checkTaskIsSeeder(this.task)
},
taskStatus () {
const { task, isSeeder } = this
if (isSeeder) {
return TASK_STATUS.SEEDING
} else {
return task.status
}
},
path () {
return getTaskFullPath(this.task)
},
isBT () {
return checkTaskIsBT(this.task)
}
},
filters: {
bytesToSize,
localeDateTimeFormat
},
methods: {
handleCopyClick () {
const { task } = this
const uri = getTaskUri(task)
clipboard.writeText(uri)
.then(() => {
this.$msg.success(this.$t('task.copy-link-success'))
})
}
}
}
</script>
<style lang="scss">
.copy-link {
cursor: pointer;
}
</style>
| Vue | 4 | 9Fork/Motrix | src/renderer/components/TaskDetail/TaskGeneral.vue | [
"MIT"
] |
{"version":"1.0.0","what-is-a-this-file":"This is a exported Mercury note file. if Do you want use this file, You can download here https://github.com/cloverhearts/mercury/releases","id":"note-118b0cbc-ed7a-4566-bb68-6da22533b701","title":"02. Try write javascript code","description":"You can execute your javascript in mercury app","paragraphs":[{"parentId":"note-118b0cbc-ed7a-4566-bb68-6da22533b701","id":"paragraph-4886a268-4b1a-4773-a1d7-cab3072c8055","title":"New Pragraph 2019-12-31T05:37:04.034Z","content":{"ops":[{"insert":"\nMercury can execute javascript on app"},{"attributes":{"list":"ordered"},"insert":"\n"},{"insert":"\t Check the JavaScript code below and click to execute button.\n\n"},{"insert":{"code-editor-container":"code-editor-container-689a1ef5-329e-41db-8490-a803af6823be"}},{"insert":"\n\nMercury is possible check to log view your javascript app.\n\nCheck to below image.\n\n\n"},{"insert":{"image":"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAABGAAAAE/CAIAAACGjCJ7AAAAAXNSR0IArs4c6QAAAARnQU1BAACxjwv8YQUAAAAJcEhZcwAADsMAAA7DAcdvqGQAAEV+SURBVHhe7d13fFbV4cfxREb2MgRCQgggEGUrYQhSF4qjYlVQUay24rbU3Z+jFVvFPetWrFRUFK2KVkUDDhTZIiFoIISQkMUKCSELML9vcg63D8+T9YQASfi8e70959xzz73Pwz/P93XOvfGtrKz0AQAAAAD4+Bxh/x8AAAAADnsEJAAAAACwCEgAAAAAYBGQAAAAAMAiIAEAAACARUACAAAAAIuABAAAAAAWAQkAAAAALAISAAAAAFi+lZWVtggAAAAAh8i2gu05ubkV5eU+vr62SVGlseX27drFxMQcGRFuqg1HQAIAAABwiG3bVlBYWBQbG9OmTRtf36qQsp/7Xbt25ebmhYQER0Yeaa/RMCyxAwAAAHCI5eTmxSgdtW3ro4Sj+n7v27Zr1zmmc25evhq8QkACAAAAcIhVVFS0VTpqUhpQw9pKgxGQAAAAABxylQds8w4BCQAAAMChV1n9coQm3us/LxGQAAAAABxi1UnGtzrUNO3eazqtUecBAAAAQBNZ9uOKgQMG2EpNMnPyvl+6ctmq1K3btqvaNSb66J7xp58wNPLIul7k/dPKlYOPHWQrDUNAAgAAAHCI1RGQSkrLPvry2y++XWTr+zr9N8MmjD3dVjwQkAAAAAC0PEtrD0j3Pv5yVm7V27pPGzV05JCBXWOiVa6aUFry05fzF6uslim3XFXV1YMCUqKXAYlnkAAAAAAcevu8XGHv/u2P5igdBfr73XvzVRPOHRPXuZNpVyi6eOzpykU6pLD01odzahlBO+80KCA9+c/nJ1x+ZUFB1Wq/Q6KkYveFL3w19+ccWwcAAADQmijJKM3su2Vm55k5ojuu+/1rMz+a8sTLJSWl5pAK9z35ymszZ99+7WXqkPTd4q3bCpwT99m8VH9AUi7KzcuP69IlbV26bQIAAACAJuXr6+u2X7B0pfannTC0a0zVxFFmTv6jL80oKS0rLSt/5MU3VK2srIyPjR6ZWLU274tvF3uOYPZeqT8gKRd1ju40/rxzv/thoW3y8VmXvv4fDz76zXffd+6eoO2Ou+8tKytTu/ZqX7J0+YTLr1T76LPOVU9zygGyKrug5//NirhxhraXvv7Ftla7ZeYi0262C1/4yh4AAAAA0JxUTSB5bMtTUnVoxJCBKt9x3e/jOndUKFI0MulIVTXq0MjEgeqWmZPnnOi6eav+gKRcdMLxw3se1SM3L991ld03879b/uNPuetTtSlBvfDKa6Z9R3HxE/987vmnHlf7g3+/95777j9wa/OUjn73z6SXLh9Z8OzE7CcunvtzrpORVNhYUKJGHfrDCb0eGpf47nUnm0MAAAAAmr+tBYXam+mjwAB/JyM56UiNOpRwVLz2qemZ2u+/egKSWV+ndBQREa4U5LrKrlfPo66YeIkpjz37zDVr05wgdMufblB/Ffr363NA1+Z9vzZ/7KCupx4To3Jg+7bXnJQwbf6aTTuq5rJS8wpPPaazGlU+e2CcqlUnAAAAAGiWPF+xYLi2OEvmVKi7p+fRBqonICnbvPHWzD7HDevcPeGRJ56e9cFHZildM6HYkxAdZis+Pp1CAyKC/ExZoejRz5NXZRcoL9353lLXbgAAAACaG89nhyIjqn7DZ+Vu0r60rPzRvSvrzDzSY9XPI6ln6roN6pDQo6vnCGbvlXoC0nc/LJw9622zjm718kU7duzIzsm1x1xs21awvbCGKZrS0rKsjRtt5QBQ7HGdGsovKi3YWW7KCkvaj3rwvwl3vvfguMRrTjratAMAAABobio9Xj6n7di+CTr0/ZKfVH7khX+bdHT7tb/XZjLSs9Nn6dB3S35St7iYaOdE181bdQUkZ32dqUZEhPfu1fOnlatMdW3aOrN2rqysbNYHH40/73dmWZ04r3P46pv5cV269O/Xx1Sb3MhenWavyDSv/y6p2P3S16lXjurdMaRqJeL3a/NvP6N/wbMTtZk1eAAAAABakNNGDdU+6bvFykIqmHQUGOCvzWSkyspKHVqwrPpld9Wd919dAUnxRvuA6iefjPi4uFkffGieNTpx1Amffzm3c/eE7scM7Bzd6fzfnWP6hAQHR3WING+3U+c7b7vZ3/9/I+yPcc/Nc30lnRJRv9iID/80+prp36sl9paZpx7T2ZkpOm9wt2nz1zj9tbm94w4AAABAs1HpuUVGhI0+YYiOPfbSG3+4aOy9N18VGOBnDqmg6sVjT9chdVC36vV4+5y+d/OOfbbJW+vS1z/21D+n3vc3Z9bIKCsr+9s/Hhx/3rlDEo+zTYeCstPktxbedFpfJSjTsiq74NZ3Fs+5ZYypAgAAAGg+Fi/7ceCA/ioonjgPDpnyfU++Yh5DGpE44ITEgb17dFX7mvTM75etNH8oaVCf3jdeMd7pX3Xm3vJPK5OHDj7WtDRQPc8gtVDF5btXZm3LLyq1dR+f1+av6RuzT5YDAAAA0Hz8qkxTPeOjzbX815smmXkkxaFHXnxj0h0PXPWXqY++NMOko1NHDrnhivG1nVtd9E7rDEgdQ/xf++Mos/TObAnRYU9cPMweBgAAANCsVPr46n+17C865/SH/u/G0SOHxHXuaLr37tFVVTVePPb0us81/RuukUvsAAAAAKCpLF7644DqJXZNa+XK5KGJLLEDAAAA0KL8b1FcU2/eIiABAAAAOPTM0rYDsfcKAQkAAADAIVZZ+Wv1++cqm3ZfvXmnBTyDFHHjDFvabwXPTrQlAAAAAM3GD4uX9evbp23btoonbq/qbnR5z549q1JWHz90sGlpIGaQAAAAABxicbEx6enrK3bt8vH1NfM+VdM4+1HetXu3BtSwavYKM0gAAAAADr2N2bmpa9PKy8ttff/4+fkl9OrZJbazrTcYr/kGAAAAAIsldgAAAABgEZAAAAAAwCIgAQAAAIBFQAIAAAAAi4AEAAAAABYBCQAAAAAsAhIAAAAAWAQkAAAAALAISAAAAABgEZAAAAAAwCIgAQAAAIBFQAIAAAAAi4AEAAAAABYBCQAAAAAsAhIAAAAAWAQkAAAAALAISAAAAABgEZAAAAAAwCIgAQAAAIBFQAIAAAAAi4AEAAAAABYBCQAAAAAsAhIAAAAAWAQkAAAAALAISAAAAABgEZAAAAAAwCIgAQAAAIDlW1lZaYseUlJScnNzbcXHp3Pnzn379rUVD+Xl5cnJyQkJCSEhIbZpv2nM1NRUjenn52ebDpYdO3YsX758165dKgcGBg4ePFhfRU5OjgpqWbZsWUxMTLdu3ar7AgAAAGgl2kyZMsUWPXTs2LFHjx6lpaXKPMOHD1fVHqjJnj17Nm3a1KFDhyYMMxpz69atGrNt27a2yYNS3MqVK9PT04844ojw8HDTuHTpUoUZZRhTFQWehQsX7ty503wKdVi9erXO0qer8XNVVFQUFRUNGTKkd+/eKiiqqVGDBAQElJWVKSxFREQ4lwMAAADQOtQVkIzNmzdr76QIJ5A40cK0bNy40dfXt1OnTgpIGRkZSiDqs23bNqUUddAgTmen7MbtLFVXrFihSJOZmemWfxzqs2vXLoW3qKiorKysyMhIRSmFGd2MwpWuYpKVgo2G0ukaRI2qKneZ8JOXlxcYGOgZ6hSQ1EcfRyPohnWV9u3bl5SU6DNq/F9//TU4OJiABAAAALQy3gUkxQlVhw0bFh8fr9yi8FBcXGxaunbtamZ7FC3y8/OPP/742NjY3Nxc9VEhOzvbLL1TZ8USk1tcKbS4ndWlSxfFHgUkk2RqTCNqNDdWUFCgnjpFZZ0bV81cRSMnJycPHDhQqUY5R/0Vh3JyctasWaPc1a5du+7du1eNtS99Cn3A9evXq49O7Nevnz6pCmo3YUmDEJAAAACAVsa7lzSUlZUFBwcrG4gKqjottoePj4JQaGhoUlLS/PnzFVrUoqMKTsobijHVp9awBs/zrIZTbNuwYUOfPn1sfV+pqaklJSWLFi1KS0tT9EpJScnIyFD76NGjR40apahjls95CgoKUgd1GzFihLnnNm3aqL+oYPoAAAAAaE28C0j+/v7FxcVKFKKCqmosLS3VvqKaCoorCkLKFRIREVF1mo9PZGSkum3cuDEsLMy0uKnxLHGGrY3STnp6+qBBg1xz19JqppyYmGiG7dmzp3nPhG7bJBydooJSk+nZEDq9jjdVAAAAAGjRvAtI0dHRwcHB86upoKp5k1tSUtLy5cvbt2+vsuKNspBaxGQnCQkJCQgIUEGnmBY3tZ2lQLVo0SI1pqSkmEZXSkdpaWklJSW6n3nz5illqVHhzcQqFUw3N7qHPXv2mGsVFhYqNdkDAAAAAA5vdb3mu2kp4QQFBfFqbAAAAADN1sEISGaeJzw8PDEx0TYBAAAAQPNz8GaQAAAAAKCZ8+4ZJAAAAABoxQhIAAAAAGARkAAAAADAIiABAAAAgFVPQMrMyr5s0g0rV60uKiqafPvd06a/aQ94T+eePvZCbRpHo9lWH5/Pk+aZdl1Il7OtzZs+y0OPP1NeXqGbb0G3DQAAAKBu3s0gxcbav6mqyGQSQo3VGl15+aVfzH731eeeDA0OsU3Vzhh9itrfm/FqfFycbdoPddyJDpkkpk1l21rNCW+eaafejxYRER4ets8nAgAAANBC1ROQ9NNfAUAFPz//mOhOprElUux59fUZimcmpD361HMmIyn5KP+ooHZtD9x714effOYWh6I6RPr5tbeVak5QjImONgUAAAAArUA9AUm5qGeP7uFhYUoIygkNzAO1raZrhKYa6st5X591xuiucbEqa3/pxRd8OidJQeir+d+pZeLF46t7VR2afN0ktzjkSd+DSU36ZvT96FuyBwAAAAC0ZPUvsQsKDPBqCZkizeYtWz+eNeOL2e9OuvzSe/7xcKODTVMNpbN+WrXaNd31SUgoLi4pLy/Lzs4dNLBfvYnIkzOJBAAAAKDVqHcGqf2Vl18aGhqqsgoD+vUx7TLvm+/OGT/RTO/cdtcU05iZlf1TcsolF15gIkdCr54x0Z0yMjeao15RqlmfkeU21ILFS81Rb4UGh4SHhdnKXuXluxTATFmXm3z73Z5TVTorMDDQVvbS93DG6FNUaOCMEwAAAIAWwbuXNLg65cQTzNyOtsem2oAkBdsLJ91wswlOSlDKUfaAl7YX7tDembxSCInqEGnKjVBUvGN7YaGt7OXn184ZUyHwmUcf8HyHBAAAAIDDR+MDUm3i4+Lem/GqCU5mc513ajgTjUxMkvLyCme2x1sKPwP79cnJy7N1H5/VqanBwYF+fv6xsZ1X/LSqjpfUdY2LnTD+PFsBAAAA0Ko1cUBSnOjeLe75V153IofbC7WlaEeRE3tcuU3yKNVoqLfefd8Mlbo2LScvf8TQRHPUW6edctKnnyeZV3hr/+bM988aM9rPr/3Jo05Qy4yZs6p71WDa9Df5S0cAAADAYcK3srLSFr2h2PPpnKSbb7zWPH7jVv08ad4Tz7xY3bFqJd4lF16g4GSq4hzVIecU0SDmWaajE3rd/9e/mAeflE/eef8jt8Y6OIM4Hps6xUxhKeTcfd/U/E2bXRtFAezJZ180SwE7dYx64N67nLs1h1J+TnVtBAAAANBaNTIgAQAAAEDr0/TPIAEAAABAC0VAAgAAAACLgAQAAAAAFgEJAAAAACwCEgAAAABYBCQAAAAAsAhIAAAAAGARkAAAAADAIiABAAAAgEVAAgAAAACLgAQAAAAAFgEJAAAAACzfyspKW/SQti7dlgAAAACgBep5VA9bapi6AhIAAAAAHFZYYgcAAAAAFgEJAAAAACwCEgAAAABYBCQAAAAAsAhIAAAAAGARkAAAAADAIiABAAAAgFXX30FKSUnJzc21FR+fzp079+3b11Y8lJeXJycnJyQkhISE2Kb9pjFTU1M1pp+fn206WHbs2LF8+fJdu3apHBgYOHjwYH0VOTk5Kqhl2bJlMTEx3bp1q+4LAAAAoJVoM2XKFFv00LFjxx49epSWlirzDB8+XFV7oCZ79uzZtGlThw4dmjDMaMytW7dqzLZt29omD0pxK1euTE9PP+KII8LDw03j0qVLFWaUYUxVFHgWLly4c+dO8ynUYfXq1TpLn67Gz1VRUVFUVDRkyJDevXuroKimRg0SEBBQVlamsBQREeFcDgAAAEDrUFdAMjZv3qy9kyKcQOJEC9OyceNGX1/fTp06KSBlZGQogajPtm3blFLUQYM4nZ2yG7ezVF2xYoUiTWZmplv+cajPrl27FN6ioqKysrIiIyMVpRRmdDMKV7qKSVYKNhpKp2sQNaqq3GXCT15eXmBgoGeoU0BSH30cjaAb1lXat29fUlKiz6jxf/311+DgYAISAAAA0Mp4F5AUJ1QdNmxYfHy8covCQ3FxsWnp2rWrme1RtMjPzz/++ONjY2Nzc3PVR4Xs7Gyz9E6dFUtMbnGl0OJ2VpcuXRR7FJBMkqkxjajR3FhBQYF66hSVdW5cNXMVjZycnDxw4EClGuUc9VccysnJWbNmjXJXu3btunfvXjXWvvQp9AHXr1+vPjqxX79++qQqqN2EJQ1CQAIAAABaGe9e0lBWVhYcHKxsICqo6rTYHj4+CkKhoaFJSUnz589XaFGLjio4KW8oxlSfWsMaPM+zGk6xbcOGDX369LH1faWmppaUlCxatCgtLU3RKyUlJSMjQ+2jR48eNWqUoo5ZPucpKChIHdRtxIgR5p7btGmj/qKC6QMAAACgNfEuIPn7+xcXFytRiAqqqrG0tFT7imoqKK4oCClXSERERNVpPj6RkZHqtnHjxrCwMNPipsazxBm2Nko76enpgwYNcs1dS6uZcmJiohm2Z8+e5j0Tum2TcHSKCkpNpmdD6PQ63lQBAAAAoEXzLiBFR0cHBwfPr6aCquZNbklJScuXL2/fvr3KijfKQmoRk50kJCQkICBABZ1iWtzUdpYC1aJFi9SYkpJiGl0pHaWlpZWUlOh+5s2bp5SlRoU3E6tUMN3c6B727NljrlVYWKjUZA8AAAAAOLzV9ZrvpqWEExQUxKuxAQAAADRbByMgmXme8PDwxMRE2wQAAAAAzc/Bm0ECAAAAgGbOu2eQAAAAAKAVq3MGaXe+LQAAAABAS9S2ky00DDNIAAAAAGARkAAAAADAqicg5WenT7n+7LTVS4t3FDx+1+9nv/mMPeA9nTt5/HHaNI5Gs60+Pj989ZFp14V0OduK2umb/Pczd+8qL9NXx5cGAAAANCHvZpCiYuJNQZHJ/EavsVqjsZdOfmbW8rufei8oJMw2VTv+5HPVPvW1udFxPWxTo5gIpzux9WoKD4/deZkTIXRUScy1j0mAJqFpc8KbPos+kRMITdVtcE91fA/m0mZzG8eJjp5pp44BjZDwyKDQCFsBAAAAsH/qCUj68a2f4Cr4tQ+Iio4zjc2TucPN+dm2Xm1H4baOnbse2SHGVFf/uGD0767Q3lQNBTPFM4U0bSNOu+A//3rMCSTLv5/TJPMzGuTDN55WODQRccaz95qMZHKXCubq1939z28+nekWh8IjO7Xz87eVak5MjeoUawoAAAAAmkQ9AUmpI6770SFhR+o3un6pN/AXeW2r6Rqh4UOZO9ycs0HlH776yEz+KC85AUOnb9+aP+ykc7SvbagevfuX7CwqryhV2T8g6ORzJi76+hNzaH9okJGnj+sUWzVFpv2Y8VcvSPpAQWjpgjlqOXPc1dW9qg5deNVdbnHIk/4VzIfSv4v+dfRvZA8AAAAA2D/1L7HzDwz2ahGXkokSyOMzFjwza/m5Eye/9OCfG52RvB3KTK0oeKxNXrw2peq5KadR8rLWKVd0iu2uvcqm0Y2STGBQqBM5uvceoBtwWxHnLd2GbsY1WzoxTHGuV/+h9SYiT86HAgAAANCE6glI+u0+9tLJwSFVAUmFnn0STbssnf/ZrRNHmOmdZ+61cyD52elrVi0Zc8GV5kd//FH9oqLjaksjdVOuyMlc6zZU8tJvzdEaKYSY2SH/gCB13llUYCaUjNU/Luhz7AgVtHddZZeXlX7XH081H0SnT7jmr+aKZaU7K8pLR4w+b0HSB2ZOqdGCQsJCwo60lb12V5Trcqase378rt97TpTpLP/AIFvZS/8Kx598rgoNnHECAAAA0EDevaTBVeKoM83cjrbJ971sW/Vbv3DbAzeNM3lDCUo5yh7wkuKN9s7klWJAeGQ9f+NJcaJkZ1HG2lX+gcG9+g/9ZeUiJRAzdWOmcRTkdFfauz5cZJ5B0hbfq5/ikFveUDDTPnNtiqk2zs4dhTsKt9nKXm3b+zmfSBH01qn/9nyDBQAAAICDqfEBqTau7zwwm+u8U8OZaGRikuwqL3PmW2qjUwKDQjfnZfY5doRyUf7G9f4BShxVUzd5Wet69U10bum4kWPS1ySbswxFlBGnXWAeDbJN1ZSXlJq+nfOOopdt8pJG1qVd3x6hS5uFfFEx8WuTF7td0VWn2B6nn3elrQAAAAA4wJo4IOkHfUzXXq4vgvN8gKe4aLsTe1y5TbMoV2ioOe9PM0NtWLdqc15W/8TfmKM1Ms8OLfjyPwpF0XFHZa3/RZsJWs76OkNlz2SiwXUJXcjW94o/qp/yzOrl39u694ad9Nvvv3jPzFlpP2fWy2aqKnHEGLV89t7/5t/czH7zGf7SEQAAAHDQNP0M0thLJ/fqP9R5PGlB0geuv++VoEaePs6swXP9Cz+KQ+dOnGyWwDnP4Wio8MhOZqiPZjxzzZ1Pq5vpXyOzDM/8aaCq+ZnoOG0q6AbWrFri+hSQyum/rHDLQuYeZjx7r1sgMZNItlIf10eztJl8qE992Y33vfDAn9Sizz7xxvvMrJpGnnDNX7dvzTed1eG839/sfEZ9OfVOmgEAAABoQr6VlZW26Gk3v84BAAAAtGRt63mRgZumn0ECAAAAgBaKgAQAAAAAVp1L7AAAAADgcMIMEgAAAABYBCQAAAAAsAhIAAAAAGARkAAAAADAIiABAAAAgEVAAgAAAACLgAQAAAAAFgEJAAAAACwCEgAAAABYvpWVlbboIW1dui0BAAAAQAvU86gettQwdQUkAAAAADissMQOAAAAACwCEgAAAABYBCQAAAAAsAhIAAAAAGARkAAAAADAIiABAAAAgEVAAgAAAACrrr+DlJKSkpubays+Pp07d+7bt6+teCgvL09OTk5ISAgJCbFN+01jpqamakw/Pz/bdLDs2LFj+fLlu3btUjkwMHDw4MH6KnJyclRQy7Jly2JiYrp161bdFwAAAEAr0WbKlCm26KFjx449evQoLS1V5hk+fLiq9kBN9uzZs2nTpg4dOjRhmNGYW7du1Zht27a1TR6U4lauXJmenn7EEUeEh4ebxqVLlyrMKMOYqijwLFy4cOfOneZTqMPq1at1lj5djZ+roqKiqKhoyJAhvXv3VkFRTY0aJCAgoKysTGEpIiLCuRwAAACA1qGugGRs3rxZeydFOIHEiRamZePGjb6+vp06dVJAysjIUAJRn23btimlqIMGcTo7ZTduZ6m6YsUKRZrMzEy3/ONQn127dim8RUVFZWVlRUZGKkopzOhmFK50FZOsFGw0lE7XIGpUVbnLhJ+8vLzAwEDPUKeApD76OBpBN6yrtG/fvqSkRJ9R4//666/BwcEEJAAAAKCV8S4gKU6oOmzYsPj4eOUWhYfi4mLT0rVrVzPbo2iRn59//PHHx8bG5ubmqo8K2dnZZumdOiuWmNziSqHF7awuXboo9iggmSRTYxpRo7mxgoIC9dQpKuvcuGrmKho5OTl54MCBSjXKOeqvOJSTk7NmzRrlrnbt2nXv3r1qrH3pU+gDrl+/Xn10Yr9+/fRJVVC7CUsahIAEAAAAtDLevaShrKwsODhY2UBUUNVpsT18fBSEQkNDk5KS5s+fr9CiFh1VcFLeUIypPrWGNXieZzWcYtuGDRv69Olj6/tKTU0tKSlZtGhRWlqaoldKSkpGRobaR48ePWrUKEUds3zOU1BQkDqo24gRI8w9t2nTRv1FBdMHAAAAQGviXUDy9/cvLi5WohAVVFVjaWmp9hXVVFBcURBSrpCIiIiq03x8IiMj1W3jxo1hYWGmxU2NZ4kzbG2UdtLT0wcNGuSau5ZWM+XExEQzbM+ePc17JnTbJuHoFBWUmkzPhtDpdbypAgAAAECL5l1Aio6ODg4Onl9NBVXNm9ySkpKWL1/evn17lRVvlIXUIiY7SUhISEBAgAo6xbS4qe0sBapFixapMSUlxTS6UjpKS0srKSnR/cybN08pS40KbyZWqWC6udE97Nmzx1yrsLBQqckeAAAAAHB4q+s1301LCScoKIhXYwMAAABotg5GQDLzPOHh4YmJibYJAAAAAJqfgzeDBAAAAADNnHfPIAEAAABAK1bnDFJRkS0AAAAAQEsUGmoLDcMMEgAAAABYBCQAAAAAsOoJSGUbMn66eFzRTyt2FRb+fP01G19+0R7wns5dctIobRpHo9lWH5/Nn/3XtOtCupxthff0z2S+Q/Ovpi/WHgAAAADQMN7NIPnFxZmCfounP/D3X/f+JVa3ao26XH3tkK/n95/+RpvQMNtULerMs9U+6KNPArr1sE37wYlbbqFLd+ja7tytyRJOu1t4qzHU1X1KjXQtXVH3YOsuXEdzizSuh9yiaR0DOvxiYm0JAAAAQMPUE5DahEe0PzKyquDv7xfbMn5wd77kUiUusw2c+Z5/vP3TtJGnnTZ4TpJpbx/VMWf6v0y7gpnimWnvcM7YrGefNtlJcaVi8yZzitrT7rzDCUK1neItDbj+4Qe733mPxtGAWz6e7WQkhZ/Uv9yW8PBj5iqmxRwy2gQGtw8Pt5VqqraLOFIF518NAAAAgFfqC0j+/oG9EvTL+wg/P4WKBk5K1LaarhGacChXocOGK/x4ppqQPn137yjeU1amaxV8803MxN/rg6s98pTRyofbF3xnurlyTrF1b2jAkEHHhg4cpHK7sLDYa65TRtKltWW/9IKCk5Puulx9relWB+Ui/y5dtHf+1ewBAAAAAA1T/xK7NkGB+s1tKw2gSONMvOgXv+vEi7eacChXykVbPpmtvGfCj6stcz5vGxKsgFGasX5PUaHzwdUz5LjB5VlZpurKOcXWG0y3sWP5MmfVogR0694mNGzP9gJtKqhqDzSYPlQj7gQAAACAUU9AUjDocvW17cKqnhpym8TY+uWXy8aMNtM7qX/+k2ks25BR9ONyZ+Il+Ohj/GJjFTbMUa8oC5Wkp7sNVeMcjpvct940d6XNdVmac8PaK0jo45j20oz0Fef+1vRXHut221/MFXW52sJGbac0Qo2TchXbtyuembLzVJXrE0q6XPuoKFvZS/9M+lA6pC3+5luc2ScAAAAADeTdSxpcuT7Sk/D0P22rgk3BtuTLLzO/6RVFFEvsAS/t2V6gvescjlKNKdfN9Rkk10Rnbrj/9DeCjjmmw5gzbOveB4q0Bffp0+G3Y52oU56dXdvCudpOaYTynGxbctE+PNx5lYV5iYU+lKkCAAAAOHAaH5Bq4/oCA8+U0nAmGpmYJL+Wl1ds3mTK+8M/vlvoscdtmfO5re/VLiyswzljt3wy2zyY5Kx2M0c9l8OJ2yneUqxyW7bnrOvTpkLdM2+dJ17GHBEAAADQtJo4IOkne2CPHq5vdfN8FfXuwu1O8HClSFCxfbutVMcPDZUz499mqOJffi7Pzg4fcYI5uj86jDmj6MflZR5/c0mD6xK6kMq6esSJJzpX3zovqcaru57SCDp9x4ofzVdkXsygxKVLa4u95rr1D97veZOGeQO427u/AQAAAOynpp9B6nL1tSHHDXYeT9ryyWzXX/lKUFFjzzVr8Fz/dJKJBKl//pPanRfWaaj2UR3NUAoPPR98RN1M/zq4PoOkzTOhmXtY//CDbq98cIslUWee7XyQLR/PrvHq9SYZV+bTmc18dp2uYfXR1LLi3N8qHemipnPowEHd77zHWayoFueQKElW5OXbCgAAAIAm4ltZWWmLnoqKbAEAAAAAWqLQUFtomKafQQIAAACAFoqABAAAAABWnUvsAAAAAOBwwgwSAAAAAFgEJAAAAACwCEgAAAAAYBGQAAAAAMAiIAEAAACARUACAAAAAIuABAAAAAAWAQkAAAAALAISAAAAAFi+lZWVtughbV26LQEAAABAC9TzqB621DB1BSQAAAAAOKywxA4AAAAALAISAAAAAFgEJAAAAACwCEgAAAAAYBGQAAAAAMAiIAEAAACARUACAAAAAKuuv4OUkpKSm5trKz4+nTt37tu3r614KC8vT05OTkhICAkJsU37TWOmpqZqTD8/P9t0sOzYsWP58uW7du1SOTAwcPDgwfoqcnJyVFDLsmXLYmJiunXrVt0XAAAAQCvRZsqUKbbooWPHjj169CgtLVXmGT58uKr2QE327NmzadOmDh06NGGY0Zhbt27VmG3btrVNHpTiVq5cmZ6efsQRR4SHh5vGpUuXKswow5iqKPAsXLhw586d5lOow+rVq3WWPl2Nn6uioqKoqGjIkCG9e/dWQVFNjRokICCgrKxMYSkiIsK5HAAAAIDWoa6AZGzevFl7J0U4gcSJFqZl48aNvr6+nTp1UkDKyMhQAlGfbdu2KaWogwZxOjtlN25nqbpixQpFmszMTLf841CfXbt2KbxFRUVlZWVFRkYqSinM6GYUrnQVk6wUbDSUTtcgalRVucuEn7y8vMDAQM9Qp4CkPvo4GkE3rKu0b9++pKREn1Hj//rrr8HBwQQkAAAAoJXxLiApTqg6bNiw+Ph45RaFh+LiYtPStWtXM9ujaJGfn3/88cfHxsbm5uaqjwrZ2dlm6Z06K5aY3OJKocXtrC5duij2KCCZJFNjGlGjubGCggL11Ckq69y4auYqGjk5OXngwIFKNco56q84lJOTs2bNGuWudu3ade/evWqsfelT6AOuX79efXRiv3799ElVULsJSxqEgAQAAAC0Mt69pKGsrCw4OFjZQFRQ1WmxPXx8FIRCQ0OTkpLmz5+v0KIWHVVwUt5QjKk+tYY1eJ5nNZxi24YNG/r06WPr+0pNTS0pKVm0aFFaWpqiV0pKSkZGhtpHjx49atQoRR2zfM5TUFCQOqjbiBEjzD23adNG/UUF0wcAAABAa+JdQPL39y8uLlaiEBVUVWNpaan2FdVUUFxREFKukIiIiKrTfHwiIyPVbePGjWFhYabFTY1niTNsbZR20tPTBw0a5Jq7llYz5cTERDNsz549zXsmdNsm4egUFZSaTM+G0Ol1vKkCAAAAQIvmXUCKjo4ODg6eX00FVc2b3JKSkpYvX96+fXuVFW+UhdQiJjtJSEhIQECACjrFtLip7SwFqkWLFqkxJSXFNLpSOkpLSyspKdH9zJs3TylLjQpvJlapYLq50T3s2bPHXKuwsFCpyR4AAAAAcHir6zXfTUsJJygoiFdjAwAAAGi2DkZAMvM84eHhiYmJtgkAAAAAmp+DN4MEAAAAAM2cd88gAQAAAEArVtcMUnH5HlsCAAAAgBYo2M+7v9DDDBIAAAAAWAQkAAAAALCaMiBt27b1zzder72t12LtmtQ//P7Seru5Uf/zzjkrxL+tNl3F+VtJL7487e8PPFRWVv7fzz6/5vrJhYWFpr026q+etlKTFT+tHH/xZRs2ZNp6k9Lt6SZ1A7ph3bZuxh5oOvV+vfrq9AU+PPV+W29Srv9MKnj7rwwAAAAcWk0WkBb+sODKyy+74867bN3HRz/BPfOM9OqdcMaZZ7/y4gu23jBrUlOHHz9iR9lubU8/+7z5s7OKGZs2bx583CB/f7+srOxjBw0MCwsz/ZVzRp18ujbXtGP6x8bEmGqNsnNy8vLzC7Zvt/VG0YUef/Kfnilr+/bCSp/Kfn36lJeXZWfnDB82xB5olHfefsszimzdujU0NCwgINBUPZWWlmRuyMjJyXH9R2kEXdEzDx95ZOQHH3+qf6PlK1NOPe10Ve0BAAAAoCVomoC0dk3qSy88N236G7GxXfSb2MxRdOveQz+UNxXsUIefVvxoehpjf3fejuJinWXrDbAhI+PEk0+xlb0UM4p3FCtvmOQTFxdr2v/72eezP/n0y88+nv/VF3ffefvUhx8zM0vqr333bvHVvWp29pln6KxBAwfYeqPk5+dr36lTJ1N1KHd1iY1Vu0lKEeHh9oD3lD8z1qebxHjxJRPv+9tfTeDRFzVi5AkmQNbIZBgnZDaaImtMTExtEUg5LSqqo60AAAAALUQTBCT9Ln/2maevue4G57eyfnnr9/dFEy4xZf1e1692c8hQY//+A/Qb2tYbYPPmTZGR7r/FFTO0Dw+vmjUKCgxSUlJhw4bMb7757s83Xufv76fq0QkJsbEx6zM2mP7q9uXceWZyyXWFmzKVaXRrFw04/uLL1O659E49zSnO6j4zczXxikkfzv74tDPPcTsrOyenY1SUubGEXr09E1QDLfxhQU5OzuSbbzXV08aMKSoq3JhVdRWlpuDgYLPObcTQ45wU6rr4zbXdcKb73JbeqZs6m0PvvP2WaTQzV6ed/Jv7/z7FHPJcTbd1y5bjBg+2FQAAAKCFqCcgzXzz33ffcYuzPTr1H/ohbo/tZWaHBg461lTdKD4lJ6+s8beyW2qqgwbZWVwc2aGDrbvo369vWFhYeXlZUFCgyRufzfnyxBNPcNbaKY0okyiZqFywfbtyi+LZ/K+++OTDWT+u+El5xnQbfNyxatR26YSLnJkoUYepDz/26kvP6tBjDz/w3AsvmyBkHiJSwZx1119ue+DBR3UoOrqTGeT/7rjFHJo18434+K7Vg1Uxy+p0J0cf3cskJW/p23j7zRkTLp3oTAEFBASGhoYpcOqQgtOrL784bfobO8p2//nm25Rd1Wi6vfXu+2bxW8LRxzhfpo46033a1OIEIcWwyydOmD7jbXNI0cscGjlq1KaCHX+cdPWXX31rDn3w8aeuU0kac1Xyyhr/vQAAAIDmrJ6AdN4FF8Z3627Kfv7+Ey67XD/ETdXxzVfzXH+su5n94Qf9+w/o1TvB1hultLREe8/nahQ8Lps4QQXFoWuvvlJ5w/MpI9eWhYuWKLecfeYZKuuUYwcNNMFJoqvDlTrv3FliZqJEgeett99V+DFxSwFMzLTV3K++Uu7SRas7Vt3JIw/dr24ax/MeHLq0WbynvbmNRtC3oZjqOp/mtGzMylRB6cjEFeVSVc23pxbzb6QcdfTRxzh5Rv9AMTExZrpPTjz5FAUhFbZt2/rSC88pHTn/dn+56x7TrUuXOM97cFXbvxcAAADQzNUTkBSKRo460ZR7JxzdJe5/MyFGaWnpjuLi2n4ov/P2W/q17fz4brQ1qanduveoLYO5Mk8luT7b47S4hZ8aqfPOkp1mzZ6sz9jww6LFE6+YZNbRnXbmOQsXLTaHsrKya3vFQkOedNofW7ds0d51fsZpcQs/NdqQkaEv05T1z7fg+++clXJm4Zw5pDFju8R5/osb9R4NCg5uyL8XAAAA0KzU/wxSXHx8eHiEktIJvznJNu0rJDi4xsVU5mmWv9x1j6m60u/y2tbd1Ui/6eO7dbOVOvn5+QeHBLu+g+67BT/06NE9Pr6rW/gpLCxMT1/vlpfMQ0oaxNZ9fE4bfYp52UON6+Vq5DlI0zLftglFxn/em3XGmWcrF7mGH1m+bJlnXlJkdfsynZVyZqvxn8yNkpj+3WuLQLoub2gAAABAS1R/QAoNDRs8ZGiN00e1cR5rqW3uyLxOoOED1viGhhr5+/sNPm7Q7E8+LSsrV3XFTytnf/zphIvGqazckpycYt7WoKNPP/uCCU5Vp+21avXqoKBA59Gg7t3is7Nzfkm17zPQaM4zS3FxsS+89KrzPNKLL08zZVE8W7N2rZlHaiDzjTXwDwcp8Cj2KBSZ6jtvv5WTkzP2d+eprPCz4PvvNJrKC39Y8PSTj50/bnx1L0vj//LLz86XqYQzYuQJb785w5yi/b+mvWLKimEpyStnf/hBdceq0Zxnk0RJrI4Xhevfizc0AAAAoCWqPyBJ4rDhJ4yqefpIv7CDgoNdZzP0E/ySCy947dWXJ/3h987CLdff1qIf9789Z2wDl2DpV3hQUFDD09TZZ57RMSrKvEFOSenpJx41TxAp/Fx04flqMYvllKOcJ4gcWVnZrm9o0Inm7Qtmid3CRUuio+1753SVseec9dvfjVf7ZVdMOunEUaZdzHvzzKEG/s3Z0uq/TZSfn+f6TdZh8s23Kp+Y71ahyLyzW9+8Gk8fc0bHiBC1Pzz1/k8+/9Lt6S8zvuuMn0JsTEyMOeXUE0ce06evaVcMmzb9jZlvzTBX+eareSNH/e8znjZmjG7YnOWW6/TvVdsbNQAAAIBmzreystIWPRSX77GlOpnw0/AHjcyDSQ1Zx2Xox/fsDz+44o+TbP2AKSsrf+6Fl8edf269i+gOhLVrUqe//q+7/3pvA3Nj4yz8YYGiTsO//EbQv9crL76gCHdAPwgAAADQEMF+bWypYRo0g1S308aM+fyz/zbwr76aP2/q1Q/0Nampf7r+WjOP4TYT1STyqv+oq8z96qudJTvNu8IPMn17l0+c0PBZNa+UlpaaGR7t9f17/r3dJqHoZf6N4mOqvkDSEQAAAFqiJphBEv04fvvNGQ89+njdP4sVb+K7dRt+/AhbbwbKysofefzJL5PmqdznmKMfefAfZj3ewaRvT7nFeTd3k9P4zrvpXv3Xv/f/pYIAAABAS+HtDFJdAan2IwAAAADQAvj62kIDNcESOwAAAABoHQhIAAAAAGC1koA0bfqbDz3+THl5xedJ8y6bdENmVrY9UIuVq1ab/rbuoYHjNI6uq6vrnlXWfvLtdxcVFZlDAAAAAA6hQxmQCtK3//v0d57rN017lW3rfouICA8PCzFlE0VOH3uhtroTkaf8TZu37/3br42miPXMC6/Wfd2Y6E5+fv62AgAAAODQOWQBqaygbO4980dPPfGGVVee8+KYuXd/uz8ZKTa2synEREebgjFj5qyoDpFfzH5XmwpPPvtiAzPSGaNP0SkD+vWx9Sbl59deN2PKzp0DAAAAOOQOWUBa/1Vm7JDomMSqPBPRIzx2aOe8FZvMIVmyZElsbOxTTz1l6/VRLlLkUPAIDwvr2aO7mZDJzMpen5E1/rxzTB8VcvLyU9emmap89mWSmVwyq91Ep1w26QbT6Lny7fOkeeaQ2+o713kq5ywz1KQbbv7ksy/OGT/R7SzlIhONnDs37QAAAAAOoUMWkLZvKAyPDytI3/7ehNnax4+KU4s95uOTlZWlfW5ubllZmWmpl+dUzOrU1ODgQGf1Wmho6MB+fXLy8kx13jff+fv7fzH73Y9nzdi8ZavCjxq7xsW+8epzanxvxqsx0fv8xVh1+HTOXLXr6AP33vXY08+ZtKM4dPs99znzVLdNvv6/c+aq3Qz12NQpp5x4gi6hQ6qqsXqwKm6TXQAAAAAOuUP5DFJY19DSbWX5yZu1t017nX/++dnZ2Q8//LAyjG2q04B+fc4YfYoKSiCTr5vkTMjUMTmj3HLyqBNUUIezxoxe8dOqOlbfKQUpHU26/FKlLFV1lYH9+yqAqbxg8VJFqYkXj6/uWHVowvjzTLkOuluzfk/7Ky+/1DQCAAAAOLQOZUAqzCyKSYy+YdWVZqHdgbB5y1avXsxQt9vummLW0Wl75/2PbGudMQwAAABAC3LIAlJ4fJjrmroN87PUYitNpE9CQnFxSXm5nZ4qKir6adXqGhe2Oevu6hAaHPLqc0+adXRmM3NW0rQxDAAAAMChcsgCUveTu2YvyctZWpVMCtK3Zy/OjR7U0RwSb1/SUKOucbHdu8XN+uBjU1UhJrpTQq+eppryc2r+ps0qmOVzZ40ZXccsUGho6Akjhz72zPPmBQyyJm2dCUUjhibm5OXPmDnLtGdmZb896wNTlvCwsJzcPHMhAAAAAM2cb2VlpS16qP1I01Au+vjaOTtyikNigs95cUxEj3B7wMfnP//5z5/+9KeJEyfed999DXwMqTbTpr9plsOdcuIJN994rUlBK1et/nr+gpKSknnffKfqLZOvdaaDDAWh5195/fqrrjAPHRk667a7ppjy0b173njtlb17HqWyktKTz75ohjo6oddtk6/v1DHKiVufJ8174pkXTdnzQgAAAAAOHF9fW2igQxmQmrPMrOyXX3vjjpuvdw1IAAAAAFoWbwPSoXxJQ3Pm9opwAAAAAIcDZpD24azH69Qx6oF773L9s0UAAAAAWpymXGKXX8Sb2QAAAAC0YJ1Cvft7PCyxAwAAAACLgAQAAAAAVmsOSGWlpXfcdOPihQtsvSZPPDJ1wvm/Ldi21dYBAAAAHMYOZUDaXbb725vmvt7jxfxFObapsdatXXPqyCHRYX7a3n/3bdvaMJvy87dt3d+ApIt6e10AAAAAzc2hDEirX1s58Mbj+l8zyNYbq2Db1nv+csuDjz+dV1j+8/qc92a+2fCscssdd839fslRvXrbOgAAAIDD2KEMSAOuPy6sZ4St7GvxwgXRYX5PPDLV1us0L+mLIcNHDB0+QuWIIyNvvuMuZSRn1dy2rVsnnP9bjXbqyCHr1q4xjWZ8s91x041lpaWmXXSi6a/N7QZc56mcQwpjqt5w1RXazCG3AQEAAAC0FAcwIH3wzoypf73d2Z597IEdRUX2WH2yMjdon5eTU2/SUIdFC76P79bd1n18evVOCAuPcFbNTZ/20vOvTs8rLH/w8afv+cstJjgpTalF2/dLk4NDQ0xP0dHrJ10+7uJLzVG1OEFImWpkYn8zT6VNVzRPN11w4QRV77j73udeed0ceuSpZ/0DAsxZAAAAAFqQAxiQzvrduLh4m1v8/PzPv/iykNBQU62XSR0NTxpxXeNtycPNd9wVcWSkCgMGHhvXtdvaNammvUbzkr5Qn7PP+Z2pnnveuDW//KzUpBj23sy3FIHMPJXoDp0yAAAAgNbhAAYkhaIhI0aZco9eCTFduprygWBmnJrEv//1SrfocLNYbmRi/8LtBfZAnTEMAAAAQCtwYJ9Biu0SHxoWrqQ0bORvbFNT8w8IGDZi5IaM9bbu47N2TapSzZGRVbNGrkpLS7IyM2yldnfcfa9ZKWe2t//ziZmAkiaMYQAAAACaoQMbkEJCQwcOHtqI6SOvXtJwyujTlyxcYJ4IKti29clHpo67+FIn1Xz37demYJbPDRh4rKnWyAzlvARPo61LW6uCYti4iy+54aorzFVEfZyyxHfrvmjB97ybAQAAAGjRDmxAkkGDh9U4fZS/KOf1Hi9qS35pxWcTZqvw7U1zd5ftNkcb/pIGURZ6/tXpykXKVMd0j1E6uuDCCeZQcGhIVMeOZr3cezPfvPNv99X9UJOG+tebsxR1zCnjzjnjo//MMvcwdPiI75cm33nrn82hDRnru8T9L/WZx5bM2jzX1+UBAAAAaEF8KysrbdFDflGFLbVeixcueG/mW39/8FHeOwcAAAC0Pp1C29tSwxzwGaRm7rtvv46OiSEdAQAAAJDDMSCVlZbecdONZqXckoUL/jDpGnsAAAAAwOHtQC2xiwppZ0sAAAAAcIgc4etrSw1zuC+xAwAAAAAHAQkAAAAALAJSU5o2/c2HHn+mvLzi86R5l026ITMr2x5oaVauWm3uX5sK+jj2AAAAANCqEZAOlIiI8PCwEFtp4WKio20JAAAAaNUISE0pNrazKbT0RBEeFhYRHlZdCFHSM40AAABAq9ciA1LO0rwfnlyi/XP9pmn78i9f7yrbbQ4VpG//9+nvmHb1cRq/+ccCbWrc8G2W+qug083RsoKy9y752O0Uo6Cg4NJqKtimOikXRXWI9PNrr4DRs0d3Pz9/NWZmZT/zwqvaTh974eKlPz70+DMqrFy12pxi1rCpRZvrSjZzVlFRkenvekp5eYXTOPn2u9VHjTp32vQ3TQdR1RnNDKK9OpizdEhVneuMKbriPfc9ZEZTLorpHK29PoI+iD6O6QMAAAC0bi11Bmn5tJUb5mfdsOrKq5dermrap+naK+osfWnFhe+cq/Yr51+avSTv5/+sqe7uo869zuxx3utnf3P/gsRrBp3y91Eps35RrNIpn9zwZd9xCTpFm3q6ZqRt27ZtqqaCbaqPM4nkasmyH08aNeKxqVP++eKrl1x4wS2Tr/10TpJyjjLJ3fdNvf2mG76Y/e7Hs2as+GmVa0ZKW5f+0BPPqr+OahvQr48aFWBuv+c+xTDTeNvk6/87Z67pX4fi4pJ7/v7QkMHHmrPOGH1KaGjopMsvNbdh+nw57+sTRg5Vu6lWJ72qgAcAAAAcPlpqQOp99lGJ1x2rQjv/tl2GxWzfUKiyf4T/aQ+fpL0pK/aYdjnyqIgjjwoPONI/flRccExwWFcbA9Z/lRkWF9LzrB6mevS5vbauKVBqMtWjjjrqy2oqmJa6KcMoe6jQNS528nWT/Pzam/b4uLhuXbuEh4UponTqGOUswFMmUXAyyUedzxozWhnJSSxy7ZWXayhbqbZg8dKY6E4TLx5vqjo6Yfx5plyHouIdk66YaC7kSOjVU/vUtWnaK3dt3rJ1xNDE6iM+iklXXn6pbkmbPojbPQAAAACtVSt8BumHJ5eY9XLz/jbfNtVpzX/XvZw43Zzy1tj3ywrL7YGD4p33PzLL3rTddtcU21otNCS0xtc8mFV8ttIwocEhnsvkTCRbsuxHlTMyN2pYZ/oIAAAAODy1qoBkHkCKHxVn1sud8vdR9kCdjrtygOlvtnFvnWPmoA6OWyZfa5a9me3/bp1cb/jZvGWr6yyTo7b2OiT06rmzpHRN2rpP5yQNGVw1IwcAAAAczlpVQCrdVtb52E5R/TqovKts98ZFOaa9Dt1P7ur6qFJZQVnBersqT7x9SYO3TjvlpDdnvu+8KWHT5i3aTLk2I4Ym5uTlz5g5y1Qzs7LfnvWBCjHR0WovL69aHKgBn3jmxerj9VAY692rx+dffhUYGGhW3AEAAACHs1YVkEw0Muvl3h77fqf+HU17Hfwj/M997UxFKbPE7t2LPvrlwzXOO/Ea8ZIGr3SNi33uiQdf3ftyuVvvvHfBosX2WC1CQ0Mfvf/ezVu2mlMee+b5kcOHlpdXDOjXZ2C/PuMmTlLjkmU/PjZ1n9V6dVDiSktfr5jk7bI9AAAAoPXxraystEUP+UXerddyFRXSzpbQvBUVFT3/yuvXX3UFDyABAACg9TnC19eWGqYVvqQBXpn1wce8ngEAAAAwCEiHL/N3Yzdv2eq8NBwAAAA4zB2oJXY7K/bYEgAAAAAcIj06BNhSwzCDBAAAAAAWAQkAAAAArJYdkJIfXzzvoo8qCqr++E/d1HP9+6m2sn/Ky8ufevyxGdNfV1n7O2+/dUdRkTlkzE364tpJf9yYlWXrzV6Nn6J1q/cfEQAAAIenFj+DVLqlpGxbqa0cCp2iO7f387OVvTZv2lRYuN1WWoKCgoLCwv/9hdy6KVGkrEq2lVahxn9EAAAAHIZadkDqf+vQs+dOCD0qwtYPCj8/vw4dqv4irXSOjTEFV6eOPv392Z/07dff1pu9iZdf8eKrr3WJi7P1w0C9/4gAAAA4PLXIgLR5Se6so18x26Lbvtpdttse8PEpWlfw31PfNofc1tTtKdmtzuaQRrCt1ZYt/uGoqMBnH3/Q1uujn9TmV3V0dGf9ztavbZU3ZmVdO+mPF4z9rTbPJVszpr9uDjmr79RB3VynYlR2TjRrwGocbW7SF6Zdm8q2tZrnVUTnaijtnaPmLF3OVLWpg65o+qvw8gvPm5vRIdehzAgfvP/e3+6605yoFnOoNrVdXVXXm1fVfBXm6uvS1jof3/mKVDDdTLvrPWt8c7faXG+ptqtLjf+IAAAAOMy1yIAUNaTz+F+u0jbmv+PahbSzrdXpaP7Vnw996CQdOm/FHzb9kOOakVJfX3nMdYPMWSsfXaTO9oCyTeYG7fNyc8rKGrpaT7+qbWmvLnFxL7762vuzP3l9xlud9j2qH+X6La5D2sZffPFzzzyln+whoaETL7/iyzlznF/5Py5bNnrMGLWrPGvm26eNGWNO6duv/7RXXjbdlFUWfr9AlzCHcrNznFyhJLBly5a3Zr2v9kefeOrreXOdkXcWFz/w9ynHDh5szjp19Olq1LCm+vRzLwQGBpqeRklJiRLFXX+9V0f/dNPN5obVrhvW+KNOPOnvUx8056rFnFKHGq9eB1390YceHHfhReqsC+lOzNVF2Uzfktp1G6p+N/8b7XV06j/u01dnxleLa0aq4+qe/4gAAAA4zLX4Z5BcbV2xqetZRyk+qdzWv22Pi45e/+4vzisc+lx/nFmMp33HYTHqbNrl3HEXr9tccv9j//T3b9Bb0vUj26yg074hCUH9nd/lQ4cODw4OMQ/8dO0ar5/vmzdV3Yl+5Sve6Gh1r6oo4izSO+mUU9WtojrtFBZuX75saWZ1ohOnW9raNfl5uVdedbWZCTHpy5kVKS7ecdkVf3AGbAidbqJaz169lfecKzZCI66uVGaW/Okrcr4uUTYbf/EEFfTR+g8coHyo8uLFC3WHJ4w6sbpL1de1ISPDyVS1Xd3bf0QAAAAcDlpVQCrOKAzuFmYr+g19pH+7sOaybspZgHfFxEuysjJNoxLI8JEjvp43V2X9yu/QoYPJJIazluzPN1ynX/mmUb/m35r1/pdz5phDrlMldbxpQBkjLCzcVg66g3D1+d98fcn4Czy/Ljm0nx0AAAAtS6sKSEpHyki24uNTvq1sV6FdY+Zqd9nuktydtnJQKMa89+47Tz/3wvvVC/Di4rraAz4+CQnHbMjI2LJ587q1aSedcqppNOvlzFoybTpRv/LNIfHz87vp1tvMIVWdjJSfl2tmmZqWxtTIttKkzPxPkzjvgnHmCzHbg48+7ho1AQAAgAZqVQEpclDHzE/XmRcwKAWlv/NL9wuPbh/hb45u+iHHvM6hIHnzzqyi2FPiTbt4+5IGryjtbNmy5bQxY8yCt8zMDc4MknSJi4vv1m3xoh9UjurY0TQqk+wsLnbyUmrqz86UyNykL1zfbeAwC+GcR5V2VL+WwHkGqREUz0zBLGDT+KaqT9GhQwfnaKN1jo3R12LuUJ/og/ffM+2NMHTo8JRVyc7Xos++cWOL+SNUAAAAaFZaVUAKPSpi1MtnLP6/r2cd/coHg/7V8fiY7hck2GOKTwM7zjl7lg6pQ+LU3zjBSRrxkoaGU6JQOnJe+/b9/PnHDU60x6odO3jwtJdfHjlqlElQYpbe/fmG68wp2wu2K6KYQwMGDNLetGtTxnCeybnp1tsUXcxKs9tvuUnDVp/RGIGBgUdGHmkukTRnjvNok3Hueec7y//c3rDXcOaRIXO3Klw/eXJ1c2Po65py/9Tkn1aaW9Jn/3ru/15QAQAAADScb2VlpS16yC+qsCXv7azYY0sH0uYluenv/DL4/lFt/dvapmZgY1bW9NemTb75lha6ykvR4oVn/6lQ59VrFQAAAIBmqEeHBr2GzdGyZ5Dyvs0K7BzUrNKRpKb+HBQcXNv7EgAAAAA0Wy0vIO0uc/l7r4tzE/44wB441Gbs/VOks2bOHHfhRa5r0gAAAAC0CHUtsQMAAACAw0qrekkDAAAAAOwPAhIAAAAAWAQkAAAAALAISAAAAABgEZAAAAAAwCIgAQAAAIBFQAIAAAAAi4AEAAAAABYBCQAAAAAsAhIAAAAAWAQkAAAAALAISAAAAABgEZAAAAAAwCIgAQAAAIBFQAIAAAAAi4AEAAAAABYBCQAAAAAsAhIAAAAAWAQkAAAAALAISAAAAABgEZAAAAAAoJqPz/8DuCv0VtRPXs8AAAAASUVORK5CYII="}},{"insert":"\nIn log tab.\nyou can show the logs by each type.\nfirst. \nnormal log is "},{"attributes":{"bold":true},"insert":"BLACK"},{"insert":"\nwarning log is "},{"attributes":{"background":"#fffbe8","bold":true,"color":"#6d501a"},"insert":"YELLOW"},{"insert":".\nerror log is "},{"attributes":{"background":"#fff1f1","bold":true,"color":"#ca312e"},"insert":"RED"},{"insert":".\nAnd\ncomposite object log is"},{"attributes":{"bold":true},"insert":" "},{"attributes":{"background":"#66a3e0","bold":true,"color":"#ffffff"},"insert":"Blue per depth"},{"attributes":{"background":"#66a3e0","color":"#ffffff"},"insert":"."},{"insert":"\n\nif you click the clear button on right top.\nMercury will "},{"attributes":{"underline":true},"insert":"clear all your logs"},{"insert":"\n\nIf you want to clear the log programmatically, there is one way.\n\nlog.clear() // or log.clear('clear msg')"},{"attributes":{"code-block":true},"insert":"\n"},{"insert":"\nyou can check to below code and exeucte it.\n\n"},{"insert":{"code-editor-container":"code-editor-container-954532b8-d147-4bd2-b6d1-20071774b5f0"}},{"insert":"\n\nMercury is can execute javascript based on ES6+.\nand you can use promise and async, await.\nespecially, Don't need wrap async function when first write your code.\n\nES6+ Javscript code here.\n\n"},{"insert":{"code-editor-container":"code-editor-container-241a07cd-5486-403e-a794-cf43df3322ed"}},{"insert":"\n\n\n\n\n\n\n\n\n\n\n\n\n"}]},"meta":{"config":{},"createdAt":"2019-12-31T05:37:04.033Z","updatedAt":"2019-12-31T05:37:04.034Z","deletedAt":null,"owner":"Anonymous","history":[]},"containers":[{"id":"code-editor-container-689a1ef5-329e-41db-8490-a803af6823be","language":"javascript","code":"console.log('Hello LOG!')\nconsole.warn('Hello WARN LOG!')\nconsole.error('Hello ERROR LOG!')\nconsole.log('Object', { name: 'mercury', job: 'javascript runner'})","logs":[],"meta":{"config":{},"createdAt":"2019-12-31T05:39:32.775Z","updatedAt":"2019-12-31T05:39:32.776Z","deletedAt":null,"owner":"Anonymous","history":[]},"storage":"{}"},{"id":"code-editor-container-954532b8-d147-4bd2-b6d1-20071774b5f0","language":"javascript","code":"console.log('Hello LOG')\nconsole.clear('clear log history!')","logs":[],"meta":{"config":{},"createdAt":"2019-12-31T06:06:55.440Z","updatedAt":"2019-12-31T06:06:55.441Z","deletedAt":null,"owner":"Anonymous","history":[]},"storage":"{}"},{"id":"code-editor-container-241a07cd-5486-403e-a794-cf43df3322ed","language":"javascript","code":"const song = ['woo', 'ha!', 'woo', 'ha!', 'woo', 'ha!', 'mercury', 'sing', 'a', 'song']\n\nconst sleep = (ms) => new Promise((stop) => setTimeout(() => stop(), ms))\n\nfor (let msg of song) {\n console.log(msg)\n await sleep(500)\n}","logs":[],"meta":{"config":{},"createdAt":"2019-12-31T06:11:37.826Z","updatedAt":"2019-12-31T06:11:37.827Z","deletedAt":null,"owner":"Anonymous","history":[]},"storage":"undefined"}]}],"meta":{"config":{},"createdAt":"2019-12-31T05:37:04.034Z","updatedAt":"2019-12-31T05:37:04.034Z","deletedAt":null,"owner":"Anonymous","history":[]}} | MAXScript | 4 | cloverhearts/mercury | modules/server/initialize/Notes/02-try-write-javascript-code.mcr | [
"Apache-2.0"
] |
/*---------------------------------------------------------------------------------------------
* Copyright (c) Microsoft Corporation. All rights reserved.
* Licensed under the MIT License. See License.txt in the project root for license information.
*--------------------------------------------------------------------------------------------*/
import { ILoggerService, LogService } from 'vs/platform/log/common/log';
import { IExtHostInitDataService } from 'vs/workbench/api/common/extHostInitDataService';
import { ExtensionHostLogFileName } from 'vs/workbench/services/extensions/common/extensions';
export class ExtHostLogService extends LogService {
declare readonly _serviceBrand: undefined;
constructor(
@ILoggerService loggerService: ILoggerService,
@IExtHostInitDataService initData: IExtHostInitDataService,
) {
super(loggerService.createLogger(initData.logFile, { name: ExtensionHostLogFileName }));
}
}
| TypeScript | 4 | sbj42/vscode | src/vs/workbench/api/common/extHostLogService.ts | [
"MIT"
] |
"""Sensor for Last.fm account status."""
from __future__ import annotations
import hashlib
import logging
import re
import pylast as lastfm
from pylast import WSError
import voluptuous as vol
from homeassistant.components.sensor import PLATFORM_SCHEMA, SensorEntity
from homeassistant.const import ATTR_ATTRIBUTION, CONF_API_KEY
from homeassistant.core import HomeAssistant
import homeassistant.helpers.config_validation as cv
from homeassistant.helpers.entity_platform import AddEntitiesCallback
from homeassistant.helpers.typing import ConfigType, DiscoveryInfoType
_LOGGER = logging.getLogger(__name__)
ATTR_LAST_PLAYED = "last_played"
ATTR_PLAY_COUNT = "play_count"
ATTR_TOP_PLAYED = "top_played"
ATTRIBUTION = "Data provided by Last.fm"
STATE_NOT_SCROBBLING = "Not Scrobbling"
CONF_USERS = "users"
ICON = "mdi:radio-fm"
PLATFORM_SCHEMA = PLATFORM_SCHEMA.extend(
{
vol.Required(CONF_API_KEY): cv.string,
vol.Required(CONF_USERS, default=[]): vol.All(cv.ensure_list, [cv.string]),
}
)
def setup_platform(
hass: HomeAssistant,
config: ConfigType,
add_entities: AddEntitiesCallback,
discovery_info: DiscoveryInfoType | None = None,
) -> None:
"""Set up the Last.fm sensor platform."""
api_key = config[CONF_API_KEY]
users = config[CONF_USERS]
lastfm_api = lastfm.LastFMNetwork(api_key=api_key)
entities = []
for username in users:
try:
lastfm_api.get_user(username).get_image()
entities.append(LastfmSensor(username, lastfm_api))
except WSError as error:
_LOGGER.error(error)
return
add_entities(entities, True)
class LastfmSensor(SensorEntity):
"""A class for the Last.fm account."""
def __init__(self, user, lastfm_api):
"""Initialize the sensor."""
self._unique_id = hashlib.sha256(user.encode("utf-8")).hexdigest()
self._user = lastfm_api.get_user(user)
self._name = user
self._lastfm = lastfm_api
self._state = "Not Scrobbling"
self._playcount = None
self._lastplayed = None
self._topplayed = None
self._cover = None
@property
def unique_id(self):
"""Return the unique ID of the sensor."""
return self._unique_id
@property
def name(self):
"""Return the name of the sensor."""
return self._name
@property
def native_value(self):
"""Return the state of the sensor."""
return self._state
def update(self):
"""Update device state."""
self._cover = self._user.get_image()
self._playcount = self._user.get_playcount()
if recent_tracks := self._user.get_recent_tracks(limit=2):
last = recent_tracks[0]
self._lastplayed = f"{last.track.artist} - {last.track.title}"
if top_tracks := self._user.get_top_tracks(limit=1):
top = top_tracks[0]
toptitle = re.search("', '(.+?)',", str(top))
topartist = re.search("'(.+?)',", str(top))
self._topplayed = f"{topartist.group(1)} - {toptitle.group(1)}"
if (now_playing := self._user.get_now_playing()) is None:
self._state = STATE_NOT_SCROBBLING
return
self._state = f"{now_playing.artist} - {now_playing.title}"
@property
def extra_state_attributes(self):
"""Return the state attributes."""
return {
ATTR_ATTRIBUTION: ATTRIBUTION,
ATTR_LAST_PLAYED: self._lastplayed,
ATTR_PLAY_COUNT: self._playcount,
ATTR_TOP_PLAYED: self._topplayed,
}
@property
def entity_picture(self):
"""Avatar of the user."""
return self._cover
@property
def icon(self):
"""Return the icon to use in the frontend."""
return ICON
| Python | 5 | MrDelik/core | homeassistant/components/lastfm/sensor.py | [
"Apache-2.0"
] |
from django.urls import include, path
from django.views import View
def view1(request):
pass
def view2(request):
pass
class View3(View):
pass
nested = ([
path('view1/', view1, name='view1'),
path('view3/', View3.as_view(), name='view3'),
], 'backend')
urlpatterns = [
path('some/path/', include(nested, namespace='nested')),
path('view2/', view2, name='view2'),
]
| Python | 4 | ni-ning/django | tests/urlpatterns_reverse/nested_urls.py | [
"CNRI-Python-GPL-Compatible",
"BSD-3-Clause"
] |
{
"configVersion": "6.1.0",
"autoReloadConfig": false,
"language": "auto",
"region": "auto",
"definition": {
"author": "XVM team",
"description": "Default settings for XVM",
"url": "https://modxvm.com/",
"date": "16.05.2019",
"gameVersion": "1.5.0.1",
"modMinVersion": "7.9.2"
},
"login": ${"login.xc":"login"},
"hangar": ${"hangar.xc":"hangar"},
"userInfo": ${"userInfo.xc":"userInfo"},
"battle": ${"battle.xc":"battle"},
"fragCorrelation": ${"battle.xc":"fragCorrelation"},
"expertPanel": ${"battle.xc":"expertPanel"},
"battleLabels": ${"battleLabels.xc":"labels"},
"damageLog": ${"damageLog.xc":"damageLog"},
"hotkeys": ${"hotkeys.xc":"hotkeys"},
"squad": ${"squad.xc":"squad"},
"battleLoading": ${"battleLoading.xc":"battleLoading"},
"battleLoadingTips": ${"battleLoadingTips.xc":"battleLoadingTips"},
"statisticForm": ${"statisticForm.xc":"statisticForm"},
"playersPanel": ${"playersPanel.xc":"playersPanel"},
"battleResults": ${"battleResults.xc":"battleResults"},
"hitLog": ${"hitLog.xc":"hitLog"},
"captureBar": ${"captureBar.xc":"captureBar"},
"minimap": ${"minimap.xc":"minimap"},
"minimapAlt": ${"minimapAlt.xc":"minimap"},
"markers": ${"markers.xc":"markers"},
"colors": ${"colors.xc":"colors"},
"alpha": ${"alpha.xc":"alpha"},
"texts": ${"texts.xc":"texts"},
"iconset": ${"iconset.xc":"iconset"},
"vehicleNames": ${"vehicleNames.xc":"vehicleNames"},
"export": ${"export.xc":"export"},
"tooltips": ${"tooltips.xc":"tooltips"},
"sounds": ${"sounds.xc":"sounds"},
"xmqp": ${"xmqp.xc":"xmqp"},
"tweaks": ${"tweaks.xc":"tweaks"}
}
| XC | 3 | elektrosmoker/RelhaxModpack | RelhaxModpack/RelhaxUnitTests/bin/Debug/patch_regressions/followPath/check_07.xc | [
"Apache-2.0"
] |
i 00001 00 22 00000 02 31 00002
i 00002 02 25 77776 02 35 00014
i 00003 02 31 00004 00 22 00000
i 00004 02 25 77774 02 35 00014
i 00005 02 31 00007 00 22 00000
i 00006 00 22 77777 00 22 00000
i 00007 03 24 00001 03 34 00014
i 00010 03 24 77777 02 31 00012
i 00011 03 24 77776 00 22 00000
i 00012 03 25 00001 03 35 00014
i 00013 06 33 12345 00 22 00000
i 00014 02 33 76543 00 22 00000
| Octave | 0 | besm6/mesm6 | test/vjm/vjm.oct | [
"MIT"
] |
/* Border Fade */
.border-fade() {
@borderWidth: 4px;
.hacks();
.prefixed(transition-duration, @mediumDuration);
.prefixed(transition-property, box-shadow);
box-shadow:
inset 0 0 0 @borderWidth @primaryColor,
0 0 1px rgba(0, 0, 0, 0); /* Hack to improve aliasing on mobile/tablet devices */
&:hover,
&:focus,
&:active {
box-shadow:
inset 0 0 0 @borderWidth @activeColor,
0 0 1px rgba(0, 0, 0, 0); /* Hack to improve aliasing on mobile/tablet devices */
}
}
| Less | 4 | jsahdeva/skya | bower_components/hover/less/effects/border-transitions/_border-fade.less | [
"MIT"
] |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1">
<title>PRIMEROS PASOS CON BRACKETS</title>
<meta name="description" content="Una guía interactiva de primeros pasos para Brackets.">
<link rel="stylesheet" href="main.css">
</head>
<body>
<h1>PRIMEROS PASOS CON BRACKETS</h1>
<h2>¡Ésta es tu guía!</h2>
<!--
HECHO CON <3 Y JAVASCRIPT
-->
<p>
Bienvenido a una versión preliminar de Brackets, un nuevo editor de código abierto para la nueva
generación de Internet. Somos unos apasionados de los estándares y queremos construir mejores
herramientas para JavaScript, HTML, CSS y el resto de tecnologías web. Éste es nuestro humilde
comienzo.
</p>
<!--
¿QUÉ ES BRACKETS?
-->
<p>
<em>Brackets es un editor diferente.</em>
La gran diferencia es que está escrito en JavaScript, HTML y CSS. Esto significa que la mayoría de quienes
usan Brackets tiene las habilidades necesarias para modificar y extender el editor. De hecho, nosotros
lo usamos todos los días para desarrollar Brackets. También tiene algunas características únicas como
Edición Rápida, Desarrollo en Vivo y más que no encontrarás en otros editores.
Sigue leyendo para saber más sobre cómo sacar provecho de estas características
</p>
<h2>Estamos intentando algunas cosas nuevas</h2>
<!--
LA RELACIÓN ENTRE HTML, CSS Y JAVASCRIPT
-->
<h3>Edición rápida de CSS y JavaScript</h3>
<p>
Se acabó el estar saltando de documento en documento perdiendo de vista lo que estás haciendo. Mientras
estás escribiendo HTML, usa el atajo de teclado <kbd>Cmd/Ctrl + E</kbd> para abrir un editor rápido en
línea con todo el contenido CSS relacionado. Ajusta tu CSS y oprime <kbd>ESC</kbd> para volver a tu HTML, o simplemente
mantén las reglas CSS abiertas para que pasen a formar parte de tu editor de HTML. Si pulsas <kbd>ESC</kbd>
fuera de un editor rápido, todos se cerrarán a la vez.
</p>
</body>
</html>
| HTML | 4 | ravitejavalluri/brackets | test/spec/LowLevelFileIO-test-files/es_small_utf8.html | [
"MIT"
] |
// Copyright 2014 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.
package pprof
// A protobuf is a simple protocol buffer encoder.
type protobuf struct {
data []byte
tmp [16]byte
nest int
}
func (b *protobuf) varint(x uint64) {
for x >= 128 {
b.data = append(b.data, byte(x)|0x80)
x >>= 7
}
b.data = append(b.data, byte(x))
}
func (b *protobuf) length(tag int, len int) {
b.varint(uint64(tag)<<3 | 2)
b.varint(uint64(len))
}
func (b *protobuf) uint64(tag int, x uint64) {
// append varint to b.data
b.varint(uint64(tag)<<3 | 0)
b.varint(x)
}
func (b *protobuf) uint64s(tag int, x []uint64) {
if len(x) > 2 {
// Use packed encoding
n1 := len(b.data)
for _, u := range x {
b.varint(u)
}
n2 := len(b.data)
b.length(tag, n2-n1)
n3 := len(b.data)
copy(b.tmp[:], b.data[n2:n3])
copy(b.data[n1+(n3-n2):], b.data[n1:n2])
copy(b.data[n1:], b.tmp[:n3-n2])
return
}
for _, u := range x {
b.uint64(tag, u)
}
}
func (b *protobuf) uint64Opt(tag int, x uint64) {
if x == 0 {
return
}
b.uint64(tag, x)
}
func (b *protobuf) int64(tag int, x int64) {
u := uint64(x)
b.uint64(tag, u)
}
func (b *protobuf) int64Opt(tag int, x int64) {
if x == 0 {
return
}
b.int64(tag, x)
}
func (b *protobuf) int64s(tag int, x []int64) {
if len(x) > 2 {
// Use packed encoding
n1 := len(b.data)
for _, u := range x {
b.varint(uint64(u))
}
n2 := len(b.data)
b.length(tag, n2-n1)
n3 := len(b.data)
copy(b.tmp[:], b.data[n2:n3])
copy(b.data[n1+(n3-n2):], b.data[n1:n2])
copy(b.data[n1:], b.tmp[:n3-n2])
return
}
for _, u := range x {
b.int64(tag, u)
}
}
func (b *protobuf) string(tag int, x string) {
b.length(tag, len(x))
b.data = append(b.data, x...)
}
func (b *protobuf) strings(tag int, x []string) {
for _, s := range x {
b.string(tag, s)
}
}
func (b *protobuf) stringOpt(tag int, x string) {
if x == "" {
return
}
b.string(tag, x)
}
func (b *protobuf) bool(tag int, x bool) {
if x {
b.uint64(tag, 1)
} else {
b.uint64(tag, 0)
}
}
func (b *protobuf) boolOpt(tag int, x bool) {
if x == false {
return
}
b.bool(tag, x)
}
type msgOffset int
func (b *protobuf) startMessage() msgOffset {
b.nest++
return msgOffset(len(b.data))
}
func (b *protobuf) endMessage(tag int, start msgOffset) {
n1 := int(start)
n2 := len(b.data)
b.length(tag, n2-n1)
n3 := len(b.data)
copy(b.tmp[:], b.data[n2:n3])
copy(b.data[n1+(n3-n2):], b.data[n1:n2])
copy(b.data[n1:], b.tmp[:n3-n2])
b.nest--
}
| Go | 4 | Havoc-OS/androidprebuilts_go_linux-x86 | src/runtime/pprof/protobuf.go | [
"BSD-3-Clause"
] |
bad = _1.2
| TOML | 0 | vanillajonathan/julia | stdlib/TOML/test/testfiles/invalid/float-underscore-before.toml | [
"Zlib"
] |
Traceback (most recent call last):
File "/home/tb.py", line 13, in <module>
in_Python_3_11()
^^^^^^^^^^^^^^^^
File "/home/tb.py", line 2, in in_Python_3_11
return error_locations()
^^^^^^^^^^^^^^^^^
File "/home/tb.py", line 5, in error_locations
return are_provided() is True
^^^^^^^^^^^^^^
File "/home/tb.py", line 8, in are_provided
return in_tracebacks()
^^^^^^^^^^^^^^^
File "/home/tb.py", line 11, in in_tracebacks
return 1/0
^^^
ZeroDivisionError: division by zero
| Python traceback | 3 | jfbu/pygments | tests/examplefiles/pytb/error_locations.pytb | [
"BSD-2-Clause"
] |
{{
The HT16K33 is a 16*8 LED controller that accepts display commands
through an I2C interface. The chip controls LED grids organized as
16-rows by 8-columns. Those LEDs could be true LED grids, or they
could be individual segments in a multi-segment display.
Adafruit makes several HT16K33 "backpacks" that drive different displays
that they sell. This code will communicate with all of their backpackes
(and any other HT16K133 chip), but the graphics functions at the very
bottom of the code are specific to the LED geometry of the 8x8 bicolor
matrix backpack here:
http://www.adafruit.com/products/902
You can remove these functions from the code or tweak them for your own
display.
The adafruit backpacks have built-on pullups for SDA and SCL. Thus
hooking multiple backpacks to the same SCL/SDA lines will place these
pullups in parallel and reduce the resistance. This will increase the
current consumption.
}}
var
byte ADDR ' Backpack I2C address
byte PIN_SCL ' I/O pin connected to SCL (SDA is very next pin)
' 8x8 bicolor specific
byte raster[16] ' Raster buffer for (x,y) graphics
OBJ
i2c : "Basic_I2C_Driver_1"
PUB init(i2cAddress,pinSCL)
'' Initialize the object with the given I2C-address and hardware pins.
'' The driver I am using requires SDA to be the next pin after SCL.
'
ADDR := i2cAddress
PIN_SCL := pinSCL
i2c.Initialize(PIN_SCL)
setOscillator(1) ' Start the oscillator
setBlink(1,0) ' Power on, no blinking
setBrightness(15) ' Max brightness
PUB setOscillator(on) | address
'' Turn the oscillator on (or off)
'
' 0010_xxx_p
'
address := ADDR << 1 ' # R/-W bit = 0 (write)
on := on & 1
on := on | $20
i2c.Start(PIN_SCL)
i2c.Write(PIN_SCL,address)
i2c.Write(PIN_SCL,on)
i2c.Stop(PIN_SCL)
PUB setBlink(power,rate) | address
'' Set the display power and blink rate
'' rate = 00 = Off
'' 01 = 2Hz
'' 10 = 1Hz
'' 11 = 0.5Hz
'
' 1000_x_rr_p
'
address := ADDR << 1 ' # R/-W bit = 0 (write)
rate := rate & 3
rate := rate << 1
power := power & 1
rate := rate | power
rate := rate | $80
i2c.Start(PIN_SCL)
i2c.Write(PIN_SCL,address)
i2c.Write(PIN_SCL,rate)
i2c.Stop(PIN_SCL)
PUB setBrightness(level) | address
'' Set the display brightness
'' level: 0000=minimum, 1111=maximum
'
' 1110_vvvv
'
address := ADDR << 1 ' # R/-W bit = 0 (write)
level := level & 15
level := level | $E0
i2c.Start(PIN_SCL)
i2c.Write(PIN_SCL,address)
i2c.Write(PIN_SCL,level)
i2c.Stop(PIN_SCL)
PUB writeDisplay(register,count,data) | address
'' Write a number of data values beginning with the
'' given register.
address := ADDR << 1 ' # R/-W bit = 0 (write)
i2c.Start(PIN_SCL)
i2c.Write(PIN_SCL,address)
i2c.Write(PIN_SCL,register)
repeat while count>0
i2c.Write(PIN_SCL,byte[data])
data := data +1
count := count -1
i2c.Stop(PIN_SCL)
'
' Specific to the adafruit 8x8 bicolor backpack.
' Leave them out or tweak them.
'
'' The 8x8 bicolor matrix is wired as follows:
'' register 0: Row 0/green (LSB is left pixel, MSB is right pixel)
'' register 1: Row 0/red (LSB is left pixel, MSB is right pixel)
'' register 2: Row 1/green (LSB is left pixel, MSB is right pixel)
'' etc
''
'' Turn both red and green on to make orange
PUB clearRaster | i
repeat i from 0 to 15
raster[i] := 0
PUB drawRaster
writeDisplay(0,16,@raster)
PUB setPixel(x,y,color) | p, ov1, ov2, mask
p := y<<1
mask := 1
ov1 := color & 1
ov2 := (color >> 1) & 1
ov1 := ov1 << x
ov2 := ov2 << x
mask := mask << x
raster[p] := raster[p] & !mask | ov1
raster[p+1] := raster[p+1] & !mask | ov2
pub drawLine(x0, y0, x1, y1, color) | dx, dy, difx, dify, sx, sy, ds
''Draw a straight line from (x0, y0) to (x1, y1)
'' By Phil Pilgrim:
'' http://forums.parallax.com/showthread.php/102051-Line-drawing-algorithm-anyone-create-one-in-spin?p=716238&viewfull=1#post716238
'
difx := ||(x0 - x1) 'Number of pixels in X direciton.
dify := ||(y0 - y1) 'Number of pixels in Y direction.
ds := difx <# dify 'State variable change: smaller of difx and dify.
sx := dify >> 1 'State variables: >>1 to split remainders between line ends.
sy := difx >> 1
dx := (x1 < x0) | 1 'X direction: -1 or 1
dy := (y1 < y0) | 1 'Y direction: -1 or 1
repeat (difx #> dify) + 1 'Number of pixels to draw is greater of difx and dify, plus one.
setPixel(x0, y0,color) 'Draw the current point.
if ((sx -= ds) =< 0) 'Subtract ds from x state. =< 0 ?
sx += dify ' Yes: Increment state by dify.
x0 += dx ' Move X one pixel in X direciton.
if ((sy -= ds) =< 0) 'Subtract ds from y state. =< 0 ?
sy += difx ' Yes: Increment state by difx.
y0 += dy ' Move Y one pixel in Y direction.
| Propeller Spin | 5 | deets/propeller | libraries/community/p1/All/Driver for HT16K133 and 8x8 bicolor led matrix (Adafruit backpack)/HT16K33_Bicolor_8x8.spin | [
"MIT"
] |
; This file is generated from a similarly-named Perl script in the BoringSSL
; source tree. Do not edit by hand.
default rel
%define XMMWORD
%define YMMWORD
%define ZMMWORD
%ifdef BORINGSSL_PREFIX
%include "boringssl_prefix_symbols_nasm.inc"
%endif
section .text code align=64
global gcm_gmult_ssse3
ALIGN 16
gcm_gmult_ssse3:
$L$gmult_seh_begin:
sub rsp,40
$L$gmult_seh_allocstack:
movdqa XMMWORD[rsp],xmm6
$L$gmult_seh_save_xmm6:
movdqa XMMWORD[16+rsp],xmm10
$L$gmult_seh_save_xmm10:
$L$gmult_seh_prolog_end:
movdqu xmm0,XMMWORD[rcx]
movdqa xmm10,XMMWORD[$L$reverse_bytes]
movdqa xmm2,XMMWORD[$L$low4_mask]
DB 102,65,15,56,0,194
movdqa xmm1,xmm2
pandn xmm1,xmm0
psrld xmm1,4
pand xmm0,xmm2
pxor xmm2,xmm2
pxor xmm3,xmm3
mov rax,5
$L$oop_row_1:
movdqa xmm4,XMMWORD[rdx]
lea rdx,[16+rdx]
movdqa xmm6,xmm2
DB 102,15,58,15,243,1
movdqa xmm3,xmm6
psrldq xmm2,1
movdqa xmm5,xmm4
DB 102,15,56,0,224
DB 102,15,56,0,233
pxor xmm2,xmm5
movdqa xmm5,xmm4
psllq xmm5,60
movdqa xmm6,xmm5
pslldq xmm6,8
pxor xmm3,xmm6
psrldq xmm5,8
pxor xmm2,xmm5
psrlq xmm4,4
pxor xmm2,xmm4
sub rax,1
jnz NEAR $L$oop_row_1
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,5
pxor xmm2,xmm3
pxor xmm3,xmm3
mov rax,5
$L$oop_row_2:
movdqa xmm4,XMMWORD[rdx]
lea rdx,[16+rdx]
movdqa xmm6,xmm2
DB 102,15,58,15,243,1
movdqa xmm3,xmm6
psrldq xmm2,1
movdqa xmm5,xmm4
DB 102,15,56,0,224
DB 102,15,56,0,233
pxor xmm2,xmm5
movdqa xmm5,xmm4
psllq xmm5,60
movdqa xmm6,xmm5
pslldq xmm6,8
pxor xmm3,xmm6
psrldq xmm5,8
pxor xmm2,xmm5
psrlq xmm4,4
pxor xmm2,xmm4
sub rax,1
jnz NEAR $L$oop_row_2
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,5
pxor xmm2,xmm3
pxor xmm3,xmm3
mov rax,6
$L$oop_row_3:
movdqa xmm4,XMMWORD[rdx]
lea rdx,[16+rdx]
movdqa xmm6,xmm2
DB 102,15,58,15,243,1
movdqa xmm3,xmm6
psrldq xmm2,1
movdqa xmm5,xmm4
DB 102,15,56,0,224
DB 102,15,56,0,233
pxor xmm2,xmm5
movdqa xmm5,xmm4
psllq xmm5,60
movdqa xmm6,xmm5
pslldq xmm6,8
pxor xmm3,xmm6
psrldq xmm5,8
pxor xmm2,xmm5
psrlq xmm4,4
pxor xmm2,xmm4
sub rax,1
jnz NEAR $L$oop_row_3
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,5
pxor xmm2,xmm3
pxor xmm3,xmm3
DB 102,65,15,56,0,210
movdqu XMMWORD[rcx],xmm2
pxor xmm0,xmm0
pxor xmm1,xmm1
pxor xmm2,xmm2
pxor xmm3,xmm3
pxor xmm4,xmm4
pxor xmm5,xmm5
pxor xmm6,xmm6
movdqa xmm6,XMMWORD[rsp]
movdqa xmm10,XMMWORD[16+rsp]
add rsp,40
DB 0F3h,0C3h ;repret
$L$gmult_seh_end:
global gcm_ghash_ssse3
ALIGN 16
gcm_ghash_ssse3:
$L$ghash_seh_begin:
sub rsp,56
$L$ghash_seh_allocstack:
movdqa XMMWORD[rsp],xmm6
$L$ghash_seh_save_xmm6:
movdqa XMMWORD[16+rsp],xmm10
$L$ghash_seh_save_xmm10:
movdqa XMMWORD[32+rsp],xmm11
$L$ghash_seh_save_xmm11:
$L$ghash_seh_prolog_end:
movdqu xmm0,XMMWORD[rcx]
movdqa xmm10,XMMWORD[$L$reverse_bytes]
movdqa xmm11,XMMWORD[$L$low4_mask]
and r9,-16
DB 102,65,15,56,0,194
pxor xmm3,xmm3
$L$oop_ghash:
movdqu xmm1,XMMWORD[r8]
DB 102,65,15,56,0,202
pxor xmm0,xmm1
movdqa xmm1,xmm11
pandn xmm1,xmm0
psrld xmm1,4
pand xmm0,xmm11
pxor xmm2,xmm2
mov rax,5
$L$oop_row_4:
movdqa xmm4,XMMWORD[rdx]
lea rdx,[16+rdx]
movdqa xmm6,xmm2
DB 102,15,58,15,243,1
movdqa xmm3,xmm6
psrldq xmm2,1
movdqa xmm5,xmm4
DB 102,15,56,0,224
DB 102,15,56,0,233
pxor xmm2,xmm5
movdqa xmm5,xmm4
psllq xmm5,60
movdqa xmm6,xmm5
pslldq xmm6,8
pxor xmm3,xmm6
psrldq xmm5,8
pxor xmm2,xmm5
psrlq xmm4,4
pxor xmm2,xmm4
sub rax,1
jnz NEAR $L$oop_row_4
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,5
pxor xmm2,xmm3
pxor xmm3,xmm3
mov rax,5
$L$oop_row_5:
movdqa xmm4,XMMWORD[rdx]
lea rdx,[16+rdx]
movdqa xmm6,xmm2
DB 102,15,58,15,243,1
movdqa xmm3,xmm6
psrldq xmm2,1
movdqa xmm5,xmm4
DB 102,15,56,0,224
DB 102,15,56,0,233
pxor xmm2,xmm5
movdqa xmm5,xmm4
psllq xmm5,60
movdqa xmm6,xmm5
pslldq xmm6,8
pxor xmm3,xmm6
psrldq xmm5,8
pxor xmm2,xmm5
psrlq xmm4,4
pxor xmm2,xmm4
sub rax,1
jnz NEAR $L$oop_row_5
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,5
pxor xmm2,xmm3
pxor xmm3,xmm3
mov rax,6
$L$oop_row_6:
movdqa xmm4,XMMWORD[rdx]
lea rdx,[16+rdx]
movdqa xmm6,xmm2
DB 102,15,58,15,243,1
movdqa xmm3,xmm6
psrldq xmm2,1
movdqa xmm5,xmm4
DB 102,15,56,0,224
DB 102,15,56,0,233
pxor xmm2,xmm5
movdqa xmm5,xmm4
psllq xmm5,60
movdqa xmm6,xmm5
pslldq xmm6,8
pxor xmm3,xmm6
psrldq xmm5,8
pxor xmm2,xmm5
psrlq xmm4,4
pxor xmm2,xmm4
sub rax,1
jnz NEAR $L$oop_row_6
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,1
pxor xmm2,xmm3
psrlq xmm3,5
pxor xmm2,xmm3
pxor xmm3,xmm3
movdqa xmm0,xmm2
lea rdx,[((-256))+rdx]
lea r8,[16+r8]
sub r9,16
jnz NEAR $L$oop_ghash
DB 102,65,15,56,0,194
movdqu XMMWORD[rcx],xmm0
pxor xmm0,xmm0
pxor xmm1,xmm1
pxor xmm2,xmm2
pxor xmm3,xmm3
pxor xmm4,xmm4
pxor xmm5,xmm5
pxor xmm6,xmm6
movdqa xmm6,XMMWORD[rsp]
movdqa xmm10,XMMWORD[16+rsp]
movdqa xmm11,XMMWORD[32+rsp]
add rsp,56
DB 0F3h,0C3h ;repret
$L$ghash_seh_end:
ALIGN 16
$L$reverse_bytes:
DB 15,14,13,12,11,10,9,8,7,6,5,4,3,2,1,0
$L$low4_mask:
DQ 0x0f0f0f0f0f0f0f0f,0x0f0f0f0f0f0f0f0f
section .pdata rdata align=4
ALIGN 4
DD $L$gmult_seh_begin wrt ..imagebase
DD $L$gmult_seh_end wrt ..imagebase
DD $L$gmult_seh_info wrt ..imagebase
DD $L$ghash_seh_begin wrt ..imagebase
DD $L$ghash_seh_end wrt ..imagebase
DD $L$ghash_seh_info wrt ..imagebase
section .xdata rdata align=8
ALIGN 8
$L$gmult_seh_info:
DB 1
DB $L$gmult_seh_prolog_end-$L$gmult_seh_begin
DB 5
DB 0
DB $L$gmult_seh_save_xmm10-$L$gmult_seh_begin
DB 168
DW 1
DB $L$gmult_seh_save_xmm6-$L$gmult_seh_begin
DB 104
DW 0
DB $L$gmult_seh_allocstack-$L$gmult_seh_begin
DB 66
ALIGN 8
$L$ghash_seh_info:
DB 1
DB $L$ghash_seh_prolog_end-$L$ghash_seh_begin
DB 7
DB 0
DB $L$ghash_seh_save_xmm11-$L$ghash_seh_begin
DB 184
DW 2
DB $L$ghash_seh_save_xmm10-$L$ghash_seh_begin
DB 168
DW 1
DB $L$ghash_seh_save_xmm6-$L$ghash_seh_begin
DB 104
DW 0
DB $L$ghash_seh_allocstack-$L$ghash_seh_begin
DB 98
| Assembly | 3 | pdv-ru/ClickHouse | contrib/boringssl-cmake/win-x86_64/crypto/fipsmodule/ghash-ssse3-x86_64.asm | [
"Apache-2.0"
] |
palette $f
50 red
25 orange
25 yellow
end
sphereDetail 2
DECAY: 0.01
do 10 times
rotate FRAME / 10
push
i: i + 0.1
x: noise(i)
y: noise(i,0.1)
move 1 + x * 0.5,1 + y * 0.5
rotate 90,0,-1,0
particle 0.04,-0.0001,0.0005,0
color lerp($f, HEALTH - 0.001), (HEALTH * 100) + 100
sphere 0.1
end
pop
end
| Cycript | 3 | Psykopear/cyril | bin/data/code/9.cy | [
"MIT"
] |
# Task 30 LP
# Variables
var x_1 integer >= 0;
var x_2 integer >= 0
# Objective Function
maximize objective:
17 * x_1 + 12 * x_2;
# Constraints
subto con1:
10 * x_1 + 7 * x_2 <= 40;
subto con2:
x_1 + x_2 <= 5; | Zimpl | 4 | ArielMant0/ko2017 | sheet12/task30.zpl | [
"MIT"
] |
/* Copyright 2021 The TensorFlow 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.
==============================================================================*/
#include "tensorflow/lite/delegates/gpu/common/tasks/special/conv_pointwise.h"
#include "absl/strings/str_cat.h"
#include "tensorflow/lite/delegates/gpu/common/operations.h"
#include "tensorflow/lite/delegates/gpu/common/task/texture2d_desc.h"
#include "tensorflow/lite/delegates/gpu/common/util.h"
namespace tflite {
namespace gpu {
namespace {
std::string GenerateCode() {
std::string c = R"(
MAIN_FUNCTION($0) {
int X = GLOBAL_ID_0;
int Y = GLOBAL_ID_1;
int S = GLOBAL_ID_2;
if (X >= args.dst_tensor.Width() ||
Y >= args.dst_tensor.Height() ||
S >= args.dst_tensor.Slices()) return;
int4 offset0 = args.offsets.Read(S * 2 + 0, 0);
int4 offset1 = args.offsets.Read(S * 2 + 1, 0);
ACCUM_FLT4 res = INIT_ACCUM_FLT4(0.0f);
FLT4 last_mask;
int last_src_ch = (args.src_tensor.Slices() - 1) * 4;
last_mask.x = INIT_FLT(1.0f);
last_mask.y = last_src_ch + 1 < args.src_tensor.Channels() ? INIT_FLT(1.0f) : INIT_FLT(0.0f);
last_mask.z = last_src_ch + 2 < args.src_tensor.Channels() ? INIT_FLT(1.0f) : INIT_FLT(0.0f);
last_mask.w = last_src_ch + 3 < args.src_tensor.Channels() ? INIT_FLT(1.0f) : INIT_FLT(0.0f);
for (int s = 0; s < args.src_tensor.Slices(); ++s) {
FLT4 src = args.src_tensor.Read(X, Y, s);
FLT4 w0 = args.weights_tensor.Read(X + offset0.x, Y + offset0.y, s);
FLT4 w1 = args.weights_tensor.Read(X + offset0.z, Y + offset0.w, s);
FLT4 w2 = args.weights_tensor.Read(X + offset1.x, Y + offset1.y, s);
FLT4 w3 = args.weights_tensor.Read(X + offset1.z, Y + offset1.w, s);
FLT4 mask = INIT_FLT4(1.0f);
if (s == (args.src_tensor.Slices() - 1)) {
mask = last_mask;
}
src *= mask;
res.x += dot(src, w0);
res.y += dot(src, w1);
res.z += dot(src, w2);
res.w += dot(src, w3);
}
FLT4 result = TO_FLT4(res) / INIT_FLT(args.src_tensor.Channels());
args.dst_tensor.Write(result, X, Y, S);
})";
return c;
}
struct NodeContext {
Node* node;
std::vector<Value*> inputs;
std::vector<Value*> outputs;
};
absl::Status IsNode(const GraphFloat32& graph, OperationType op_type,
int inputs_count, int outputs_count, Node* node,
NodeContext* node_context) {
const std::string op_desc = ToString(op_type);
node_context->node = node;
if (node_context->node == nullptr) {
return absl::NotFoundError(absl::StrCat("Invalid ", op_desc, " node."));
}
if (OperationTypeFromString(node_context->node->operation.type) != op_type) {
return absl::InternalError(
absl::StrCat("Not correct node type. Expected ", op_desc, ", received ",
node_context->node->operation.type));
}
node_context->inputs = graph.FindInputs(node_context->node->id);
node_context->outputs = graph.FindOutputs(node_context->node->id);
if (inputs_count != -1) {
if (node_context->inputs.size() != inputs_count) {
return absl::InternalError(
absl::StrCat("Expected ", inputs_count, " input in a ", op_desc,
" node. Node has ", node_context->inputs.size()));
}
}
if (node_context->outputs.size() != outputs_count) {
return absl::InternalError(
absl::StrCat("Expected ", outputs_count, " output in a ", op_desc,
" node. Node has ", node_context->outputs.size()));
}
return absl::OkStatus();
}
absl::Status IsMeanNode(const GraphFloat32& graph, Node* node,
NodeContext* node_context) {
RETURN_IF_ERROR(IsNode(graph, OperationType::MEAN, 1, 1, node, node_context));
auto mean_attr =
absl::any_cast<MeanAttributes>(node_context->node->operation.attributes);
if (mean_attr.dims != std::set<Axis>{Axis::CHANNELS}) {
return absl::InternalError("Expected mean node with channels reduction.");
}
return absl::OkStatus();
}
absl::Status IsMulNode(const GraphFloat32& graph, Node* node,
NodeContext* node_context) {
RETURN_IF_ERROR(IsNode(graph, OperationType::MUL, 2, 1, node, node_context));
if (node_context->inputs[0]->tensor.shape !=
node_context->inputs[1]->tensor.shape) {
return absl::InternalError("Expected mul node with 2 equal tensors.");
}
return absl::OkStatus();
}
absl::Status IsSliceNode(const GraphFloat32& graph, Node* node,
NodeContext* node_context) {
RETURN_IF_ERROR(
IsNode(graph, OperationType::SLICE, 1, 1, node, node_context));
auto slice_attr =
absl::any_cast<SliceAttributes>(node_context->node->operation.attributes);
if (slice_attr.strides != BHWC(1, 1, 1, 1)) {
return absl::InternalError("Not valid attributes in slice node.");
}
return absl::OkStatus();
}
absl::Status IsConcatNode(const GraphFloat32& graph, Node* node,
NodeContext* node_context) {
RETURN_IF_ERROR(
IsNode(graph, OperationType::CONCAT, -1, 1, node, node_context));
auto concat_attr = absl::any_cast<ConcatAttributes>(
node_context->node->operation.attributes);
if (concat_attr.axis != Axis::CHANNELS) {
return absl::InternalError("Not valid attributes in concat node.");
}
return absl::OkStatus();
}
absl::Status GetOffset(const GraphFloat32& graph, NodeId concat_input_node,
NodeId second_commom_input_id, int* offset_x,
int* offset_y, std::set<NodeId>* consumed_nodes) {
NodeContext mean_node, mul_node, slice_node;
RETURN_IF_ERROR(
IsMeanNode(graph, graph.FindProducer(concat_input_node), &mean_node));
RETURN_IF_ERROR(
IsMulNode(graph, graph.FindProducer(mean_node.inputs[0]->id), &mul_node));
const ValueId slice_output_id =
mul_node.inputs[0]->id == second_commom_input_id ? mul_node.inputs[1]->id
: mul_node.inputs[0]->id;
RETURN_IF_ERROR(
IsSliceNode(graph, graph.FindProducer(slice_output_id), &slice_node));
auto slice_attr =
absl::any_cast<SliceAttributes>(slice_node.node->operation.attributes);
*offset_x = slice_attr.starts.w;
*offset_y = slice_attr.starts.h;
consumed_nodes->insert(mean_node.node->id);
consumed_nodes->insert(mul_node.node->id);
consumed_nodes->insert(slice_node.node->id);
return absl::OkStatus();
}
} // namespace
GPUOperation CreateConvPointwise(const OperationDef& definition,
const ConvPointwiseAttributes& attr) {
const int dst_channels = attr.offsets.size();
const int dst_depth = DivideRoundUp(dst_channels, 4);
std::vector<int32_t> offsets_data(dst_depth * 2 * 4, 0);
for (int i = 0; i < attr.offsets.size(); ++i) {
offsets_data[i * 2 + 0] = attr.offsets[i].x;
offsets_data[i * 2 + 1] = attr.offsets[i].y;
}
for (int i = attr.offsets.size(); i < offsets_data.size() / 2; ++i) {
offsets_data[i * 2 + 0] = attr.offsets.back().x;
offsets_data[i * 2 + 1] = attr.offsets.back().y;
}
Texture2DDescriptor desc;
desc.element_type = DataType::INT32;
desc.size = int2(dst_depth * 2, 1);
desc.data.resize(offsets_data.size() * 4);
memcpy(desc.data.data(), offsets_data.data(), offsets_data.size() * 4);
GPUOperation op(definition);
op.AddSrcTensor("src_tensor", definition.src_tensors[0]);
op.AddSrcTensor("weights_tensor", definition.src_tensors[1]);
op.AddDstTensor("dst_tensor", definition.dst_tensors[0]);
op.code_ = GenerateCode();
op.tensor_to_grid_ = TensorToGrid::kWBToX_HDToY_SToZ;
op.args_.AddObject("offsets",
absl::make_unique<Texture2DDescriptor>(std::move(desc)));
return op;
}
absl::Status TryFusedPointwiseConv(
const GraphFloat32& graph, NodeId first_node_id,
CalculationsPrecision precision,
const std::map<ValueId, TensorDescriptor>& tensor_descriptors,
std::set<NodeId>* consumed_nodes, GPUOperationsSubgraph* gpu_subgraph) {
NodeContext slice_node;
RETURN_IF_ERROR(
IsSliceNode(graph, graph.GetNode(first_node_id), &slice_node));
const auto& first_commom_input = slice_node.inputs[0];
auto slice_consumers = graph.FindConsumers(slice_node.outputs[0]->id);
if (slice_consumers.size() != 1) {
return absl::NotFoundError("FusedPointwiseConv not suitable.");
}
NodeContext mul_node;
RETURN_IF_ERROR(IsMulNode(graph, slice_consumers[0], &mul_node));
const auto& second_commom_input =
mul_node.inputs[0]->id == slice_node.outputs[0]->id ? mul_node.inputs[1]
: mul_node.inputs[0];
auto mul_consumers = graph.FindConsumers(mul_node.outputs[0]->id);
if (mul_consumers.size() != 1) {
return absl::NotFoundError("FusedPointwiseConv not suitable.");
}
NodeContext mean_node;
RETURN_IF_ERROR(IsMeanNode(graph, mul_consumers[0], &mean_node));
auto mean_consumers = graph.FindConsumers(mean_node.outputs[0]->id);
if (mean_consumers.size() != 1) {
return absl::NotFoundError("FusedPointwiseConv not suitable.");
}
NodeContext concat_node;
RETURN_IF_ERROR(IsConcatNode(graph, mean_consumers[0], &concat_node));
ConvPointwiseAttributes op_attr;
std::set<NodeId> temp_consumed_nodes;
for (const auto& concat_input : concat_node.inputs) {
int offset_x, offset_y;
RETURN_IF_ERROR(GetOffset(graph, concat_input->id, second_commom_input->id,
&offset_x, &offset_y, &temp_consumed_nodes));
op_attr.offsets.push_back(int2(offset_x, offset_y));
}
consumed_nodes->insert(temp_consumed_nodes.begin(),
temp_consumed_nodes.end());
consumed_nodes->insert(concat_node.node->id);
OperationDef op_def;
op_def.precision = precision;
auto it = tensor_descriptors.find(second_commom_input->id);
if (it != tensor_descriptors.end()) {
op_def.src_tensors.push_back(it->second);
}
it = tensor_descriptors.find(first_commom_input->id);
if (it != tensor_descriptors.end()) {
op_def.src_tensors.push_back(it->second);
}
it = tensor_descriptors.find(concat_node.outputs[0]->id);
if (it != tensor_descriptors.end()) {
op_def.dst_tensors.push_back(it->second);
}
std::unique_ptr<GPUOperation>* gpu_op =
InitSingleOpSubgraph({second_commom_input, first_commom_input},
{concat_node.outputs[0]}, gpu_subgraph);
auto operation = CreateConvPointwise(op_def, op_attr);
*gpu_op = absl::make_unique<GPUOperation>(std::move(operation));
return absl::OkStatus();
}
} // namespace gpu
} // namespace tflite
| C++ | 4 | EricRemmerswaal/tensorflow | tensorflow/lite/delegates/gpu/common/tasks/special/conv_pointwise.cc | [
"Apache-2.0"
] |
// error-pattern: invalid windows subsystem `wrong`, only `windows` and `console` are allowed
#![windows_subsystem = "wrong"]
fn main() {}
| Rust | 3 | Eric-Arellano/rust | src/test/ui/windows-subsystem-invalid.rs | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
/*
* By downloading, copying, installing or using the software you agree to this license.
* If you do not agree to this license, do not download, install,
* copy or use the software.
*
*
* License Agreement
* For Open Source Computer Vision Library
* (3-clause BSD License)
*
* Copyright (C) 2014, NVIDIA Corporation, all rights reserved.
* Third party copyrights are property of their respective owners.
*
* Redistribution and use in source and binary forms, with or without modification,
* are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice,
* this list of conditions and the following disclaimer.
*
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* * Neither the names of the copyright holders nor the names of the contributors
* may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* This software is provided by the copyright holders and contributors "as is" and
* any express or implied warranties, including, but not limited to, the implied
* warranties of merchantability and fitness for a particular purpose are disclaimed.
* In no event shall copyright holders or contributors be liable for any direct,
* indirect, incidental, special, exemplary, or consequential damages
* (including, but not limited to, procurement of substitute goods or services;
* loss of use, data, or profits; or business interruption) however caused
* and on any theory of liability, whether in contract, strict liability,
* or tort (including negligence or otherwise) arising in any way out of
* the use of this software, even if advised of the possibility of such damage.
*/
#include "common.hpp"
#include "vtransform.hpp"
namespace CAROTENE_NS {
#ifdef CAROTENE_NEON
namespace {
template <typename T, typename WT>
struct SubWrap
{
typedef T type;
void operator() (const typename internal::VecTraits<T>::vec128 & v_src0,
const typename internal::VecTraits<T>::vec128 & v_src1,
typename internal::VecTraits<T>::vec128 & v_dst) const
{
v_dst = internal::vsubq(v_src0, v_src1);
}
void operator() (const typename internal::VecTraits<T>::vec64 & v_src0,
const typename internal::VecTraits<T>::vec64 & v_src1,
typename internal::VecTraits<T>::vec64 & v_dst) const
{
v_dst = internal::vsub(v_src0, v_src1);
}
void operator() (const T * src0, const T * src1, T * dst) const
{
dst[0] = (T)((WT)src0[0] - (WT)src1[0]);
}
};
template <typename T, typename WT>
struct SubSaturate
{
typedef T type;
void operator() (const typename internal::VecTraits<T>::vec128 & v_src0,
const typename internal::VecTraits<T>::vec128 & v_src1,
typename internal::VecTraits<T>::vec128 & v_dst) const
{
v_dst = internal::vqsubq(v_src0, v_src1);
}
void operator() (const typename internal::VecTraits<T>::vec64 & v_src0,
const typename internal::VecTraits<T>::vec64 & v_src1,
typename internal::VecTraits<T>::vec64 & v_dst) const
{
v_dst = internal::vqsub(v_src0, v_src1);
}
void operator() (const T * src0, const T * src1, T * dst) const
{
dst[0] = internal::saturate_cast<T>((WT)src0[0] - (WT)src1[0]);
}
};
} // namespace
#endif
void sub(const Size2D &size,
const u8 * src0Base, ptrdiff_t src0Stride,
const u8 * src1Base, ptrdiff_t src1Stride,
u8 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY policy)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
if (policy == CONVERT_POLICY_SATURATE)
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubSaturate<u8, s16>());
}
else
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubWrap<u8, s16>());
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
(void)policy;
#endif
}
void sub(const Size2D &size,
const u8 * src0Base, ptrdiff_t src0Stride,
const u8 * src1Base, ptrdiff_t src1Stride,
s16 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
size_t roiw32 = size.width >= 31 ? size.width - 31 : 0;
size_t roiw8 = size.width >= 7 ? size.width - 7 : 0;
for (size_t i = 0; i < size.height; ++i)
{
const u8 * src0 = internal::getRowPtr(src0Base, src0Stride, i);
const u8 * src1 = internal::getRowPtr(src1Base, src1Stride, i);
u16 * dstu16 = internal::getRowPtr((u16 *)dstBase, dstStride, i);
s16 * dst = internal::getRowPtr(dstBase, dstStride, i);
size_t j = 0;
for (; j < roiw32; j += 32)
{
internal::prefetch(src0 + j);
internal::prefetch(src1 + j);
uint8x16_t v_src00 = vld1q_u8(src0 + j), v_src01 = vld1q_u8(src0 + j + 16);
uint8x16_t v_src10 = vld1q_u8(src1 + j), v_src11 = vld1q_u8(src1 + j + 16);
vst1q_u16(dstu16 + j, vsubl_u8(vget_low_u8(v_src00), vget_low_u8(v_src10)));
vst1q_u16(dstu16 + j + 8, vsubl_u8(vget_high_u8(v_src00), vget_high_u8(v_src10)));
vst1q_u16(dstu16 + j + 16, vsubl_u8(vget_low_u8(v_src01), vget_low_u8(v_src11)));
vst1q_u16(dstu16 + j + 24, vsubl_u8(vget_high_u8(v_src01), vget_high_u8(v_src11)));
}
for (; j < roiw8; j += 8)
{
uint8x8_t v_src0 = vld1_u8(src0 + j);
uint8x8_t v_src1 = vld1_u8(src1 + j);
vst1q_u16(dstu16 + j, vsubl_u8(v_src0, v_src1));
}
for (; j < size.width; j++)
dst[j] = (s16)src0[j] - (s16)src1[j];
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
#endif
}
void sub(const Size2D &size,
const u8 * src0Base, ptrdiff_t src0Stride,
const u8 * src1Base, ptrdiff_t src1Stride,
f32 *dstBase, ptrdiff_t dstStride)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
size_t roiw32 = size.width >= 31 ? size.width - 31 : 0;
size_t roiw8 = size.width >= 7 ? size.width - 7 : 0;
for (size_t i = 0; i < size.height; ++i)
{
const u8 * src0 = internal::getRowPtr(src0Base, src0Stride, i);
const u8 * src1 = internal::getRowPtr(src1Base, src1Stride, i);
f32 * dst = internal::getRowPtr(dstBase, dstStride, i);
size_t j = 0;
for (; j < roiw32; j += 32)
{
internal::prefetch(src0 + j);
internal::prefetch(src1 + j);
uint8x16_t v_src00 = vld1q_u8(src0 + j), v_src01 = vld1q_u8(src0 + j + 16);
uint8x16_t v_src10 = vld1q_u8(src1 + j), v_src11 = vld1q_u8(src1 + j + 16);
int16x8_t vsl = vreinterpretq_s16_u16(vsubl_u8( vget_low_u8(v_src00), vget_low_u8(v_src10)));
int16x8_t vsh = vreinterpretq_s16_u16(vsubl_u8(vget_high_u8(v_src00), vget_high_u8(v_src10)));
vst1q_f32(dst + j + 0, vcvtq_f32_s32(vmovl_s16( vget_low_s16(vsl) )));
vst1q_f32(dst + j + 4, vcvtq_f32_s32(vmovl_s16( vget_high_s16(vsl) )));
vst1q_f32(dst + j + 8, vcvtq_f32_s32(vmovl_s16( vget_low_s16(vsh) )));
vst1q_f32(dst + j + 12, vcvtq_f32_s32(vmovl_s16( vget_high_s16(vsh) )));
vsl = vreinterpretq_s16_u16(vsubl_u8( vget_low_u8(v_src01), vget_low_u8(v_src11)));
vsh = vreinterpretq_s16_u16(vsubl_u8(vget_high_u8(v_src01), vget_high_u8(v_src11)));
vst1q_f32(dst + j + 16, vcvtq_f32_s32(vmovl_s16( vget_low_s16(vsl) )));
vst1q_f32(dst + j + 20, vcvtq_f32_s32(vmovl_s16( vget_high_s16(vsl) )));
vst1q_f32(dst + j + 24, vcvtq_f32_s32(vmovl_s16( vget_low_s16(vsh) )));
vst1q_f32(dst + j + 28, vcvtq_f32_s32(vmovl_s16( vget_high_s16(vsh) )));
}
for (; j < roiw8; j += 8)
{
uint8x8_t v_src0 = vld1_u8(src0 + j);
uint8x8_t v_src1 = vld1_u8(src1 + j);
int16x8_t vs = vreinterpretq_s16_u16(vsubl_u8(v_src0, v_src1));
vst1q_f32(dst + j + 0, vcvtq_f32_s32(vmovl_s16( vget_low_s16(vs) )));
vst1q_f32(dst + j + 4, vcvtq_f32_s32(vmovl_s16( vget_high_s16(vs) )));
}
for(; j < size.width; j++)
dst[j] = (f32)src0[j] - (f32)src1[j];
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
#endif
}
void sub(const Size2D &size,
const u8 * src0Base, ptrdiff_t src0Stride,
const s16 * src1Base, ptrdiff_t src1Stride,
s16 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY policy)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
size_t roiw16 = size.width >= 15 ? size.width - 15 : 0;
size_t roiw8 = size.width >= 7 ? size.width - 7 : 0;
for (size_t i = 0; i < size.height; ++i)
{
const u8 * src0 = internal::getRowPtr(src0Base, src0Stride, i);
const s16 * src1 = internal::getRowPtr(src1Base, src1Stride, i);
s16 * dst = internal::getRowPtr(dstBase, dstStride, i);
size_t j = 0;
if (policy == CONVERT_POLICY_SATURATE)
{
for (; j < roiw16; j += 16)
{
internal::prefetch(src0 + j);
internal::prefetch(src1 + j);
uint8x16_t v_src0 = vld1q_u8(src0 + j);
int16x8_t v_src00 = vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(v_src0)));
int16x8_t v_src01 = vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(v_src0)));
int16x8_t v_src10 = vld1q_s16(src1 + j), v_src11 = vld1q_s16(src1 + j + 8);
int16x8_t v_dst0 = vqsubq_s16(v_src00, v_src10);
int16x8_t v_dst1 = vqsubq_s16(v_src01, v_src11);
vst1q_s16(dst + j, v_dst0);
vst1q_s16(dst + j + 8, v_dst1);
}
for (; j < roiw8; j += 8)
{
int16x8_t v_src0 = vreinterpretq_s16_u16(vmovl_u8(vld1_u8(src0 + j)));
int16x8_t v_src1 = vld1q_s16(src1 + j);
int16x8_t v_dst = vqsubq_s16(v_src0, v_src1);
vst1q_s16(dst + j, v_dst);
}
for (; j < size.width; j++)
dst[j] = internal::saturate_cast<s16>((s32)src0[j] - (s32)src1[j]);
}
else
{
for (; j < roiw16; j += 16)
{
internal::prefetch(src0 + j);
internal::prefetch(src1 + j);
uint8x16_t v_src0 = vld1q_u8(src0 + j);
int16x8_t v_src00 = vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(v_src0)));
int16x8_t v_src01 = vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(v_src0)));
int16x8_t v_src10 = vld1q_s16(src1 + j), v_src11 = vld1q_s16(src1 + j + 8);
int16x8_t v_dst0 = vsubq_s16(v_src00, v_src10);
int16x8_t v_dst1 = vsubq_s16(v_src01, v_src11);
vst1q_s16(dst + j, v_dst0);
vst1q_s16(dst + j + 8, v_dst1);
}
for (; j < roiw8; j += 8)
{
int16x8_t v_src0 = vreinterpretq_s16_u16(vmovl_u8(vld1_u8(src0 + j)));
int16x8_t v_src1 = vld1q_s16(src1 + j);
int16x8_t v_dst = vsubq_s16(v_src0, v_src1);
vst1q_s16(dst + j, v_dst);
}
for (; j < size.width; j++)
dst[j] = (s16)((s32)src0[j] - (s32)src1[j]);
}
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
(void)policy;
#endif
}
void sub(const Size2D &size,
const s16 * src0Base, ptrdiff_t src0Stride,
const u8 * src1Base, ptrdiff_t src1Stride,
s16 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY policy)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
size_t roiw16 = size.width >= 15 ? size.width - 15 : 0;
size_t roiw8 = size.width >= 7 ? size.width - 7 : 0;
for (size_t i = 0; i < size.height; ++i)
{
const s16 * src0 = internal::getRowPtr(src0Base, src0Stride, i);
const u8 * src1 = internal::getRowPtr(src1Base, src1Stride, i);
s16 * dst = internal::getRowPtr(dstBase, dstStride, i);
size_t j = 0;
if (policy == CONVERT_POLICY_SATURATE)
{
for (; j < roiw16; j += 16)
{
internal::prefetch(src0 + j);
internal::prefetch(src1 + j);
int16x8_t v_src00 = vld1q_s16(src0 + j), v_src01 = vld1q_s16(src0 + j + 8);
uint8x16_t v_src1 = vld1q_u8(src1 + j);
int16x8_t v_src10 = vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(v_src1)));
int16x8_t v_src11 = vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(v_src1)));
int16x8_t v_dst0 = vqsubq_s16(v_src00, v_src10);
int16x8_t v_dst1 = vqsubq_s16(v_src01, v_src11);
vst1q_s16(dst + j, v_dst0);
vst1q_s16(dst + j + 8, v_dst1);
}
for (; j < roiw8; j += 8)
{
int16x8_t v_src0 = vld1q_s16(src0 + j);
int16x8_t v_src1 = vreinterpretq_s16_u16(vmovl_u8(vld1_u8(src1 + j)));
int16x8_t v_dst = vqsubq_s16(v_src0, v_src1);
vst1q_s16(dst + j, v_dst);
}
for (; j < size.width; j++)
dst[j] = internal::saturate_cast<s16>((s32)src0[j] - (s32)src1[j]);
}
else
{
for (; j < roiw16; j += 16)
{
internal::prefetch(src0 + j);
internal::prefetch(src1 + j);
int16x8_t v_src00 = vld1q_s16(src0 + j), v_src01 = vld1q_s16(src0 + j + 8);
uint8x16_t v_src1 = vld1q_u8(src1 + j);
int16x8_t v_src10 = vreinterpretq_s16_u16(vmovl_u8(vget_low_u8(v_src1)));
int16x8_t v_src11 = vreinterpretq_s16_u16(vmovl_u8(vget_high_u8(v_src1)));
int16x8_t v_dst0 = vsubq_s16(v_src00, v_src10);
int16x8_t v_dst1 = vsubq_s16(v_src01, v_src11);
vst1q_s16(dst + j, v_dst0);
vst1q_s16(dst + j + 8, v_dst1);
}
for (; j < roiw8; j += 8)
{
int16x8_t v_src0 = vld1q_s16(src0 + j);
int16x8_t v_src1 = vreinterpretq_s16_u16(vmovl_u8(vld1_u8(src1 + j)));
int16x8_t v_dst = vsubq_s16(v_src0, v_src1);
vst1q_s16(dst + j, v_dst);
}
for (; j < size.width; j++)
dst[j] = (s16)((s32)src0[j] - (s32)src1[j]);
}
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
(void)policy;
#endif
}
void sub(const Size2D &size,
const s8 * src0Base, ptrdiff_t src0Stride,
const s8 * src1Base, ptrdiff_t src1Stride,
s8 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY policy)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
if (policy == CONVERT_POLICY_SATURATE)
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubSaturate<s8, s16>());
}
else
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubWrap<s8, s16>());
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
(void)policy;
#endif
}
void sub(const Size2D &size,
const s16 * src0Base, ptrdiff_t src0Stride,
const s16 * src1Base, ptrdiff_t src1Stride,
s16 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY policy)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
if (policy == CONVERT_POLICY_SATURATE)
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubSaturate<s16, s32>());
}
else
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubWrap<s16, s32>());
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
(void)policy;
#endif
}
void sub(const Size2D &size,
const u16 * src0Base, ptrdiff_t src0Stride,
const u16 * src1Base, ptrdiff_t src1Stride,
u16 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY policy)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
if (policy == CONVERT_POLICY_SATURATE)
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubSaturate<u16, s32>());
}
else
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubWrap<u16, s32>());
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
(void)policy;
#endif
}
void sub(const Size2D &size,
const s32 * src0Base, ptrdiff_t src0Stride,
const s32 * src1Base, ptrdiff_t src1Stride,
s32 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY policy)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
if (policy == CONVERT_POLICY_SATURATE)
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubSaturate<s32, s64>());
}
else
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubWrap<s32, s64>());
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
(void)policy;
#endif
}
void sub(const Size2D &size,
const u32 * src0Base, ptrdiff_t src0Stride,
const u32 * src1Base, ptrdiff_t src1Stride,
u32 *dstBase, ptrdiff_t dstStride,
CONVERT_POLICY policy)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
if (policy == CONVERT_POLICY_SATURATE)
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubSaturate<u32, s64>());
}
else
{
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubWrap<u32, s64>());
}
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
(void)policy;
#endif
}
void sub(const Size2D &size,
const f32 * src0Base, ptrdiff_t src0Stride,
const f32 * src1Base, ptrdiff_t src1Stride,
f32 *dstBase, ptrdiff_t dstStride)
{
internal::assertSupportedConfiguration();
#ifdef CAROTENE_NEON
internal::vtransform(size,
src0Base, src0Stride,
src1Base, src1Stride,
dstBase, dstStride,
SubWrap<f32, f32>());
#else
(void)size;
(void)src0Base;
(void)src0Stride;
(void)src1Base;
(void)src1Stride;
(void)dstBase;
(void)dstStride;
#endif
}
} // namespace CAROTENE_NS
| C++ | 4 | thisisgopalmandal/opencv | 3rdparty/carotene/src/sub.cpp | [
"BSD-3-Clause"
] |
<?xml version="1.0" encoding="UTF-8" ?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes" doctype-system="http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd"
doctype-public="-//W3C//DTD XHTML 1.0 Strict//EN"/>
<xsl:template match="/">
<html>
<body>
<script>
if (window.testRunner)
testRunner.dumpAsText();
</script>
<xsl:apply-templates/>
</body>
</html>
</xsl:template>
</xsl:stylesheet>
| XSLT | 3 | zealoussnow/chromium | third_party/blink/web_tests/fast/xsl/utf8-chunks.xsl | [
"BSD-3-Clause-No-Nuclear-License-2014",
"BSD-3-Clause"
] |
p('Include German') | Smarty | 2 | nicchagil/spring-framework | spring-webmvc/src/test/resources/org/springframework/web/servlet/view/groovy/includes/include_de_DE.tpl | [
"Apache-2.0"
] |
\data\
ngram 1=62
ngram 2=3721
\1-grams:
-99 <unk>
0 aa -99.000000
0 ae -99.000000
0 ah -99.000000
0 ao -99.000000
0 aw -99.000000
0 ax -99.000000
0 axh -99.000000
0 axr -99.000000
0 ay -99.000000
0 b -99.000000
0 bcl -99.000000
0 ch -99.000000
0 d -99.000000
0 dcl -99.000000
0 dh -99.000000
0 dx -99.000000
0 eh -99.000000
0 el -99.000000
0 em -99.000000
0 en -99.000000
0 eng -99.000000
0 epi -99.000000
0 er -99.000000
0 ey -99.000000
0 f -99.000000
0 g -99.000000
0 gcl -99.000000
0 h# -99.000000
0 hh -99.000000
0 hv -99.000000
0 ih -99.000000
0 ix -99.000000
0 iy -99.000000
0 jh -99.000000
0 k -99.000000
0 kcl -99.000000
0 l -99.000000
0 m -99.000000
0 n -99.000000
0 ng -99.000000
0 nx -99.000000
0 ow -99.000000
0 oy -99.000000
0 p -99.000000
0 pau -99.000000
0 pcl -99.000000
0 q -99.000000
0 r -99.000000
0 s -99.000000
0 sh -99.000000
0 t -99.000000
0 tcl -99.000000
0 th -99.000000
0 uh -99.000000
0 uw -99.000000
0 ux -99.000000
0 v -99.000000
0 w -99.000000
0 y -99.000000
0 z -99.000000
0 zh -99.000000
\2-grams:
-3.33538162102 aa aa
-3.3310386762 aa ae
-3.33538162102 aa ah
-2.95754542176 aa ao
-3.82613438557 aa aw
-2.95754542176 aa ax
-4.13882641254 aa axh
-2.2583313059 aa axr
-3.65241659281 aa ay
-3.35275340029 aa b
-1.44620062474 aa bcl
-3.77401904774 aa ch
-3.30498100728 aa d
-1.31156933535 aa dcl
-2.42336320902 aa dh
-1.23339632861 aa dx
-3.17469266271 aa eh
-3.71321782027 aa el
-4.59483561854 aa em
-3.89127855785 aa en
-5.27667795512 aa eng
-3.17903560753 aa epi
-2.61445278106 aa er
-3.33538162102 aa ey
-1.85443743773 aa f
-3.61333008944 aa g
-1.94563927893 aa gcl
-3.65241659281 aa h#
-3.17903560753 aa hh
-2.61445278106 aa hv
-3.06177609742 aa ih
-3.17903560753 aa ix
-3.65241659281 aa iy
-3.68281720654 aa jh
-3.10954849043 aa k
-1.12482270813 aa kcl
-1.0944220944 aa l
-1.21168160451 aa m
-1.13350859777 aa n
-2.29307486445 aa ng
-1.70677731388 aa nx
-3.65241659281 aa ow
-4.20831352964 aa oy
-3.27892333837 aa p
-3.65241659281 aa pau
-1.22036749415 aa pcl
-1.66769081051 aa q
-0.586297550569 aa r
-1.40711412137 aa s
-2.13672885096 aa sh
-3.09217671115 aa t
-1.10310798403 aa tcl
-2.95754542176 aa th
-3.99116628869 aa uh
-3.96510861978 aa uw
-3.53515708269 aa ux
-2.08461351314 aa v
-2.70131167744 aa w
-2.70131167744 aa y
-2.11067118205 aa z
-2.61445278106 aa zh
-3.51778530342 ae aa
-3.5134423586 ae ae
-3.18337855235 ae ah
-3.60030125498 ae ao
-4.00853806797 ae aw
-2.81422824273 ae ax
-4.32123009494 ae axh
-2.70565462226 ae axr
-3.58727242052 ae ay
-3.53515708269 ae b
-1.57214602449 ae bcl
-3.66110248244 ae ch
-3.48738468968 ae d
-1.42448590064 ae dcl
-2.70565462226 ae dh
-1.23339632861 ae dx
-3.66110248244 ae eh
-3.89562150267 ae el
-4.77723930094 ae em
-3.66110248244 ae en
-5.45908163752 ae eng
-3.66110248244 ae epi
-3.64373070317 ae er
-3.51778530342 ae ey
-1.26813988716 ae f
-3.79573377183 ae g
-1.48094418329 ae gcl
-3.30498100728 ae h#
-3.89996444749 ae hh
-4.01288101279 ae hv
-3.24417977982 ae ih
-3.00531781477 ae ix
-3.20509327645 ae iy
-3.86522088894 ae jh
-3.66110248244 ae k
-0.951104915368 ae kcl
-1.19865277005 ae l
-1.15088037704 ae m
-0.751329453693 ae n
-1.54608835558 ae ng
-1.5070018522 ae nx
-3.65241659281 ae ow
-4.39071721204 ae oy
-3.46132702077 ae p
-3.66110248244 ae pau
-1.46357240401 ae pcl
-2.02815523049 ae q
-2.43204909866 ae r
-1.18996688041 ae s
-1.58517485895 ae sh
-3.27458039355 ae t
-1.19430982523 ae tcl
-1.97169694784 ae th
-4.17356997109 ae uh
-4.14751230218 ae uw
-3.71756076509 ae ux
-1.38539939727 ae v
-3.18337855235 ae w
-2.14107179578 ae y
-1.55043130039 ae z
-2.61879572588 ae zh
-3.39183982306 ah aa
-3.38749687824 ah ae
-3.39183982306 ah ah
-3.47435577462 ah ao
-3.88259258761 ah aw
-3.1964073062 ah ax
-4.19528461458 ah axh
-3.65675945702 ah axr
-3.46132694016 ah ay
-3.40921160234 ah b
-1.38539931667 ah bcl
-3.83047724978 ah ch
-3.36143920933 ah d
-1.59386066798 ah dcl
-1.37671342703 ah dh
-1.33328397884 ah dx
-3.23115086476 ah eh
-3.76967602232 ah el
-4.65129382058 ah em
-3.65675945702 ah en
-3.65675945702 ah eng
-2.95754534116 ah epi
-3.65675945702 ah er
-3.65675945702 ah ey
-1.6199183369 ah f
-3.66978829148 ah g
-1.69809134364 ah gcl
-2.19318705301 ah h#
-2.33216128722 ah hh
-2.25833122529 ah hv
-3.65675945702 ah ih
-2.95754534116 ah ix
-3.07914779609 ah iy
-3.65675945702 ah jh
-3.16600669247 ah k
-1.54608827497 ah kcl
-1.29854042029 ah l
-1.00756311741 ah m
-0.794758821279 ah n
-1.40711404076 ah ng
-1.58083183352 ah nx
-3.52647111245 ah ow
-4.26477173169 ah oy
-3.33538154041 ah p
-2.25833122529 ah pau
-1.27248275137 ah pcl
-1.77192140556 ah q
-2.13672877036 ah r
-1.12047968271 ah s
-1.7806072952 ah sh
-3.14863491319 ah t
-1.12482262753 ah tcl
-1.80666496411 ah th
-4.04762449073 ah uh
-4.02156682182 ah uw
-3.59161528474 ah ux
-1.233396248 ah v
-2.47982141106 ah w
-2.80988521731 ah y
-1.42882876486 ah z
-2.70131159683 ah zh
-3.56990064124 ao aa
-3.03137548368 ao ae
-2.87068652538 ao ah
-3.11823438007 ao ao
-3.56990064124 ao aw
-2.5319368295 ao ax
-3.83916322002 ao axh
-1.56780307967 ao axr
-3.10520554561 ao ay
-3.05309020778 ao b
-2.11067118205 ao bcl
-3.47435585523 ao ch
-3.00531781477 ao d
-1.95866811338 ao dcl
-2.39730554011 ao dh
-1.43317179028 ao dx
-3.56990064124 ao eh
-3.41355462776 ao el
-4.29517242602 ao em
-3.56990064124 ao en
-4.97701476261 ao eng
-3.56990064124 ao epi
-2.39730554011 ao er
-2.87068652538 ao ey
-1.26813988716 ao f
-3.31366689692 ao g
-1.78495032062 ao gcl
-3.56990064124 ao h#
-3.41789757258 ao hh
-2.72736934635 ao hv
-2.87068652538 ao ih
-2.0542128994 ao ix
-2.5319368295 ao iy
-3.38315401403 ao jh
-2.80988529791 ao k
-1.74586381725 ao kcl
-0.868588963807 ao l
-2.17581535434 ao m
-1.25076810788 ao n
-1.30722639053 ao ng
-2.0542128994 ao nx
-3.17034971789 ao ow
-3.90865033713 ao oy
-2.97926014586 ao p
-3.09651965597 ao pau
-2.17581535434 ao pcl
-1.55043130039 ao q
-0.421265647446 ao r
-1.28551166643 ao s
-2.39730554011 ao sh
-3.56990064124 ao t
-1.67203375533 ao tcl
-1.91958161001 ao th
-3.69150309618 ao uh
-3.66544542726 ao uw
-3.23549389018 ao ux
-2.5319368295 ao v
-2.21055891289 ao w
-2.72736934635 ao y
-1.75889265171 ao z
-3.56990064124 ao zh
-2.68828284298 aw aa
-2.46244971239 aw ae
-1.98906872712 aw ah
-3.16166382826 aw ao
-3.17903560753 aw aw
-1.70243436906 aw ax
-3.4917276345 aw axh
-1.35065583872 aw axr
-2.21055891289 aw ay
-2.70565462226 aw b
-2.46244971239 aw bcl
-3.1269202697 aw ch
-2.65788222925 aw d
-1.6199184175 aw dcl
-2.46244971239 aw dh
-1.08573620476 aw dx
-1.93261044447 aw eh
-2.46244971239 aw el
-3.9477368405 aw em
-3.24417977982 aw en
-4.62957917709 aw eng
-2.46244971239 aw epi
-1.67203375533 aw er
-2.31913253336 aw ey
-2.21055891289 aw f
-2.9662313114 aw g
-2.46244971239 aw gcl
-1.84140860327 aw h#
-3.07046198706 aw hh
-2.31913253336 aw hv
-2.41467731938 aw ih
-2.04986995458 aw ix
-2.31913253336 aw iy
-3.0357184285 aw jh
-2.46244971239 aw k
-1.98906872712 aw kcl
-1.73283498279 aw l
-1.76323559653 aw m
-0.608012274665 aw n
-2.9662313114 aw ng
-1.76323559653 aw nx
-2.21055891289 aw ow
-2.68393989816 aw oy
-2.63182456033 aw p
-2.46244971239 aw pau
-1.93261044447 aw pcl
-1.03362086693 aw q
-2.31913253336 aw r
-1.28985461125 aw s
-2.68393989816 aw sh
-2.44507793312 aw t
-0.864246018987 aw tcl
-2.12370001651 aw th
-3.34406751066 aw uh
-3.31800984174 aw uw
-2.88805830466 aw ux
-3.16166382826 aw v
-1.4375147351 aw w
-3.16166382826 aw y
-1.70243436906 aw z
-3.16166382826 aw zh
-3.84784910966 ax aa
-3.62201597907 ax ae
-3.62635892389 ax ah
-3.37446812439 ax ao
-3.84784910966 ax aw
-3.43092640704 ax ax
-4.42980371541 ax axh
-3.59161536534 ax axr
-3.84784910966 ax ay
-3.64373070317 ax b
-1.1639092115 ax bcl
-3.84784910966 ax ch
-3.59595831016 ax d
-1.45922945919 ax dcl
-1.83706565845 ax dh
-1.94129633411 ax dx
-3.46566996559 ax eh
-4.00419512315 ax el
-3.84784910966 ax em
-4.18225586073 ax en
-5.567655258 ax eng
-3.1486349938 ax epi
-3.75230432364 ax er
-3.62635892389 ax ey
-1.40711412137 ax f
-3.90430739231 ax g
-1.871809217 ax gcl
-1.99775461675 ax h#
-2.28004602999 ax hh
-1.97603989266 ax hv
-3.35275340029 ax ih
-3.84784910966 ax ix
-3.31366689692 ax iy
-3.97379450941 ax jh
-3.4005257933 ax k
-1.46357240401 ax kcl
-0.89898957754 ax l
-0.964133749825 ax m
-0.972819639463 ax n
-3.84784910966 ax ng
-2.02381228567 ax nx
-3.37446812439 ax ow
-4.49929083252 ax oy
-3.56990064124 ax p
-2.73605523599 ax pau
-1.23773927342 ax pcl
-1.88918099628 ax q
-1.8023220999 ax r
-1.06836442548 ax s
-2.48850738131 ax sh
-3.38315401403 ax t
-1.46357240401 ax tcl
-1.73283498279 ax th
-4.28214359157 ax uh
-4.25608592265 ax uw
-3.82613438557 ax ux
-1.08139325994 ax v
-1.36368467318 ax w
-3.1486349938 ax y
-1.35934172836 ax z
-4.80763991467 ax zh
-2.91411597357 axh aa
-2.90977302875 axh ae
-2.91411597357 axh ah
-2.99663192513 axh ao
-2.8533147461 axh aw
-2.71868345671 axh ax
-3.71756076509 axh axh
-2.87937241502 axh axr
-2.98360309068 axh ay
-2.93148775285 axh b
-0.955447860187 axh bcl
-3.35275340029 axh ch
-2.88371535984 axh d
-1.53305952112 axh dcl
-1.74152087243 axh dh
-2.15410063024 axh dx
-2.75342701527 axh eh
-2.37559081601 axh el
-4.17356997109 axh em
-3.47001291041 axh en
-4.85541230768 axh eng
-3.3093239521 axh epi
-3.04006137332 axh er
-2.91411597357 axh ey
-1.57648896931 axh f
-3.19206444199 axh g
-1.89786688592 axh gcl
-1.89786688592 axh h#
-3.29629511765 axh hh
-3.40921168294 axh hv
-2.64051044997 axh ih
-2.40164848492 axh ix
-2.6014239466 axh iy
-2.8533147461 axh jh
-2.68828284298 axh k
-0.655784667674 axh kcl
-1.89786688592 axh l
-1.49397301775 axh m
-1.74152087243 axh n
-3.19206444199 axh ng
-2.8533147461 axh nx
-3.04874726296 axh ow
-3.7870478822 axh oy
-2.85765769092 axh p
-3.31800984174 axh pau
-0.842531294892 axh pcl
-1.81100798954 axh q
-2.00644050639 axh r
-0.816473625978 axh s
-2.8533147461 axh sh
-2.6709110637 axh t
-1.14653743222 axh tcl
-2.15410063024 axh th
-3.56990064124 axh uh
-3.54384297233 axh uw
-3.11389143525 axh ux
-1.74152087243 axh v
-1.89786688592 axh w
-2.8533147461 axh y
-1.67637670015 axh z
-4.09539696435 axh zh
-2.29307486445 axr aa
-2.84462885647 axr ae
-2.45810676757 axr ah
-2.45810676757 axr ao
-2.73605523599 axr aw
-2.29307486445 axr ax
-3.7870478822 axr axh
-3.68716015136 axr axr
-2.1454147406 axr ay
-3.00097486995 axr b
-1.44185767992 axr bcl
-3.4222405174 axr ch
-2.95320247694 axr d
-1.15088037704 axr dcl
-1.75889265171 axr dh
-1.55043130039 axr dx
-2.22793069216 axr eh
-2.36690492637 axr el
-4.24305708819 axr em
-3.68716015136 axr en
-4.92489942478 axr eng
-2.84462885647 axr epi
-2.84462885647 axr er
-1.8023220999 axr ey
-1.2551110527 axr f
-3.26155155909 axr g
-1.87615216182 axr gcl
-1.04664970139 axr h#
-2.41033437456 axr hh
-1.77192148617 axr hv
-2.2583313059 axr ih
-1.58083191413 axr ix
-1.88918099628 axr iy
-3.3310386762 axr jh
-2.75776996009 axr k
-1.31156933535 axr kcl
-1.59386074858 axr l
-1.31591228017 axr m
-1.46791534883 axr n
-3.68716015136 axr ng
-2.99228898031 axr nx
-2.73605523599 axr ow
-3.68716015136 axr oy
-2.92714480803 axr p
-2.1454147406 axr pau
-1.55911719003 axr pcl
-1.54174541076 axr q
-1.24208221824 axr r
-1.18128099078 axr s
-2.1454147406 axr sh
-2.74039818081 axr t
-1.24208221824 axr tcl
-2.45810676757 axr th
-3.63938775835 axr uh
-3.61333008944 axr uw
-3.18337855235 axr ux
-1.72849203797 axr v
-1.4375147351 axr w
-2.0759276235 axr y
-1.11613681849 axr z
-2.84462885647 axr zh
-2.15410063024 ay aa
-1.99775461675 ay ae
-2.41033437456 ay ah
-2.06724173386 ay ao
-3.58727242052 ay aw
-2.12370001651 ay ax
-3.6741313169 ay axh
-1.48528712811 ay axr
-2.47547854685 ay ay
-2.88805830466 ay b
-1.59386074858 ay bcl
-3.3093239521 ay ch
-2.84028591165 ay d
-1.15088037704 ay dcl
-2.18884418879 ay dh
-1.40277117655 ay dx
-1.89786688592 ay eh
-2.74039818081 ay el
-4.1301405229 ay em
-2.88805830466 ay en
-4.81198285949 ay eng
-3.10954849043 ay epi
-1.8023220999 ay er
-2.22793069216 ay ey
-1.66769081051 ay f
-3.1486349938 ay g
-1.91523866519 ay gcl
-2.01946934085 ay h#
-2.74039818081 ay hh
-2.35821903673 ay hv
-2.06724173386 ay ih
-1.32025522499 ay ix
-1.88049510664 ay iy
-3.2181221109 ay jh
-2.64485339479 ay k
-1.14653743222 ay kcl
-1.32894111462 ay l
-1.24208221824 ay m
-1.08139325994 ay n
-2.26701719553 ay ng
-2.01946934085 ay nx
-2.09764234759 ay ow
-3.74361843401 ay oy
-2.81422824273 ay p
-2.88805830466 ay pau
-1.97603989266 ay pcl
-1.33328405944 ay q
-1.77626443098 ay r
-1.15088037704 ay s
-2.35821903673 ay sh
-2.62748161551 ay t
-1.15088037704 ay tcl
-3.10954849043 ay th
-3.52647119305 ay uh
-3.50041352414 ay uw
-2.88805830466 ay ux
-1.58517485895 ay v
-2.54496566395 ay w
-1.91523866519 ay y
-1.15088037704 ay z
-4.05196751616 ay zh
-1.27248276669 b aa
-1.28985454597 b ae
-1.27682571151 b ah
-1.5026588421 b ao
-1.7545496416 b aw
-1.62860424185 b ax
-2.79251345335 b axh
-1.8674662069 b axr
-1.07270730502 b ay
-3.24417971453 b b
-3.30063799718 b bcl
-3.66544536198 b ch
-3.19640732152 b d
-2.9401735772 b dcl
-3.20509321116 b dh
-3.30932388682 b dx
-1.37237049753 b eh
-1.15088031176 b el
-3.16166376297 b em
-3.63938769306 b en
-5.16810426936 b eng
-3.63938769306 b epi
-1.45922939391 b er
-2.00644044111 b ey
-3.16166376297 b f
-3.50475640367 b g
-3.46132695548 b gcl
-2.46244964711 b h#
-3.16166376297 b hh
-3.16166376297 b hv
-1.10745086357 b ih
-1.3202551597 b ix
-0.920704236349 b iy
-3.57424352078 b jh
-3.00097480467 b k
-3.63938769306 b kcl
-1.21602448404 b l
-3.04440425286 b m
-3.63938769306 b n
-3.50475640367 b ng
-3.75230425836 b nx
-1.48963000764 b ow
-1.78929320016 b oy
-3.17034965261 b p
-3.63938769306 b pau
-3.15732081815 b pcl
-3.16166376297 b q
-1.05967847056 b r
-2.79251345335 b s
-3.46132695548 b sh
-3.63938769306 b t
-2.82291406709 b tcl
-2.9401735772 b th
-1.85443737244 b uh
-2.41033430928 b uw
-2.46244964711 b ux
-3.16166376297 b v
-2.68393983288 b w
-1.91523859991 b y
-1.94998215846 b z
-4.40808892603 b zh
-3.5829294757 bcl aa
-3.23549389018 bcl ae
-3.5829294757 bcl ah
-3.5829294757 bcl ao
-3.73058959955 bcl aw
-2.88371535984 bcl ax
-4.04328162652 bcl axh
-2.54062271913 bcl axr
-3.3093239521 bcl ay
-0.0608012274665 bcl b
-3.31366689692 bcl bcl
-2.46679265721 bcl ch
-1.8935239411 bcl d
-2.99228898031 bcl dcl
-2.46679265721 bcl dh
-3.32235278656 bcl dx
-3.5829294757 bcl eh
-2.08895645795 bcl el
-3.10520554561 bcl em
-3.5829294757 bcl en
-5.18113316911 bcl eng
-3.63504481353 bcl epi
-2.73605523599 bcl er
-3.239836835 bcl ey
-2.46679265721 bcl f
-3.51778530342 bcl g
-3.47435585523 bcl gcl
-2.2583313059 bcl h#
-3.10520554561 bcl hh
-3.5829294757 bcl hv
-2.73605523599 bcl ih
-2.18450124397 bcl ix
-2.46679265721 bcl iy
-2.01512639603 bcl jh
-2.46679265721 bcl k
-2.97491720104 bcl kcl
-2.21924480253 bcl l
-2.30176075409 bcl m
-2.46679265721 bcl n
-3.51778530342 bcl ng
-3.7653331581 bcl nx
-3.37446812439 bcl ow
-4.11276874362 bcl oy
-2.46679265721 bcl p
-3.5829294757 bcl pau
-3.17034971789 bcl pcl
-3.16600677307 bcl q
-2.73605523599 bcl r
-2.3495331471 bcl s
-2.62748161551 bcl sh
-1.94998222375 bcl t
-2.83594296683 bcl tcl
-2.73605523599 bcl th
-3.89562150267 bcl uh
-3.86956383376 bcl uw
-3.5829294757 bcl ux
-2.54062271913 bcl v
-2.88371535984 bcl w
-3.10520554561 bcl y
-2.3495331471 bcl z
-4.42111782578 bcl zh
-1.30722639053 ch aa
-1.62426136232 ch ae
-1.9847257823 ch ah
-2.26267425072 ch ao
-3.04440431814 ch aw
-1.78495032062 ch ax
-2.73605523599 ch axh
-1.1639092115 ch axr
-1.58083191413 ch ay
-2.57102333287 ch b
-1.9847257823 ch bcl
-2.99228898031 ch ch
-2.52325093986 ch d
-1.67203375533 ch dcl
-1.9847257823 ch dh
-2.63616750515 ch dx
-1.47660123847 ch eh
-1.85443743773 ch el
-3.81310555111 ch em
-2.37124787119 ch en
-4.4949478877 ch eng
-1.5070018522 ch epi
-1.30722639053 ch er
-1.16825215632 ch ey
-1.8935239411 ch f
-2.83160002201 ch g
-1.75454970689 ch gcl
-1.52437363148 ch h#
-2.03684112013 ch hh
-3.21377916608 ch hv
-1.21168160451 ch ih
-1.09007914958 ch ix
-1.28551166643 ch iy
-2.90108713911 ch jh
-2.327818423 ch k
-1.54174541076 ch kcl
-1.78495032062 ch l
-3.21377916608 ch m
-3.21377916608 ch n
-2.83160002201 ch ng
-3.07914787669 ch nx
-1.93695338929 ch ow
-2.03684112013 ch oy
-2.49719327094 ch p
-2.26267425072 ch pau
-1.9847257823 ch pcl
-2.17147240952 ch q
-2.03684112013 ch r
-1.62426136232 ch s
-3.21377916608 ch sh
-2.31044664373 ch t
-1.35065583872 ch tcl
-2.17147240952 ch th
-2.03684112013 ch uh
-1.81535093436 ch uw
-1.45922945919 ch ux
-2.26267425072 ch v
-3.21377916608 ch w
-1.81535093436 ch y
-2.10198529241 ch z
-3.73493254437 ch zh
-1.52437363148 d aa
-1.7806073758 d ae
-1.48528712811 d ah
-1.62426136232 d ao
-1.62426136232 d aw
-1.48094418329 d ax
-2.1671294647 d axh
-1.69809142424 d axr
-1.78929326544 d ay
-3.13994910416 d b
-2.41033437456 d bcl
-3.56121475161 d ch
-3.09217671115 d d
-2.8750294702 d dcl
-3.10086260079 d dh
-3.20509327645 d dx
-1.45922945919 d eh
-2.5102221054 d el
-3.20943622127 d em
-2.41033437456 d en
-5.06387365899 d eng
-2.84028591165 d epi
-2.03249817531 d er
-1.28985461125 d ey
-1.72849203797 d f
-3.4005257933 d g
-2.45810676757 d gcl
-1.12047976331 d h#
-1.94563927893 d hh
-1.8023220999 d hv
-0.98584847392 d ih
-0.833845405254 d ix
-1.3245981698 d iy
-3.47001291041 d jh
-2.89674419429 d k
-1.99775461675 d kcl
-1.76757854135 d l
-2.98794603549 d m
-3.20943622127 d n
-3.4005257933 d ng
-3.64807364799 d nx
-1.71980614834 d ow
-3.99550923351 d oy
-3.06611904224 d p
-1.81100798954 d pau
-3.20943622127 d pcl
-1.78929326544 d q
-1.16825215632 d r
-1.82403682399 d s
-2.73171229117 d sh
-2.87937241502 d t
-2.84028591165 d tcl
-3.68716015136 d th
-2.5102221054 d uh
-2.19753007843 d uw
-1.49831596257 d ux
-2.45810676757 d v
-1.7806073758 d w
-2.22358774734 d y
-1.64163314159 d z
-3.68716015136 d zh
-3.43961229667 dcl aa
-3.42658346222 dcl ae
-3.43961229667 dcl ah
-3.90430739231 dcl ao
-3.90430739231 dcl aw
-2.6231386707 dcl ax
-3.90430739231 dcl axh
-3.20509327645 dcl axr
-3.50909941378 dcl ay
-1.4375147351 dcl b
-3.90430739231 dcl bcl
-2.38427670565 dcl ch
-0.304006137332 dcl d
-3.19206444199 dcl dcl
-1.81100798954 dcl dh
-3.52212824824 dcl dx
-3.90430739231 dcl eh
-3.20509327645 dcl el
-3.42658346222 dcl em
-1.81100798954 dcl en
-5.38090863078 dcl eng
-3.83482027521 dcl epi
-3.56555769643 dcl er
-3.90430739231 dcl ey
-1.92392455483 dcl f
-2.38427670565 dcl g
-3.6741313169 dcl gcl
-1.52437363148 dcl h#
-2.50587916058 dcl hh
-2.33650431264 dcl hv
-2.78817057382 dcl ih
-2.31044664373 dcl ix
-3.20509327645 dcl iy
-0.664470557312 dcl jh
-2.16278651988 dcl k
-3.17469266271 dcl kcl
-2.41033437456 dcl l
-1.99341167194 dcl m
-1.92392455483 dcl n
-3.71756076509 dcl ng
-3.96510861978 dcl nx
-3.90430739231 dcl ow
-4.3125442053 dcl oy
-1.93261044447 dcl p
-2.38427670565 dcl pau
-3.37012517957 dcl pcl
-2.23227363698 dcl q
-2.27136014035 dcl r
-1.7806073758 dcl s
-2.57970922251 dcl sh
-1.64163314159 dcl t
-3.0357184285 dcl tcl
-2.31044664373 dcl th
-4.09539696435 dcl uh
-4.06933929543 dcl uw
-3.63938775835 dcl ux
-2.11935707169 dcl v
-2.04118406495 dcl w
-3.20509327645 dcl y
-1.65031903123 dcl z
-3.90430739231 dcl zh
-2.97926014586 dh aa
-1.51134479702 dh ae
-1.69809142424 dh ah
-3.46566996559 dh ao
-2.63616750515 dh aw
-0.58195460575 dh ax
-1.91958161001 dh axh
-1.36368467318 dh axr
-3.45264113113 dh ay
-3.4005257933 dh b
-3.20075033163 dh bcl
-3.82179144075 dh ch
-3.35275340029 dh d
-3.67847426172 dh dcl
-3.36143928993 dh dh
-3.46566996559 dh dx
-1.08139325994 dh eh
-3.20075033163 dh el
-4.64260801155 dh em
-3.20075033163 dh en
-5.32445034813 dh eng
-3.67847426172 dh epi
-1.68071964497 dh er
-1.24208221824 dh ey
-2.83160002201 dh f
-3.66110248244 dh g
-3.67847426172 dh gcl
-3.67847426172 dh h#
-3.7653331581 dh hh
-3.20075033163 dh hv
-1.09876503922 dh ih
-0.612355219484 dh ix
-0.98584847392 dh iy
-3.73058959955 dh jh
-3.15732088344 dh k
-3.67847426172 dh kcl
-3.67847426172 dh l
-3.67847426172 dh m
-3.67847426172 dh n
-3.66110248244 dh ng
-3.90865033713 dh nx
-1.75889265171 dh ow
-4.25608592265 dh oy
-3.32669573138 dh p
-3.20075033163 dh pau
-2.72302640153 dh pcl
-2.83160002201 dh q
-3.06611904224 dh r
-2.63616750515 dh s
-3.67847426172 dh sh
-3.13994910416 dh t
-2.97926014586 dh tcl
-3.86522088894 dh th
-2.83160002201 dh uh
-4.01288101279 dh uw
-3.5829294757 dh ux
-3.67847426172 dh v
-3.20075033163 dh w
-3.73927548919 dh y
-3.17034971789 dh z
-4.5644350048 dh zh
-2.05421283497 dx aa
-1.89786682148 dx ae
-1.5591171256 dx ah
-1.73283491836 dx ao
-2.24964535183 dx aw
-1.01624902322 dx ax
-2.87068646095 dx axh
-1.04230669213 dx axr
-2.53193676506 dx ay
-3.70018892138 dx b
-3.75664720403 dx bcl
-4.12145456883 dx ch
-3.65241652837 dx d
-3.43526928742 dx dcl
-3.66110241801 dx dh
-3.76533309367 dx dx
-1.6503189668 dx eh
-1.63294718752 dx el
-4.94227113963 dx em
-1.86312326293 dx en
-2.72736928192 dx eng
-4.07802512064 dx epi
-1.48094411886 dx er
-1.95866804895 dx ey
-3.69150303174 dx f
-3.96076561052 dx g
-3.91733616233 dx gcl
-3.47001284597 dx h#
-4.06499628618 dx hh
-2.87068646095 dx hv
-0.872931844192 dx ih
-0.547210982764 dx ix
-0.760015278897 dx iy
-4.03025272763 dx jh
-3.45698401152 dx k
-3.41789750814 dx kcl
-3.09651959154 dx l
-3.50041345971 dx m
-3.56990057681 dx n
-3.96076561052 dx ng
-4.20831346521 dx nx
-1.70677724945 dx ow
-4.55574905073 dx oy
-3.62635885946 dx p
-4.08671101028 dx pau
-3.613330025 dx pcl
-3.60898708018 dx q
-3.56990057681 dx r
-3.2485226602 dx s
-3.91733616233 dx sh
-3.43961223224 dx t
-3.27892327394 dx tcl
-4.16488401702 dx th
-2.45810670314 dx uh
-2.39730547567 dx uw
-2.87068646095 dx ux
-3.73927542475 dx v
-3.69150303174 dx w
-4.03893861727 dx y
-3.47001284597 dx z
-4.86409813288 dx zh
-3.81744849593 eh aa
-3.54818591715 eh ae
-3.81744849593 eh ah
-3.63504481353 eh ao
-4.04328162652 eh aw
-2.97057425622 eh ax
-4.35597365349 eh axh
-1.8023220999 eh axr
-3.62201597907 eh ay
-3.56990064124 eh b
-2.64051044997 eh bcl
-3.99116628869 eh ch
-3.52212824824 eh d
-1.18128099078 eh dcl
-2.1454147406 eh dh
-1.37237056281 eh dx
-3.39183990366 eh eh
-3.81744849593 eh el
-4.81198285949 eh em
-4.1084257988 eh en
-5.49382519608 eh eng
-3.11823438007 eh epi
-1.98906872712 eh er
-3.55252886197 eh ey
-1.87615216182 eh f
-3.81744849593 eh g
-1.88918099628 eh gcl
-3.33972456584 eh h#
-3.33972456584 eh hh
-2.64051044997 eh hv
-3.27892333837 eh ih
-3.33972456584 eh ix
-3.239836835 eh iy
-3.33972456584 eh jh
-3.32669573138 eh k
-1.04230675657 eh kcl
-0.903332522359 eh l
-1.35934172836 eh m
-0.790415957064 eh n
-2.16278651988 eh ng
-1.45922945919 eh nx
-3.68716015136 eh ow
-4.42546077059 eh oy
-3.49607057932 eh p
-3.95642273014 eh pau
-1.77192148617 eh pcl
-2.05855584422 eh q
-1.09007914958 eh r
-1.15088037704 eh s
-1.7806073758 eh sh
-3.81744849593 eh t
-1.3245981698 eh tcl
-2.86200063574 eh th
-4.20831352964 eh uh
-4.18225586073 eh uw
-3.75230432364 eh ux
-1.0944220944 eh v
-2.86200063574 eh w
-3.90865033713 eh y
-1.65466197605 eh z
-2.0759276235 eh zh
-1.91958161001 el aa
-2.43204909866 el ae
-2.2366165818 el ah
-2.43204909866 el ao
-3.20509327645 el aw
-1.415800011 el ax
-3.51778530342 el axh
-2.67959695334 el axr
-1.81535093436 el ay
-2.73171229117 el b
-1.57214602449 el bcl
-3.15297793862 el ch
-2.68393989816 el d
-1.19430982523 el dcl
-1.95866811338 el dh
-2.57970922251 el dx
-2.00209756157 el eh
-3.09217671115 el el
-3.97379450941 el em
-3.27023744873 el en
-4.655636846 el eng
-2.32347547818 el epi
-2.80119940828 el er
-2.32347547818 el ey
-1.32894111462 el f
-2.99228898031 el g
-1.49397301775 el gcl
-0.972819639463 el h#
-2.32347547818 el hh
-1.91958161001 el hv
-1.88049510664 el ih
-1.53740246594 el ix
-1.55477424521 el iy
-3.06177609742 el jh
-2.48850738131 el k
-1.64597608641 el kcl
-1.53740246594 el l
-1.75889265171 el m
-1.64597608641 el n
-2.99228898031 el ng
-3.239836835 el nx
-2.57970922251 el ow
-3.58727242052 el oy
-2.65788222925 el p
-1.52437363148 el pau
-1.45488651438 el pcl
-1.30288344571 el q
-1.91958161001 el r
-1.18996688041 el s
-2.43204909866 el sh
-2.47113560203 el t
-1.09007914958 el tcl
-2.10198529241 el th
-3.37012517957 el uh
-3.27892333837 el uw
-2.80119940828 el ux
-2.10198529241 el v
-1.75889265171 el w
-3.27892333837 el y
-1.02493497729 el z
-3.27892333837 el zh
-2.39296259529 em aa
-2.23227363698 em ae
-2.39296259529 em ah
-1.91523866519 em ao
-2.72736934635 em aw
-2.39296259529 em ax
-3.04006137332 em axh
-2.39296259529 em axr
-2.30610369891 em ay
-2.25398836108 em b
-1.44185767992 em bcl
-2.67525400852 em ch
-2.20621596807 em d
-1.98906872712 em dcl
-1.0727073703 em dh
-2.31913253336 em dx
-1.55043130039 em eh
-2.61445278106 em el
-3.49607057932 em em
-2.79251351864 em en
-4.17791291591 em eng
-1.35499878354 em epi
-2.36256198155 em er
-2.2366165818 em ey
-1.91523866519 em f
-2.51456505022 em g
-2.47113560203 em gcl
-1.28116872161 em h#
-2.39296259529 em hh
-2.39296259529 em hv
-1.69374847942 em ih
-2.39296259529 em ix
-1.91523866519 em iy
-2.58405216732 em jh
-2.01078345121 em k
-1.69374847942 em kcl
-1.94563927893 em l
-2.0542128994 em m
-1.69374847942 em n
-2.51456505022 em ng
-2.7621129049 em nx
-1.91523866519 em ow
-3.10954849043 em oy
-2.18015829915 em p
-1.91523866519 em pau
-0.58195460575 em pcl
-1.91523866519 em q
-2.39296259529 em r
-1.44185767992 em s
-2.47113560203 em sh
-1.99341167194 em t
-1.0727073703 em tcl
-2.39296259529 em th
-2.89240124948 em uh
-2.86634358056 em uw
-2.39296259529 em ux
-1.69374847942 em v
-2.39296259529 em w
-1.69374847942 em y
-1.55043130039 em z
-3.41789757258 em zh
-2.40164848492 en aa
-2.6231386707 en ae
-1.92392455483 en ah
-3.10086260079 en ao
-2.6231386707 en aw
-1.41145706619 en ax
-3.09217671115 en axh
-2.6231386707 en axr
-2.6231386707 en ay
-2.30610369891 en b
-1.73717792761 en bcl
-3.10086260079 en ch
-2.40164848492 en d
-1.41145706619 en dcl
-1.60688958304 en dh
-2.37124787119 en dx
-1.63729019678 en eh
-1.55477424521 en el
-3.54818591715 en em
-2.84462885647 en en
-4.23002825374 en eng
-1.77626443098 en epi
-2.6231386707 en er
-3.10086260079 en ey
-1.60688958304 en f
-2.56668038805 en g
-2.25398836108 en gcl
-0.855560129349 en h#
-2.25398836108 en hh
-3.10086260079 en hv
-1.81969387917 en ih
-1.46791534883 en ix
-1.9847257823 en iy
-3.10086260079 en jh
-2.06289878904 en k
-1.55477424521 en kcl
-1.77626443098 en l
-1.66769081051 en m
-3.10086260079 en n
-2.56668038805 en ng
-2.81422824273 en nx
-2.6231386707 en ow
-3.16166382826 en oy
-2.23227363698 en p
-2.6231386707 en pau
-1.81969387917 en pcl
-1.44620062474 en q
-1.9847257823 en r
-0.925047246454 en s
-1.9847257823 en sh
-2.40164848492 en t
-0.855560129349 en tcl
-3.10086260079 en th
-2.9445165873 en uh
-2.91845891839 en uw
-2.6231386707 en ux
-2.1454147406 en v
-1.871809217 en w
-2.25398836108 en y
-1.14219448741 en z
-3.47001291041 en zh
-2.26267411156 eng aa
-2.25833116674 eng ae
-2.26267411156 eng ah
-2.34519006312 eng ao
-2.75342687611 eng aw
-1.71546306436 eng ax
-3.06611890308 eng axh
-2.22793055301 eng axr
-2.33216122867 eng ay
-2.28004589084 eng b
-2.33650417348 eng bcl
-2.70131153828 eng ch
-2.23227349783 eng d
-2.01512625688 eng dcl
-2.24095938747 eng dh
-2.34519006312 eng dx
-1.71546306436 eng eh
-2.64051031082 eng el
-3.52212810908 eng em
-2.8185710484 eng en
-4.20397044567 eng eng
-2.65788209009 eng epi
-2.38861951131 eng er
-2.26267411156 eng ey
-2.2713600012 eng f
-2.54062257998 eng g
-0.673156307795 eng gcl
-0.603669190691 eng h#
-2.64485325564 eng hh
-2.75776982093 eng hv
-1.98906858796 eng ih
-1.71546306436 eng ix
-1.94998208459 eng iy
-2.61010969708 eng jh
-2.03684098097 eng k
-1.23773913427 eng kcl
-1.97169680869 eng l
-2.08027042916 eng m
-1.82403668484 eng n
-2.54062257998 eng ng
-2.78817043466 eng nx
-2.39730540095 eng ow
-3.13560602019 eng oy
-2.20621582891 eng p
-2.66656797973 eng pau
-1.71546306436 eng pcl
-1.71546306436 eng q
-1.94563913977 eng r
-1.71546306436 eng s
-2.49719313179 eng sh
-2.0194692017 eng t
-1.23773913427 eng tcl
-2.74474098647 eng th
-2.91845877924 eng uh
-2.89240111032 eng uw
-2.46244957324 eng ux
-2.31913239421 eng v
-1.71546306436 eng w
-1.23773913427 eng y
-2.04986981543 eng z
-3.44395510234 eng zh
-2.783827629 epi aa
-3.25720861427 epi ae
-2.41467731938 epi ah
-2.41467731938 epi ao
-3.25720861427 epi aw
-2.783827629 epi ax
-3.75664726846 epi axh
-2.55799449841 epi axr
-2.55799449841 epi ay
-2.97057425622 epi b
-3.25720861427 epi bcl
-3.25720861427 epi ch
-2.92280186321 epi d
-2.70565462226 epi dcl
-1.56780307967 epi dh
-3.0357184285 epi dx
-2.41467731938 epi eh
-2.30610369891 epi el
-3.25720861427 epi em
-1.50265890739 epi en
-2.783827629 epi eng
-3.34841045547 epi epi
-3.25720861427 epi er
-2.95320247694 epi ey
-1.53305952112 epi f
-3.25720861427 epi g
-3.18772149717 epi gcl
-2.74039818081 epi h#
-3.25720861427 epi hh
-3.44829818631 epi hv
-2.783827629 epi ih
-1.98038283748 epi ix
-2.55799449841 epi iy
-3.30063806246 epi jh
-2.72736934635 epi k
-3.25720861427 epi kcl
-1.19865277005 epi l
-0.660127612493 epi m
-0.890303687902 epi n
-3.23115094536 epi ng
-3.47869880005 epi nx
-3.25720861427 epi ow
-3.82613438557 epi oy
-2.783827629 epi p
-3.35709634511 epi pau
-2.88371535984 epi pcl
-2.55799449841 epi q
-1.37237056281 epi r
-1.08139325994 epi s
-2.1454147406 epi sh
-2.70999756708 epi t
-2.54930860877 epi tcl
-1.48963007293 epi th
-3.60898714462 epi uh
-3.5829294757 epi uw
-3.15297793862 epi ux
-2.02815523049 epi v
-0.664470557312 epi w
-2.30610369891 epi y
-1.48963007293 epi z
-4.13448346772 epi zh
-2.57536627769 er aa
-2.83160002201 er ae
-2.29741780927 er ah
-2.57536627769 er ao
-2.83160002201 er aw
-1.85878038255 er ax
-3.60030125498 er axh
-2.20621596807 er axr
-2.48850738131 er ay
-2.81422824273 er b
-1.48528712811 er bcl
-3.05309020778 er ch
-2.76645584972 er d
-1.14219448741 er dcl
-1.87615216182 er dh
-1.55911719003 er dx
-2.41467731938 er eh
-2.57536627769 er el
-3.53081413787 er em
-2.83160002201 er en
-3.53081413787 er eng
-3.05309020778 er epi
-3.53081413787 er er
-2.13238590614 er ey
-1.72849203797 er f
-3.07480493188 er g
-2.06724173386 er gcl
-1.6894055346 er h#
-2.57536627769 er hh
-1.78929326544 er hv
-1.80666504472 er ih
-1.20733865969 er ix
-1.39408528691 er iy
-2.83160002201 er jh
-2.57102333287 er k
-1.23339632861 er kcl
-1.35065583872 er l
-1.32894111462 er m
-1.44185767992 er n
-3.07480493188 er ng
-2.01078345121 er nx
-2.48850738131 er ow
-3.66978837208 er oy
-2.74039818081 er p
-1.85878038255 er pau
-1.52437363148 er pcl
-1.368027618 er q
-1.78929326544 er r
-1.15956626668 er s
-1.93695338929 er sh
-2.55365155359 er t
-1.24208221824 er tcl
-1.71546320352 er th
-3.45264113113 er uh
-3.42658346222 er uw
-2.99663192513 er ux
-1.42014295582 er v
-1.6199184175 er w
-2.41467731938 er y
-1.14219448741 er z
-2.57536627769 er zh
-2.42770615384 ey aa
-2.29741780927 ey ae
-2.70131167744 ey ah
-2.06724173386 ey ao
-2.54496566395 ey aw
-2.54496566395 ey ax
-3.75230432364 ey axh
-2.42770615384 ey axr
-2.42770615384 ey ay
-2.9662313114 ey b
-1.47225829365 ey bcl
-3.38749695885 ey ch
-2.91845891839 ey d
-1.19430982523 ey dcl
-2.47982149167 ey dh
-1.05099264621 ey dx
-2.47982149167 ey eh
-2.95754542176 ey el
-4.20831352964 ey em
-3.50475646896 ey en
-3.65675953763 ey eng
-2.70131167744 ey epi
-2.42770615384 ey er
-3.65675953763 ey ey
-1.79363621026 ey f
-3.22680800054 ey g
-2.13672885096 ey gcl
-1.6894055346 ey h#
-2.33650431264 ey hh
-2.37993376083 ey hv
-2.2583313059 ey ih
-1.7806073758 ey ix
-2.95754542176 ey iy
-3.17903560753 ey jh
-2.72302640153 ey k
-1.12482270813 ey kcl
-1.43317179028 ey l
-1.26813988716 ey m
-1.11179387367 ey n
-2.11501412687 ey ng
-2.22793069216 ey nx
-2.42770615384 ey ow
-3.82179144075 ey oy
-2.89240124948 ey p
-2.54496566395 ey pau
-1.50265890739 ey pcl
-1.39408528691 ey q
-2.33650431264 ey r
-1.13350859777 ey s
-1.05533559102 ey sh
-2.70565462226 ey t
-0.994534363558 ey tcl
-2.22793069216 ey th
-3.6046441998 ey uh
-3.57858653088 ey uw
-3.1486349938 ey ux
-1.6199184175 ey v
-1.90220983074 ey w
-2.1671294647 ey y
-1.60254663822 ey z
-2.47982149167 ey zh
-1.56346013485 f aa
-1.73717792761 f ae
-1.55477424521 f ah
-1.05967853584 f ao
-1.87615216182 f aw
-1.48528712811 f ax
-2.18450124397 f axh
-1.06836442548 f axr
-1.43317179028 f ay
-3.13126321452 f b
-2.36690492637 f bcl
-3.55252886197 f ch
-3.08349082151 f d
-2.5319368295 f dcl
-2.32347547818 f dh
-3.19640738681 f dx
-1.54174541076 f eh
-1.56346013485 f el
-2.24964541626 f em
-2.32347547818 f en
-5.05518776935 f eng
-2.28438897481 f epi
-1.33762700426 f er
-1.63294725196 f ey
-3.12257732488 f f
-3.39183990366 f g
-3.64807364799 f gcl
-1.65900492087 f h#
-2.6926257878 f hh
-3.60898714462 f hv
-1.12482270813 f ih
-1.28116872161 f ix
-1.39408528691 f iy
-3.46132702077 f jh
-2.88805830466 f k
-2.10198529241 f kcl
-1.2551110527 f l
-3.64807364799 f m
-3.64807364799 f n
-3.39183990366 f ng
-3.63938775835 f nx
-2.03249817531 f ow
-3.17034971789 f oy
-3.0574331526 f p
-2.21490185771 f pau
-2.36690492637 f pcl
-2.28438897481 f q
-1.05967853584 f r
-1.55477424521 f s
-2.5319368295 f sh
-2.87068652538 f t
-1.23773927342 f tcl
-3.59595831016 f th
-1.92392455483 f uh
-2.28438897481 f uw
-2.10198529241 f ux
-2.94885953212 f v
-2.60576689142 f w
-1.77192148617 f y
-2.90108713911 f z
-4.29517242602 f zh
-1.24642516306 g aa
-1.3245981698 g ae
-1.45922945919 g ah
-1.68506258978 g ao
-2.33650431264 g aw
-2.01512639603 g ax
-3.37881106921 g axh
-1.4375147351 g axr
-1.94563927893 g ay
-3.0574331526 g b
-3.11389143525 g bcl
-3.47869880005 g ch
-3.00966075959 g d
-2.90108713911 g dcl
-3.01834664923 g dh
-3.12257732488 g dx
-1.15956626668 g eh
-1.88483805146 g el
-3.37881106921 g em
-2.90108713911 g en
-4.98135770743 g eng
-3.43526935185 g epi
-1.6199184175 g er
-1.52437363148 g ey
-2.26267425072 g f
-3.31800984174 g g
-3.27458039355 g gcl
-2.90108713911 g h#
-3.4222405174 g hh
-2.90108713911 g hv
-1.06402148066 g ih
-1.57648896931 g ix
-2.67959695334 g iy
-3.38749695885 g jh
-2.81422824273 g k
-2.77514173936 g kcl
-1.44620062474 g l
-3.37881106921 g m
-2.33650431264 g n
-3.31800984174 g ng
-3.56555769643 g nx
-1.09876503922 g ow
-2.42336320902 g oy
-2.98360309068 g p
-2.67959695334 g pau
-2.97057425622 g pcl
-2.9662313114 g q
-0.703557060683 g r
-1.91523866519 g s
-2.42336320902 g sh
-2.79685646346 g t
-2.67959695334 g tcl
-2.42336320902 g th
-1.48094418329 g uh
-2.20187302325 g uw
-1.76323559653 g ux
-3.09651965597 g v
-1.80666504472 g w
-1.74152087243 g y
-1.19865277005 g z
-4.2213423641 g zh
-3.41789757258 gcl aa
-3.41789757258 gcl ae
-3.41789757258 gcl ah
-3.41789757258 gcl ao
-3.55252886197 gcl aw
-2.71868345671 gcl ax
-3.86522088894 gcl axh
-2.14107179578 gcl axr
-3.13126321452 gcl ay
-1.98906872712 gcl b
-3.13560615934 gcl bcl
-2.37559081601 gcl ch
-1.69374847942 gcl d
-3.41789757258 gcl dcl
-3.04006137332 gcl dh
-3.14429204898 gcl dx
-3.41789757258 gcl eh
-2.46679265721 gcl el
-4.32123009494 gcl em
-3.61767303425 gcl en
-5.00307243153 gcl eng
-3.45698407595 gcl epi
-2.18884418879 gcl er
-3.41789757258 gcl ey
-2.71868345671 gcl f
-0.0998877308377 gcl g
-3.29629511765 gcl gcl
-2.94017364249 gcl h#
-3.41789757258 gcl hh
-3.55687180679 gcl hv
-2.94017364249 gcl ih
-1.76757854135 gcl ix
-2.74908407045 gcl iy
-2.37559081601 gcl jh
-2.14107179578 gcl k
-2.79685646346 gcl kcl
-2.46679265721 gcl l
-2.71868345671 gcl m
-1.63294725196 gcl n
-3.33972456584 gcl ng
-3.58727242052 gcl nx
-3.41789757258 gcl ow
-3.93470800604 gcl oy
-2.18884418879 gcl p
-2.71868345671 gcl pau
-2.99228898031 gcl pcl
-3.41789757258 gcl q
-2.05855584422 gcl r
-2.46679265721 gcl s
-2.94017364249 gcl sh
-2.09764234759 gcl t
-2.65788222925 gcl tcl
-2.57536627769 gcl th
-3.71756076509 gcl uh
-3.69150309618 gcl uw
-3.26155155909 gcl ux
-3.11823438007 gcl v
-2.37559081601 gcl w
-1.98906872712 gcl y
-1.6199184175 gcl z
-4.24305708819 gcl zh
-2.50587916058 h# aa
-2.3495331471 h# ae
-2.32347547818 h# ah
-2.3495331471 h# ao
-3.39183990366 h# aw
-1.97169694784 h# ax
-2.63616750515 h# axh
-3.86956383376 h# axr
-2.21490185771 h# ay
-1.37671350763 h# b
-3.17034971789 h# bcl
-2.06724173386 h# ch
-1.44620062474 h# d
-3.02268959405 h# dcl
-0.638412888398 h# dh
-3.15297793862 h# dx
-2.30176075409 h# eh
-3.86956383376 h# el
-3.39183990366 h# em
-2.91411597357 h# en
-5.01175832116 h# eng
-3.46566996559 h# epi
-3.19640738681 h# er
-2.27570308517 h# ey
-1.84575154809 h# f
-1.90220983074 h# g
-3.30498100728 h# gcl
-2.85765769092 h# h#
-1.05533559102 h# hh
-2.82725707719 h# hv
-1.88049510664 h# ih
-1.79363621026 h# ix
-2.54496566395 h# iy
-1.88049510664 h# jh
-1.39408528691 h# k
-3.86956383376 h# kcl
-1.98038283748 h# l
-1.5070018522 h# m
-1.6199184175 h# n
-3.34841045547 h# ng
-3.59595831016 h# nx
-2.91411597357 h# ow
-3.94339389568 h# oy
-1.66334786569 h# p
-3.86956383376 h# pau
-3.00097486995 h# pcl
-0.951104915368 h# q
-1.62860430714 h# r
-1.38105645245 h# s
-1.68506258978 h# sh
-1.43317179028 h# t
-3.86956383376 h# tcl
-2.37559081601 h# th
-3.72624665473 h# uh
-3.70018898582 h# uw
-3.27023744873 h# ux
-2.3495331471 h# v
-1.11613681849 h# w
-1.76323559653 h# y
-3.86956383376 h# z
-4.25174297783 h# zh
-1.14219448741 hh aa
-1.01624908765 hh ae
-1.56346013485 hh ah
-1.43317179028 hh ao
-1.11179387367 hh aw
-2.23227363698 hh ax
-2.79685646346 hh axh
-1.43317179028 hh axr
-1.53305952112 hh ay
-3.32669573138 hh b
-3.38315401403 hh bcl
-3.74796137883 hh ch
-3.27892333837 hh d
-3.06177609742 hh dcl
-3.28760922801 hh dh
-3.39183990366 hh dx
-1.07705031512 hh eh
-3.68716015136 hh el
-4.56877794962 hh em
-3.86522088894 hh en
-5.25062028621 hh eng
-3.70453193063 hh epi
-1.39842823173 hh er
-2.09764234759 hh ey
-3.31800984174 hh f
-3.58727242052 hh g
-3.54384297233 hh gcl
-2.23227363698 hh h#
-3.69150309618 hh hh
-3.80441966147 hh hv
-1.03362086693 hh ih
-1.16825215632 hh ix
-0.746986508874 hh iy
-3.65675953763 hh jh
-3.08349082151 hh k
-3.04440431814 hh kcl
-3.27458039355 hh l
-3.1269202697 hh m
-3.27458039355 hh n
-3.58727242052 hh ng
-3.83482027521 hh nx
-1.50265890739 hh ow
-4.18225586073 hh oy
-3.25286566946 hh p
-2.57536627769 hh pau
-3.239836835 hh pcl
-3.27458039355 hh q
-2.99228898031 hh r
-3.27458039355 hh s
-3.54384297233 hh sh
-3.06611904224 hh t
-2.90543008393 hh tcl
-3.79139082702 hh th
-2.31913253336 hh uh
-1.68071964497 hh uw
-1.87615216182 hh ux
-3.36578223475 hh v
-1.58083191413 hh w
-1.6199184175 hh y
-3.09651965597 hh z
-4.49060494288 hh zh
-1.3463128939 hv aa
-0.647098778036 hv ae
-1.66769081051 hv ah
-1.45054356956 hv ao
-1.40277117655 hv aw
-3.16166382826 hv ax
-4.06933929543 hv axh
-1.45054356956 hv axr
-1.13785154259 hv ay
-3.28326628319 hv b
-3.33972456584 hv bcl
-3.70453193063 hv ch
-3.23549389018 hv d
-3.01834664923 hv dcl
-3.24417977982 hv dh
-3.34841045547 hv dx
-0.94241902573 hv eh
-3.64373070317 hv el
-3.16166382826 hv em
-3.82179144075 hv en
-5.20719083802 hv eng
-3.66110248244 hv epi
-1.5070018522 hv er
-1.9847257823 hv ey
-3.27458039355 hv f
-3.54384297233 hv g
-3.50041352414 hv gcl
-3.16166382826 hv h#
-3.16166382826 hv hh
-3.76099021328 hv hv
-0.925047246454 hv ih
-1.22036749415 hv ix
-1.15522332186 hv iy
-3.61333008944 hv jh
-3.04006137332 hv k
-3.00097486995 hv kcl
-2.97491720104 hv l
-3.08349082151 hv m
-2.82725707719 hv n
-3.54384297233 hv ng
-3.79139082702 hv nx
-1.35934172836 hv ow
-4.13882641254 hv oy
-3.20943622127 hv p
-3.66978837208 hv pau
-3.19640738681 hv pcl
-3.16166382826 hv q
-3.16166382826 hv r
-2.83160002201 hv s
-3.50041352414 hv sh
-3.02268959405 hv t
-2.86200063574 hv tcl
-3.74796137883 hv th
-1.92826749965 hv uh
-1.88049510664 hv uw
-1.9847257823 hv ux
-3.32235278656 hv v
-2.46244971239 hv w
-1.76323559653 hv y
-3.16166382826 hv z
-4.44717549469 hv zh
-3.23115101645 ih aa
-2.97491727213 ih ae
-3.45264120222 ih ah
-3.93036513231 ih ao
-3.66110255353 ih aw
-2.49719334203 ih ax
-3.9737945805 ih axh
-1.7371779987 ih axr
-3.23983690609 ih ay
-3.18772156826 ih b
-2.07592769459 ih bcl
-3.60898721571 ih ch
-3.13994917525 ih d
-1.26379701343 ih dcl
-2.38427677674 ih dh
-1.54608842667 ih dx
-3.45264120222 ih eh
-3.45264120222 ih el
-4.4298037865 ih em
-3.72624672582 ih en
-3.93036513231 ih eng
-3.93036513231 ih epi
-2.04118413604 ih er
-2.88805837575 ih ey
-1.59820376449 ih f
-3.4482982574 ih g
-1.46791541992 ih gcl
-3.93036513231 ih h#
-3.23115101645 ih hh
-2.6491964107 ih hv
-2.89674426538 ih ih
-2.56668045914 ih ix
-3.23115101645 ih iy
-3.23115101645 ih jh
-3.93036513231 ih k
-1.22905345488 ih kcl
-1.21602462042 ih l
-1.32025529608 ih m
-0.846874310801 ih n
-1.1899669515 ih ng
-1.65900499196 ih nx
-3.23115101645 ih ow
-4.04328169761 ih oy
-3.11389150634 ih p
-3.93036513231 ih pau
-1.55911726112 ih pcl
-1.95866818447 ih q
-1.51134486811 ih r
-0.977162655372 ih s
-1.394085358 ih sh
-3.93036513231 ih t
-1.25511112379 ih tcl
-1.9412964052 ih th
-3.82613445666 ih uh
-3.80007678774 ih uw
-3.93036513231 ih ux
-1.51568781293 ih v
-2.53193690059 ih w
-2.75342708636 ih y
-1.09442216549 ih z
-2.4667927283 ih zh
-3.32235278656 ix aa
-4.16922702627 ix ae
-3.50475646896 ix ah
-3.1269202697 ix ao
-3.69150309618 ix aw
-3.1269202697 ix ax
-4.30820126048 ix axh
-2.77079879454 ix axr
-3.69150309618 ix ay
-3.52212824824 ix b
-1.69374847942 ix bcl
-3.94339389568 ix ch
-3.47435585523 ix d
-1.12916565295 ix dcl
-2.01512639603 ix dh
-1.60688958304 ix dx
-3.69150309618 ix eh
-3.32235278656 ix el
-4.76421046648 ix em
-4.0606534058 ix en
-3.69150309618 ix eng
-3.69150309618 ix epi
-3.63070186871 ix er
-3.69150309618 ix ey
-1.74586381725 ix f
-3.78270493738 ix g
-1.49397301775 ix gcl
-2.16278651988 ix h#
-3.1269202697 ix hh
-2.31913253336 ix hv
-3.69150309618 ix ih
-2.99228898031 ix ix
-3.21377916608 ix iy
-3.47001291041 ix jh
-3.69150309618 ix k
-1.05099264621 ix kcl
-1.73717792761 ix l
-1.39842823173 ix m
-0.647098778036 ix n
-1.26813988716 ix ng
-1.87615216182 ix nx
-3.47001291041 ix ow
-4.37768837758 ix oy
-3.44829818631 ix p
-2.88805830466 ix pau
-1.5982036934 ix pcl
-1.81535093436 ix q
-2.29307486445 ix r
-1.02927792211 ix s
-1.81100798954 ix sh
-4.16922702627 ix t
-1.20299571487 ix tcl
-1.85443743773 ix th
-4.16054113663 ix uh
-4.13448346772 ix uw
-4.16922702627 ix ux
-1.54608835558 ix v
-2.18884418879 ix w
-2.34084725746 ix y
-1.0727073703 ix z
-2.84462885647 ix zh
-1.82403682399 iy aa
-1.97169694784 iy ae
-2.05855584422 iy ah
-2.22793069216 iy ao
-2.60576689142 iy aw
-1.94563927893 iy ax
-3.86522088894 iy axh
-2.18015829915 iy axr
-2.44942087793 iy ay
-3.07914787669 iy b
-1.88483805146 iy bcl
-3.50041352414 iy ch
-3.03137548368 iy d
-1.37237056281 iy dcl
-1.93695338929 iy dh
-1.60688958304 iy dx
-1.89786688592 iy eh
-2.92280186321 iy el
-4.32123009494 iy em
-3.48738468968 iy en
-3.12257732488 iy eng
-2.8533147461 iy epi
-2.31478958854 iy er
-1.97169694784 iy ey
-1.5982036934 iy f
-3.33972456584 iy g
-1.68071964497 iy gcl
-1.28985461125 iy h#
-2.2583313059 iy hh
-1.75454970689 iy hv
-1.6894055346 iy ih
-1.26379694234 iy ix
-3.26589450391 iy iy
-3.40921168294 iy jh
-3.96510861978 iy k
-1.31591228017 iy kcl
-1.48963007293 iy l
-1.42448590064 iy m
-1.34196994908 iy n
-1.37237056281 iy ng
-2.64485339479 iy nx
-1.85443743773 iy ow
-3.48738468968 iy oy
-3.00531781477 iy p
-1.7806073758 iy pau
-1.38105645245 iy pcl
-1.368027618 iy q
-1.82837976881 iy r
-1.21602454933 iy s
-1.97169694784 iy sh
-2.81857118755 iy t
-1.19865277005 iy tcl
-2.22793069216 iy th
-3.26589450391 iy uh
-3.96510861978 iy uw
-3.48738468968 iy ux
-1.5070018522 iy v
-1.6199184175 iy w
-2.05855584422 iy y
-1.18996688041 iy z
-2.92280186321 iy zh
-1.61557547268 jh aa
-1.78929326544 jh ae
-1.42014295582 jh ah
-1.65466197605 jh ao
-3.30498100728 jh aw
-2.0759276235 jh ax
-1.53740246594 jh axh
-1.39842823173 jh axr
-1.78929326544 jh ay
-2.77514173936 jh b
-2.13238590614 jh bcl
-3.30498100728 jh ch
-2.72736934635 jh d
-1.3463128939 jh dcl
-2.13238590614 jh dh
-2.84028591165 jh dx
-1.16825215632 jh eh
-2.60576689142 jh el
-2.83160002201 jh em
-1.63294725196 jh en
-4.69906629419 jh eng
-1.78929326544 jh epi
-1.69374847942 jh er
-2.19318713361 jh ey
-2.83160002201 jh f
-3.0357184285 jh g
-2.35387609192 jh gcl
-1.38974234209 jh h#
-2.26701719553 jh hh
-2.46244971239 jh hv
-1.17693804596 jh ih
-0.720928839959 jh ix
-1.32894111462 jh iy
-3.10520554561 jh jh
-2.5319368295 jh k
-1.87615216182 jh kcl
-2.13238590614 jh l
-2.57536627769 jh m
-2.60576689142 jh n
-3.0357184285 jh ng
-3.28326628319 jh nx
-2.13238590614 jh ow
-1.53740246594 jh oy
-2.70131167744 jh p
-1.87615216182 jh pau
-1.84575154809 jh pcl
-2.46244971239 jh q
-2.35387609192 jh r
-2.19318713361 jh s
-2.99228898031 jh sh
-2.51456505022 jh t
-1.5070018522 jh tcl
-2.35387609192 jh th
-2.0759276235 jh uh
-1.90655277556 jh uw
-1.33762700426 jh ux
-3.30498100728 jh v
-2.13238590614 jh w
-1.90655277556 jh y
-2.54496566395 jh z
-3.93905095086 jh zh
-1.22036749415 k aa
-1.31591228017 k ae
-1.37237056281 k ah
-1.4375147351 k ao
-1.78929326544 k aw
-1.50265890739 k ax
-2.55799449841 k axh
-1.79797915508 k axr
-2.06724173386 k ay
-3.19640738681 k b
-3.8782497234 k bcl
-3.61767303425 k ch
-3.1486349938 k d
-2.92714480803 k dcl
-2.48416443649 k dh
-3.26155155909 k dx
-1.60254663822 k eh
-1.29419755607 k el
-2.01512639603 k em
-1.93261044447 k en
-2.92714480803 k eng
-2.84028591165 k epi
-1.68506258978 k er
-1.54608835558 k ey
-2.11067118205 k f
-3.45698407595 k g
-3.8782497234 k gcl
-1.69374847942 k h#
-2.18884418879 k hh
-3.40486873812 k hv
-1.65900492087 k ih
-1.06836442548 k ix
-1.59386074858 k iy
-3.52647119305 k jh
-2.95320247694 k k
-2.91411597357 k kcl
-1.15088037704 k l
-2.92714480803 k m
-2.92714480803 k n
-3.45698407595 k ng
-3.70453193063 k nx
-1.64597608641 k ow
-2.09329940277 k oy
-3.12257732488 k p
-2.44942087793 k pau
-3.8782497234 k pcl
-2.12370001651 k q
-1.1856239356 k r
-1.02059203247 k s
-1.99341167194 k sh
-3.8782497234 k t
-2.26701719553 k tcl
-2.70565462226 k th
-1.87615216182 k uh
-2.38861965047 k uw
-1.86746627218 k ux
-3.0357184285 k v
-1.25076810788 k w
-1.56346013485 k y
-2.84028591165 k z
-4.36031659831 k zh
-3.63504481353 kcl aa
-3.63070186871 kcl ae
-3.44395524149 kcl ah
-3.71756076509 kcl ao
-4.12579757808 kcl aw
-3.43961229667 kcl ax
-3.91733622677 kcl axh
-3.60030125498 kcl axr
-3.70453193063 kcl ay
-2.327818423 kcl b
-3.91733622677 kcl bcl
-2.51890799504 kcl ch
-2.06724173386 kcl d
-3.38749695885 kcl dcl
-2.14975768542 kcl dh
-3.71756076509 kcl dx
-3.44395524149 kcl eh
-4.01288101279 kcl el
-4.89449881105 kcl em
-4.19094175037 kcl en
-5.57634114764 kcl eng
-3.91733622677 kcl epi
-3.76099021328 kcl er
-3.91733622677 kcl ey
-2.3495331471 kcl f
-2.40164848492 kcl g
-3.91733622677 kcl gcl
-2.48850738131 kcl h#
-3.2181221109 kcl hh
-4.1301405229 kcl hv
-3.2181221109 kcl ih
-3.91733622677 kcl ix
-3.44395524149 kcl iy
-2.8055423531 kcl jh
-0.0781730067426 kcl k
-3.37012517957 kcl kcl
-3.91733622677 kcl l
-2.327818423 kcl m
-2.327818423 kcl n
-3.91299328195 kcl ng
-4.16054113663 kcl nx
-3.76967610292 kcl ow
-4.50797672216 kcl oy
-1.95866811338 kcl p
-2.74474112563 kcl pau
-3.56555769643 kcl pcl
-3.2181221109 kcl q
-3.31800984174 kcl r
-1.59386074858 kcl s
-1.94129633411 kcl sh
-1.23339632861 kcl t
-3.91733622677 kcl tcl
-2.68828284298 kcl th
-3.91733622677 kcl uh
-4.26477181229 kcl uw
-3.83482027521 kcl ux
-2.87937241502 kcl v
-2.87937241502 kcl w
-3.2181221109 kcl y
-3.91733622677 kcl z
-4.81632580431 kcl zh
-1.49397301775 l aa
-1.32025522499 l ae
-1.64163314159 l ah
-1.50265890739 l ao
-1.79797915508 l aw
-1.1856239356 l ax
-3.91733622677 l axh
-1.82837976881 l axr
-1.2768257768 l ay
-3.13126321452 l b
-2.16278651988 l bcl
-3.9477368405 l ch
-3.9477368405 l d
-1.33328405944 l dcl
-2.10632823723 l dh
-2.14975768542 l dx
-1.33328405944 l eh
-3.9477368405 l el
-2.83160002201 l em
-2.99228898031 l en
-5.05518776935 l eng
-2.58405216732 l epi
-1.88483805146 l er
-1.27248283198 l ey
-1.75020676207 l f
-3.39183990366 l g
-2.7143405119 l gcl
-1.71546320352 l h#
-2.99228898031 l hh
-2.48416443649 l hv
-1.21602454933 l ih
-1.2551110527 l ix
-0.868588963807 l iy
-3.46132702077 l jh
-2.88805830466 l k
-1.91089572037 l kcl
-3.9477368405 l l
-1.75454970689 l m
-2.48416443649 l n
-3.39183990366 l ng
-3.63938775835 l nx
-1.49397301775 l ow
-2.40164848492 l oy
-3.0574331526 l p
-2.33216136782 l pau
-1.82837976881 l pcl
-2.08461351314 l q
-2.37993376083 l r
-1.70677731388 l s
-2.58405216732 l sh
-2.87068652538 l t
-1.65900492087 l tcl
-2.19318713361 l th
-1.99775461675 l uh
-2.02815523049 l uw
-2.07158467868 l ux
-2.13238590614 l v
-1.82837976881 l w
-2.16278651988 l y
-1.67637670015 l z
-3.24852272464 l zh
-1.64597608641 m aa
-1.41145706619 m ae
-1.24208221824 m ah
-1.5287165763 m ao
-2.31913253336 m aw
-1.31591228017 m ax
-3.83916322002 m axh
-1.79363621026 m axr
-1.3245981698 m ay
-2.60576689142 m b
-1.47225829365 m bcl
-3.37881106921 m ch
-3.13994910416 m d
-2.02381228567 m dcl
-1.83272271363 m dh
-3.02268959405 m dx
-1.31156933535 m eh
-2.22358774734 m el
-4.19962764 m em
-2.60576689142 m en
-4.88146997659 m eng
-1.9847257823 m epi
-1.85009449291 m er
-1.1856239356 m ey
-2.02381228567 m f
-3.2181221109 m g
-2.47547854685 m gcl
-1.33328405944 m h#
-2.47547854685 m hh
-2.27136014035 m hv
-1.40277117655 m ih
-1.11613681849 m ix
-1.31591228017 m iy
-3.28760922801 m jh
-2.7143405119 m k
-2.01078345121 m kcl
-1.91958161001 m l
-2.75776996009 m m
-2.02381228567 m n
-3.2181221109 m ng
-3.46566996559 m nx
-1.5287165763 m ow
-2.34519020228 m oy
-3.83916322002 m p
-2.01078345121 m pau
-1.11613681849 m pcl
-2.20621596807 m q
-2.34519020228 m r
-1.74152087243 m s
-2.60576689142 m sh
-3.83916322002 m t
-1.76323559653 m tcl
-2.72302640153 m th
-2.99228898031 m uh
-1.78495032062 m uw
-2.03684112013 m ux
-2.79685646346 m v
-2.02381228567 m w
-1.86746627218 m y
-1.46791534883 m z
-4.12145463326 m zh
-1.54608835558 n aa
-1.97603989266 n ae
-1.65900492087 n ah
-2.02815523049 n ao
-1.97603989266 n aw
-1.67637670015 n ax
-4.09539696435 n axh
-2.10632823723 n axr
-1.88049510664 n ay
-4.09539696435 n b
-1.69374847942 n bcl
-2.69696873262 n ch
-1.8935239411 n d
-1.05967853584 n dcl
-1.48963007293 n dh
-3.13994910416 n dx
-1.60688958304 n eh
-2.37124787119 n el
-4.09539696435 n em
-3.61767303425 n en
-5.0421589349 n eng
-2.11501412687 n epi
-2.50153621576 n er
-1.95866811338 n ey
-1.78929326544 n f
-3.37881106921 n g
-2.31044664373 n gcl
-1.38974234209 n h#
-2.66222517407 n hh
-1.76757854135 n hv
-1.48963007293 n ih
-1.37237056281 n ix
-1.38974234209 n iy
-2.37124787119 n jh
-4.09539696435 n k
-1.73283498279 n kcl
-1.81100798954 n l
-1.73283498279 n m
-2.66222517407 n n
-3.37881106921 n ng
-3.62635892389 n nx
-1.58951780377 n ow
-2.69696873262 n oy
-3.04440431814 n p
-1.91958161001 n pau
-1.89786688592 n pcl
-1.47225829365 n q
-2.05855584422 n r
-1.15088037704 n s
-1.95866811338 n sh
-2.63182456033 n t
-0.864246018987 n tcl
-2.54930860877 n th
-3.75664726846 n uh
-2.50153621576 n uw
-1.89786688592 n ux
-2.25398836108 n v
-1.83706565845 n w
-1.93261044447 n y
-1.34196994908 n z
-2.91845891839 n zh
-2.14975758403 ng aa
-2.90108703772 ng ae
-2.0976422462 ng ah
-2.26267414932 ng ao
-2.67959685195 ng aw
-2.0976422462 ng ax
-3.48738458829 ng axh
-2.0976422462 ng axr
-2.75342691388 ng ay
-2.70131157605 ng b
-1.60688948165 ng bcl
-3.12257722349 ng ch
-2.90108703772 ng d
-1.59386064719 ng dcl
-1.53740236455 ng dh
-2.76645574833 ng dx
-2.33650421125 ng eh
-3.37881096782 ng el
-3.94339379429 ng em
-3.23983673361 ng en
-4.62523613088 ng eng
-2.0976422462 ng epi
-2.14975758403 ng er
-3.37881096782 ng ey
-1.58083181274 ng f
-1.85878028115 ng g
-1.08573610337 ng gcl
-0.951104813977 ng h#
-1.98038273609 ng hh
-1.46791524744 ng hv
-1.53740236455 ng ih
-1.25511095131 ng ix
-2.05421279801 ng iy
-3.03137538229 ng jh
-2.14975758403 ng k
-0.925047145063 ng kcl
-1.81100788815 ng l
-1.78495021923 ng m
-1.9152385638 ng n
-2.96188826519 ng ng
-3.20943611987 ng nx
-2.67959685195 ng ow
-3.5568717054 ng oy
-2.62748151412 ng p
-1.70677721249 ng pau
-1.70677721249 ng pcl
-1.50265880599 ng q
-1.52871647491 ng r
-1.42014285443 ng s
-1.88483795007 ng sh
-2.44073488691 ng t
-1.4592293578 ng tcl
-2.26267414932 ng th
-3.33972446444 ng uh
-3.31366679553 ng uw
-2.88371525845 ng ux
-1.94563917754 ng v
-1.35499868215 ng w
-1.72414899176 ng y
-1.52871647491 ng z
-3.37881096782 ng zh
-1.70243430263 nx aa
-2.08895639153 nx ae
-1.42448583421 nx ah
-1.81100792311 nx ao
-2.08895639153 nx aw
-0.925047180026 nx ax
-2.653539218 nx axh
-0.929390124845 nx axr
-1.90220976431 nx ay
-3.40921161651 nx b
-3.46566989916 nx bcl
-3.83047726396 nx ch
-3.3614392235 nx d
-3.14429198255 nx dcl
-3.37012511314 nx dh
-3.4743557888 nx dx
-1.58951773734 nx eh
-1.70243430263 nx el
-4.65129383476 nx em
-3.13126314809 nx en
-5.33313617134 nx eng
-3.78704781577 nx epi
-1.29419748964 nx er
-1.73283491637 nx ey
-3.40052572687 nx f
-3.66978830565 nx g
-3.62635885746 nx gcl
-3.1790355411 nx h#
-3.77401898131 nx hh
-3.88693554661 nx hv
-0.968476628216 nx ih
-0.573268649684 nx ix
-0.846874173283 nx iy
-3.73927542276 nx jh
-3.16600670665 nx k
-3.12692020328 nx kcl
-3.10086253436 nx l
-3.20943615484 nx m
-2.95320241051 nx n
-3.66978830565 nx ng
-3.91733616034 nx nx
-2.28438890838 nx ow
-3.13126314809 nx oy
-3.33538155459 nx p
-3.79573370541 nx pau
-3.32235272013 nx pcl
-2.653539218 nx q
-3.07480486545 nx r
-2.95754535533 nx s
-3.62635885746 nx sh
-3.14863492737 nx t
-2.98794596907 nx tcl
-3.87390671215 nx th
-3.13126314809 nx uh
-4.021566836 nx uw
-3.59161529891 nx ux
-3.44829811988 nx v
-3.40052572687 nx w
-2.653539218 nx y
-3.1790355411 nx z
-4.57312082801 nx zh
-2.11935707169 ow aa
-2.34519020228 ow ae
-2.34519020228 ow ah
-1.97603989266 ow ao
-2.56668038805 ow aw
-1.94998222375 ow ax
-3.6046441998 ow axh
-2.40599142974 ow axr
-2.34519020228 ow ay
-2.81857118755 ow b
-1.66769081051 ow bcl
-3.239836835 ow ch
-2.77079879454 ow d
-1.64597608641 ow dcl
-1.94998222375 ow dh
-1.52437363148 ow dx
-2.19753007843 ow eh
-3.04006137332 ow el
-3.51778530342 ow em
-3.51778530342 ow en
-4.74249574238 ow eng
-3.51778530342 ow epi
-2.81857118755 ow er
-2.81857118755 ow ey
-1.82837976881 ow f
-3.07914787669 ow g
-1.79363621026 ow gcl
-1.69374847942 ow h#
-2.67525400852 ow hh
-2.02815523049 ow hv
-2.15844357506 ow ih
-1.58083191413 ow ix
-2.67525400852 ow iy
-3.1486349938 ow jh
-2.57536627769 ow k
-1.24642516306 ow kcl
-1.03362086693 ow l
-1.3463128939 ow m
-0.977162584282 ow n
-2.67525400852 ow ng
-1.94998222375 ow nx
-2.81857118755 ow ow
-3.51778530342 ow oy
-2.74474112563 ow p
-2.11935707169 ow pau
-1.33328405944 ow pcl
-1.6199184175 ow q
-2.24095952662 ow r
-1.0944220944 ow s
-1.6199184175 ow sh
-2.55799449841 ow t
-1.3245981698 ow tcl
-1.58083191413 ow th
-3.45698407595 ow uh
-3.43092640704 ow uw
-3.00097486995 ow ux
-1.17259510114 ow v
-1.75020676207 ow w
-2.81857118755 ow y
-1.14653743222 ow z
-2.15844357506 ow zh
-2.783827629 oy aa
-2.08461351314 oy ae
-2.64051044997 oy ah
-2.08461351314 oy ao
-3.13126321452 oy aw
-2.783827629 oy ax
-3.44395524149 oy axh
-2.08461351314 oy axr
-2.70999756708 oy ay
-2.65788222925 oy b
-1.35065583872 oy bcl
-3.07914787669 oy ch
-2.61010983624 oy d
-1.67203375533 oy dcl
-1.67203375533 oy dh
-1.60688958304 oy dx
-2.47982149167 oy eh
-2.08461351314 oy el
-3.89996444749 oy em
-3.19640738681 oy en
-4.58180678408 oy eng
-3.0357184285 oy epi
-1.82837976881 oy er
-2.30610369891 oy ey
-2.64919633961 oy f
-2.91845891839 oy g
-1.67203375533 oy gcl
-2.42770615384 oy h#
-3.02268959405 oy hh
-3.13560615934 oy hv
-1.60688958304 oy ih
-1.35065583872 oy ix
-1.74152087243 oy iy
-2.98794603549 oy jh
-2.41467731938 oy k
-2.30610369891 oy kcl
-1.15088037704 oy l
-2.08461351314 oy m
-0.877274853445 oy n
-1.82837976881 oy ng
-1.60688958304 oy nx
-2.77514173936 oy ow
-3.5134423586 oy oy
-2.58405216732 oy p
-3.04440431814 oy pau
-1.67203375533 oy pcl
-1.23773927342 oy q
-2.32347547818 oy r
-0.729614729597 oy s
-1.42014295582 oy sh
-2.39730554011 oy t
-2.783827629 oy tcl
-3.12257732488 oy th
-3.29629511765 oy uh
-3.27023744873 oy uw
-2.84028591165 oy ux
-2.69696873262 oy v
-2.783827629 oy w
-1.67203375533 oy y
-1.04230675657 oy z
-3.82179144075 oy zh
-1.24642516306 p aa
-1.54608835558 p ae
-1.92826749965 p ah
-1.70243436906 p ao
-1.91523866519 p aw
-1.51134479702 p ax
-2.48416443649 p axh
-1.09876503922 p axr
-1.57214602449 p ay
-3.17469266271 p b
-3.23115094536 p bcl
-3.23549389018 p ch
-3.1269202697 p d
-3.23549389018 p dcl
-2.48416443649 p dh
-3.239836835 p dx
-1.415800011 p eh
-1.58517485895 p el
-4.41677488096 p em
-2.53627977431 p en
-5.09861721754 p eng
-3.55252886197 p epi
-1.34196994908 p er
-1.35065583872 p ey
-3.23549389018 p f
-3.71321782027 p g
-2.87068652538 p gcl
-1.88918099628 p h#
-2.75776996009 p hh
-3.23549389018 p hv
-1.39842823173 p ih
-1.36368467318 p ix
-1.39408528691 p iy
-3.50475646896 p jh
-2.93148775285 p k
-3.01400370441 p kcl
-0.885960743083 p l
-2.97491720104 p m
-2.6709110637 p n
-3.43526935185 p ng
-3.68281720654 p nx
-1.52437363148 p ow
-1.72849203797 p oy
-3.10086260079 p p
-2.75776996009 p pau
-3.71321782027 p pcl
-2.75776996009 p q
-0.816473625978 p r
-1.51134479702 p s
-2.75776996009 p sh
-2.91411597357 p t
-2.43639204348 p tcl
-2.6709110637 p th
-1.90220983074 p uh
-2.43639204348 p uw
-2.6014239466 p ux
-3.21377916608 p v
-2.1454147406 p w
-1.76323559653 p y
-3.23549389018 p z
-4.33860187421 p zh
-2.0759276235 pau aa
-2.01946934085 pau ae
-2.29741780927 pau ah
-1.85443743773 pau ao
-3.10086260079 pau aw
-1.70677731388 pau ax
-2.77514173936 pau axh
-3.25286566946 pau axr
-2.77514173936 pau ay
-1.18128099078 pau b
-2.40599142974 pau bcl
-3.04874726296 pau ch
-1.5982036934 pau d
-3.25286566946 pau dcl
-1.19865277005 pau dh
-2.6926257878 pau dx
-1.78929326544 pau eh
-3.25286566946 pau el
-3.86956383376 pau em
-2.77514173936 pau en
-4.55140617035 pau eng
-3.00531781477 pau epi
-2.77514173936 pau er
-2.77514173936 pau ey
-1.55911719003 pau f
-1.97169694784 pau g
-2.84462885647 pau gcl
-2.39730554011 pau h#
-1.22905338379 pau hh
-2.55365155359 pau hv
-1.73283498279 pau ih
-1.33328405944 pau ix
-2.29741780927 pau iy
-2.55365155359 pau jh
-1.54174541076 pau k
-2.34519020228 pau kcl
-2.01946934085 pau l
-1.32025522499 pau m
-1.28985461125 pau n
-2.88805830466 pau ng
-3.13560615934 pau nx
-2.74474112563 pau ow
-3.48304174486 pau oy
-1.92826749965 pau p
-3.01400370441 pau pau
-2.54062271913 pau pcl
-0.768701232969 pau q
-1.63729019678 pau r
-1.35499878354 pau s
-1.58083191413 pau sh
-1.48094418329 pau t
-3.25286566946 pau tcl
-1.88918099628 pau th
-3.26589450391 pau uh
-3.239836835 pau uw
-3.25286566946 pau ux
-2.55365155359 pau v
-1.12916565295 pau w
-1.70677731388 pau y
-2.29741780927 pau z
-3.79139082702 pau zh
-3.70018898582 pcl aa
-3.695846041 pcl ae
-3.70018898582 pcl ah
-3.78270493738 pcl ao
-4.19094175037 pcl aw
-2.77079879454 pcl ax
-3.72190370991 pcl axh
-3.24417977982 pcl axr
-3.76967610292 pcl ay
-2.04986995458 pcl b
-3.77401904774 pcl bcl
-2.68393989816 pcl ch
-2.44507793312 pcl d
-3.45264113113 pcl dcl
-2.08895645795 pcl dh
-3.78270493738 pcl dx
-3.53950002751 pcl eh
-4.07802518507 pcl el
-3.72190370991 pcl em
-4.25608592265 pcl en
-5.64148531992 pcl eng
-4.09539696435 pcl epi
-3.24417977982 pcl er
-3.70018898582 pcl ey
-2.49285032612 pcl f
-2.68393989816 pcl g
-3.93470800604 pcl gcl
-1.95432516856 pcl h#
-3.24417977982 pcl hh
-4.19528469519 pcl hv
-3.42658346222 pcl ih
-2.77079879454 pcl ix
-3.38749695885 pcl iy
-2.77079879454 pcl jh
-2.29307486445 pcl k
-3.43526935185 pcl kcl
-3.40921168294 pcl l
-2.23227363698 pcl m
-2.11067118205 pcl n
-3.97813745423 pcl ng
-4.22568530892 pcl nx
-3.83482027521 pcl ow
-4.57312089444 pcl oy
-0.0608012274665 pcl p
-2.54930860877 pcl pau
-3.63070186871 pcl pcl
-2.77079879454 pcl q
-3.24417977982 pcl r
-1.88483805146 pcl s
-2.68393989816 pcl sh
-1.5287165763 pcl t
-3.29629511765 pcl tcl
-2.68393989816 pcl th
-4.35597365349 pcl uh
-4.32991598458 pcl uw
-3.89996444749 pcl ux
-2.61010983624 pcl v
-2.61010983624 pcl w
-4.05631046098 pcl y
-2.77079879454 pcl z
-4.88146997659 pcl zh
-1.20733865969 q aa
-1.08139325994 q ae
-1.24642516306 q ah
-1.16825215632 q ao
-1.69374847942 q aw
-1.26813988716 q ax
-3.03137548368 q axh
-2.26701719553 q axr
-1.39842823173 q ay
-3.03137548368 q b
-2.77514173936 q bcl
-3.25286566946 q ch
-2.88371535984 q d
-3.03137548368 q dcl
-3.25286566946 q dh
-2.90977302875 q dx
-0.964133749825 q eh
-2.88371535984 q el
-4.08671107471 q em
-1.85443743773 q en
-4.7685534113 q eng
-3.22246505572 q epi
-1.81100798954 q er
-1.32894111462 q ey
-2.33216136782 q f
-3.25286566946 q g
-3.73058959955 q gcl
-2.21055891289 q h#
-2.68828284298 q hh
-2.55365155359 q hv
-1.08139325994 q ih
-1.01190614283 q ix
-1.37671350763 q iy
-3.17469266271 q jh
-2.77514173936 q k
-2.77514173936 q kcl
-1.46357240401 q l
-1.8023220999 q m
-2.00644050639 q n
-3.10520554561 q ng
-3.35275340029 q nx
-1.34196994908 q ow
-2.16278651988 q oy
-2.77514173936 q p
-2.40599142974 q pau
-3.73058959955 q pcl
-2.75342701527 q q
-2.00644050639 q r
-2.36690492637 q s
-3.25286566946 q sh
-2.58405216732 q t
-3.25286566946 q tcl
-3.3093239521 q th
-3.48304174486 q uh
-3.25286566946 q uw
-3.03137548368 q ux
-3.03137548368 q v
-1.68506258978 q w
-2.02381228567 q y
-3.73058959955 q z
-4.00853806797 q zh
-1.42448590064 r aa
-1.32894111462 r ae
-1.40277117655 r ah
-1.75454970689 r ao
-1.99341167194 r aw
-1.67203375533 r ax
-3.1269202697 r axh
-1.97603989266 r axr
-1.37237056281 r ay
-3.28760922801 r b
-1.91089572037 r bcl
-3.9694515646 r ch
-3.239836835 r d
-1.37671350763 r dcl
-2.10632823723 r dh
-1.53305952112 r dx
-1.17259510114 r eh
-2.26267425072 r el
-2.29741780927 r em
-2.93148775285 r en
-5.21153378284 r eng
-3.66544542726 r epi
-2.79685646346 r er
-1.30288344571 r ey
-2.02381228567 r f
-3.54818591715 r g
-2.13238590614 r gcl
-2.26267425072 r h#
-2.61010983624 r hh
-2.6926257878 r hv
-1.1856239356 r ih
-1.07705031512 r ix
-0.881617798264 r iy
-3.27023744873 r jh
-3.04440431814 r k
-1.75889265171 r kcl
-1.81535093436 r l
-1.6199184175 r m
-1.89786688592 r n
-3.54818591715 r ng
-2.40164848492 r nx
-1.40277117655 r ow
-2.37993376083 r oy
-3.21377916608 r p
-3.01834664923 r pau
-2.07158467868 r pcl
-1.95866811338 r q
-2.95320247694 r r
-1.79797915508 r s
-2.23227363698 r sh
-3.02703253887 r t
-1.71546320352 r tcl
-2.93148775285 r th
-2.64919633961 r uh
-1.82403682399 r uw
-1.67637670015 r ux
-2.61010983624 r v
-2.06289878904 r w
-2.64919633961 r y
-2.21490185771 r z
-3.1269202697 r zh
-2.1627863988 s aa
-2.11501400579 s ae
-1.50265878631 s ah
-1.78929314437 s ao
-2.97926002478 s aw
-1.49397289667 s ax
-1.98906860604 s axh
-1.97603977159 s axr
-1.69374835835 s ay
-3.42224039632 s b
-1.85009437183 s bcl
-4.09105389845 s ch
-3.37446800331 s d
-1.98906860604 s dcl
-1.98906860604 s dh
-3.48738456861 s dx
-1.37671338656 s eh
-2.5493084877 s el
-2.97926002478 s em
-2.19318701254 s en
-3.61332996836 s eng
-1.24642504199 s epi
-1.79363608919 s er
-1.96301093713 s ey
-1.75889253063 s f
-3.68281708547 s g
-2.24095940555 s gcl
-1.02493485622 s h#
-1.94129621303 s hh
-3.13560603827 s hv
-1.49397289667 s ih
-1.12047964224 s ix
-1.48528700703 s iy
-3.75230420257 s jh
-3.17903548646 s k
-1.17693792488 s kcl
-1.86746615111 s l
-2.69262566673 s m
-2.66222505299 s n
-3.68281708547 s ng
-3.93036494015 s nx
-1.80232197882 s ow
-2.60142382553 s oy
-3.3484103344 s p
-1.73717780654 s pau
-1.20733853862 s pcl
-1.8891808752 s q
-2.34953302602 s r
-2.97057413514 s s
-2.66222505299 s sh
-3.39183978259 s t
-0.729614608523 s tcl
-2.40164836385 s th
-2.77079867347 s uh
-2.47982137059 s uw
-2.08895633688 s ux
-3.24852260356 s v
-2.10632811616 s w
-2.57536615661 s y
-3.13560603827 s z
-4.58614960782 s zh
-1.6199184175 sh aa
-1.95866811338 sh ae
-1.98906872712 sh ah
-1.56780307967 sh ao
-2.14107179578 sh aw
-1.6199184175 sh ax
-2.46679265721 sh axh
-1.98906872712 sh axr
-2.24530247144 sh ay
-2.84028591165 sh b
-3.4222405174 sh bcl
-3.4222405174 sh ch
-2.79251351864 sh d
-2.24530247144 sh dcl
-3.4222405174 sh dh
-2.90543008393 sh dx
-1.54608835558 sh eh
-1.69809142424 sh el
-4.08236812989 sh em
-0.885960743083 sh en
-3.4222405174 sh eng
-1.29854050089 sh epi
-1.48094418329 sh er
-1.85443743773 sh ey
-1.92826749965 sh f
-3.10086260079 sh g
-2.30610369891 sh gcl
-1.78495032062 sh h#
-3.4222405174 sh hh
-3.31800984174 sh hv
-1.31591228017 sh ih
-0.699214115864 sh ix
-1.06402148066 sh iy
-3.17034971789 sh jh
-2.59708100178 sh k
-2.24530247144 sh kcl
-1.95866811338 sh l
-2.57536627769 sh m
-2.57536627769 sh n
-3.10086260079 sh ng
-3.34841045547 sh nx
-1.69809142424 sh ow
-3.695846041 sh oy
-2.76645584972 sh p
-2.46679265721 sh pau
-2.18884418879 sh pcl
-2.9445165873 sh q
-1.75020676207 sh r
-1.98906872712 sh s
-3.0574331526 sh sh
-2.57970922251 sh t
-1.22471043897 sh tcl
-2.37993376083 sh th
-1.63729019678 sh uh
-2.24530247144 sh uw
-1.65031903123 sh ux
-2.30610369891 sh v
-2.83160002201 sh w
-2.30610369891 sh y
-2.46679265721 sh z
-4.00419512315 sh zh
-1.53305952112 t aa
-1.43317179028 t ae
-1.66769081051 t ah
-1.66334786569 t ao
-2.50153621576 t aw
-1.50265890739 t ax
-1.54608835558 t axh
-1.35499878354 t axr
-1.48094418329 t ay
-3.35709634511 t b
-2.72302640153 t bcl
-3.77836199256 t ch
-3.3093239521 t d
-3.09217671115 t dcl
-3.19640738681 t dh
-3.4222405174 t dx
-1.30288344571 t eh
-3.05309020778 t el
-2.9445165873 t em
-2.46679265721 t en
-3.89562150267 t eng
-2.72302640153 t epi
-1.64163314159 t er
-1.45488651438 t ey
-2.01078345121 t f
-3.61767303425 t g
-2.66656811889 t gcl
-1.28551166643 t h#
-1.96735400302 t hh
-2.783827629 t hv
-1.28551166643 t ih
-0.916361356816 t ix
-1.30722639053 t iy
-3.68716015136 t jh
-3.11389143525 t k
-2.327818423 t kcl
-2.783827629 t l
-2.85765769092 t m
-3.89562150267 t n
-3.61767303425 t ng
-3.86522088894 t nx
-1.98038283748 t ow
-2.783827629 t oy
-3.28326628319 t p
-1.8935239411 t pau
-3.19640738681 t pcl
-1.87615216182 t q
-1.0032202532 t r
-1.25945399752 t s
-2.46679265721 t sh
-3.09651965597 t t
-3.05309020778 t tcl
-3.89562150267 t th
-2.03249817531 t uh
-1.69809142424 t uw
-1.12482270813 t ux
-3.19640738681 t v
-1.8935239411 t w
-2.40599142974 t y
-3.1269202697 t z
-4.52100555661 t zh
-3.65241659281 tcl aa
-3.10520554561 tcl ae
-3.65241659281 tcl ah
-3.10520554561 tcl ao
-4.14316935736 tcl aw
-3.21377916608 tcl ax
-4.45586138433 tcl axh
-3.61767303425 tcl axr
-3.72190370991 tcl ay
-1.81969387917 tcl b
-3.5829294757 tcl bcl
-0.907675467178 tcl ch
-1.74152087243 tcl d
-3.5829294757 tcl dcl
-1.62426136232 tcl dh
-3.73493254437 tcl dx
-3.36143928993 tcl eh
-4.0606534058 tcl el
-4.91187059033 tcl em
-2.36690492637 tcl en
-5.59371292691 tcl eng
-4.04762457134 tcl epi
-3.77836199256 tcl er
-3.65241659281 tcl ey
-2.03684112013 tcl f
-2.33650431264 tcl g
-4.0606534058 tcl gcl
-1.53305952112 tcl h#
-2.56668038805 tcl hh
-2.38861965047 tcl hv
-3.01834664923 tcl ih
-2.66222517407 tcl ix
-3.33972456584 tcl iy
-2.56668038805 tcl jh
-1.82403682399 tcl k
-4.0606534058 tcl kcl
-2.17147240952 tcl l
-1.95432516856 tcl m
-2.0542128994 tcl n
-3.93036506122 tcl ng
-4.17791291591 tcl nx
-4.0606534058 tcl ow
-4.52534850143 tcl oy
-1.88483805146 tcl p
-2.01946934085 tcl pau
-3.5829294757 tcl pcl
-1.8935239411 tcl q
-2.28873191963 tcl r
-1.11613681849 tcl s
-2.40599142974 tcl sh
-0.238861965047 tcl t
-3.24852272464 tcl tcl
-2.77948468418 tcl th
-4.30820126048 tcl uh
-4.28214359157 tcl uw
-3.85219205448 tcl ux
-2.82725707719 tcl v
-2.33650431264 tcl w
-2.48850738131 tcl y
-2.9445165873 tcl z
-4.83369758358 tcl zh
-3.17469266271 th aa
-1.8935239411 th ae
-2.05855584422 th ah
-1.65466197605 th ao
-1.77626443098 th aw
-1.415800011 th ax
-2.13238590614 th axh
-1.58083191413 th axr
-2.69696873262 th ay
-2.55365155359 th b
-1.99775461675 th bcl
-2.97491720104 th ch
-2.50587916058 th d
-1.50265890739 th dcl
-2.21924480253 th dh
-2.61879572588 th dx
-1.60688958304 th eh
-3.17469266271 th el
-3.79573377183 th em
-3.17469266271 th en
-3.17469266271 th eng
-1.62860430714 th epi
-1.33328405944 th er
-2.13238590614 th ey
-1.7111202587 th f
-2.81422824273 th g
-2.47547854685 th gcl
-1.45054356956 th h#
-1.74152087243 th hh
-3.17469266271 th hv
-0.80778773634 th ih
-1.12047976331 th ix
-1.12047976331 th iy
-2.88371535984 th jh
-2.31044664373 th k
-1.7111202587 th kcl
-1.8935239411 th l
-3.17469266271 th m
-2.327818423 th n
-2.81422824273 th ng
-3.06177609742 th nx
-3.17469266271 th ow
-3.40921168294 th oy
-2.47982149167 th p
-1.77626443098 th pau
-1.55911719003 th pcl
-1.81100798954 th q
-0.890303687902 th r
-1.81100798954 th s
-2.69696873262 th sh
-2.29307486445 th t
-1.99775461675 th tcl
-3.01834664923 th th
-3.17469266271 th uh
-3.16600677307 th uw
-2.05855584422 th ux
-1.85009449291 th v
-2.13238590614 th w
-1.99775461675 th y
-2.327818423 th z
-3.71756076509 th zh
-3.00097481475 uh aa
-2.87068647018 uh ae
-2.875029415 uh ah
-2.95754536656 uh ao
-3.00097481475 uh aw
-2.04552695457 uh ax
-3.67847420652 uh axh
-2.84028585645 uh axr
-2.94451653211 uh ay
-2.89240119428 uh b
-1.63729014158 uh bcl
-3.31366684172 uh ch
-2.84462880127 uh d
-0.586297495371 uh dcl
-2.04552695457 uh dh
-0.938076025713 uh dx
-2.7143404567 uh eh
-3.25286561426 uh el
-4.13448341252 uh em
-3.43092635184 uh en
-4.81632574911 uh eng
-3.27023739353 uh epi
-2.30176069889 uh er
-3.00097481475 uh ey
-2.04552695457 uh f
-3.15297788342 uh g
-2.15410057504 uh gcl
-2.66222511887 uh h#
-3.00097481475 uh hh
-2.30176069889 uh hv
-2.6014238914 uh ih
-2.52325088466 uh ix
-2.56233738803 uh iy
-3.22246500052 uh jh
-2.64919628441 uh k
-0.68184228139 uh kcl
-1.04230670137 uh l
-1.63729014158 uh m
-2.04552695457 uh n
-3.15297788342 uh ng
-3.00097481475 uh nx
-3.00097481475 uh ow
-3.74796132363 uh oy
-2.81857113235 uh p
-3.27892328317 uh pau
-2.30176069889 uh pcl
-2.15410057504 uh q
-1.76757848615 uh r
-1.50700179701 uh s
-1.76757848615 uh sh
-2.63182450514 uh t
-1.31156928015 uh tcl
-3.00097481475 uh th
-3.53081408268 uh uh
-3.50475641376 uh uw
-3.07480487668 uh ux
-2.04552695457 uh v
-1.95866805819 uh w
-3.00097481475 uh y
-1.40711406617 uh z
-4.05631040578 uh zh
-1.62860430714 uw aa
-1.79363621026 uw ae
-1.70243436906 uw ah
-1.91089572037 uw ao
-2.32347547818 uw aw
-1.19865277005 uw ax
-3.20943622127 uw axh
-1.74586381725 uw axr
-2.54930860877 uw ay
-2.42336320902 uw b
-1.91089572037 uw bcl
-2.84462885647 uw ch
-2.37559081601 uw d
-1.9847257823 uw dcl
-1.79363621026 uw dh
-2.32347547818 uw dx
-1.56346013485 uw eh
-1.56346013485 uw el
-3.66544542726 uw em
-3.02268959405 uw en
-4.34728776385 uw eng
-2.80119940828 uw epi
-2.32347547818 uw er
-1.66334786569 uw ey
-1.59386074858 uw f
-2.68393989816 uw g
-2.32347547818 uw gcl
-2.32347547818 uw h#
-3.02268959405 uw hh
-1.91089572037 uw hv
-1.62860430714 uw ih
-1.43317179028 uw ix
-1.9847257823 uw iy
-2.75342701527 uw jh
-2.18015829915 uw k
-1.9847257823 uw kcl
-1.23773927342 uw l
-1.21168160451 uw m
-1.21168160451 uw n
-2.68393989816 uw ng
-2.54930860877 uw nx
-1.9847257823 uw ow
-2.18015829915 uw oy
-2.3495331471 uw p
-2.18015829915 uw pau
-1.53305952112 uw pcl
-1.22471043897 uw q
-1.91089572037 uw r
-1.53305952112 uw s
-2.07158467868 uw sh
-2.16278651988 uw t
-1.59386074858 uw tcl
-2.54930860877 uw th
-3.06177609742 uw uh
-3.0357184285 uw uw
-2.60576689142 uw ux
-0.98584847392 uw v
-1.29854050089 uw w
-2.7621129049 uw y
-1.9847257823 uw z
-2.32347547818 uw zh
-2.22358765117 ux aa
-2.13238580997 ux ae
-2.41467722321 ux ah
-2.41467722321 ux ao
-2.61010974007 ux aw
-2.05421280323 ux ax
-3.51778520724 ux axh
-2.75342691909 ux axr
-2.75342691909 ux ay
-2.731712195 ux b
-1.46791525266 ux bcl
-3.15297784245 ux ch
-2.68393980199 ux d
-1.10310788786 ux dcl
-1.53305942495 ux dh
-1.32459807363 ux dx
-2.41467722321 ux eh
-3.09217661498 ux el
-3.97379441324 ux em
-3.27023735256 ux en
-4.65563674983 ux eng
-3.45264103496 ux epi
-2.50153611959 ux er
-2.28004593382 ux ey
-1.71546310735 ux f
-2.99228888414 ux g
-1.86312323119 ux gcl
-1.5678029835 ux h#
-2.50153611959 ux hh
-1.65466187988 ux hv
-2.28004593382 ux ih
-1.71546310735 ux ix
-2.34084716129 ux iy
-3.06177600125 ux jh
-2.48850728513 ux k
-1.58951770759 ux kcl
-1.69809132807 ux l
-1.17693794979 ux m
-1.2029956187 ux n
-2.99228888414 ux ng
-1.99341157576 ux nx
-2.75342691909 ux ow
-3.58727232435 ux oy
-2.65788213308 ux p
-2.50153611959 ux pau
-1.40277108038 ux pcl
-1.46791525266 ux q
-2.0238121895 ux r
-1.16825206015 ux s
-1.7284919418 ux sh
-3.45264103496 ux t
-1.28116862544 ux tcl
-1.69809132807 ux th
-3.45264103496 ux uh
-3.45264103496 ux uw
-2.9141158774 ux ux
-1.71546310735 ux v
-1.65466187988 ux w
-1.65466187988 ux y
-0.903332426187 ux z
-2.05421280323 ux zh
-1.76323559653 v aa
-1.39842823173 v ae
-2.17147240952 v ah
-1.84575154809 v ao
-2.42336320902 v aw
-1.29854050089 v ax
-3.77836199256 v axh
-1.02493497729 v axr
-1.62426136232 v ay
-2.99228898031 v b
-2.01078345121 v bcl
-3.41355462776 v ch
-2.9445165873 v d
-1.62426136232 v dcl
-1.34196994908 v dh
-3.0574331526 v dx
-1.38539939727 v eh
-1.58951780377 v el
-3.12257732488 v em
-2.32347547818 v en
-4.91621353514 v eng
-2.20187302325 v epi
-1.38974234209 v er
-1.54174541076 v ey
-2.17147240952 v f
-3.25286566946 v g
-2.28004602999 v gcl
-1.94563927893 v h#
-1.84575154809 v hh
-2.20187302325 v hv
-1.35065583872 v ih
-1.13785154259 v ix
-1.38539939727 v iy
-3.32235278656 v jh
-2.74908407045 v k
-1.62426136232 v kcl
-1.70243436906 v l
-1.78929326544 v m
-1.53305952112 v n
-3.25286566946 v ng
-3.50041352414 v nx
-2.05855584422 v ow
-2.08027056832 v oy
-2.91845891839 v p
-2.37124787119 v pau
-1.81535093436 v pcl
-1.94563927893 v q
-1.21168160451 v r
-1.48528712811 v s
-3.60030125498 v sh
-2.73171229117 v t
-1.68071964497 v tcl
-3.60030125498 v th
-3.63070186871 v uh
-3.60030125498 v uw
-3.12257732488 v ux
-3.03137548368 v v
-1.91089572037 v w
-1.77626443098 v y
-1.66334786569 v z
-2.55799449841 v zh
-1.3332839535 w aa
-2.32347537224 w ae
-1.02927781617 w ah
-1.2637968364 w ao
-2.53193672355 w aw
-0.925047140512 w ax
-2.94885942618 w axh
-1.54174530481 w axr
-1.24642505712 w ay
-3.85219194854 w b
-3.90865023119 w bcl
-4.27345759599 w ch
-3.80441955553 w d
-3.58727231458 w dcl
-3.64807354205 w dh
-3.91733612083 w dx
-1.14653732628 w eh
-1.5156876359 w el
-5.09427416678 w em
-2.69262568186 w en
-5.77611650337 w eng
-4.2300281478 w epi
-1.32459806386 w er
-1.2637968364 w ey
-3.8435060589 w f
-4.11276863768 w g
-4.06933918949 w gcl
-3.62201587313 w h#
-4.21699931334 w hh
-4.32991587863 w hv
-1.04664959545 w ih
-0.855560023408 w ix
-1.02059192653 w iy
-4.18225575479 w jh
-3.60898703867 w k
-3.5699005353 w kcl
-3.54384286639 w l
-3.65241648686 w m
-3.64807354205 w n
-4.11276863768 w ng
-4.36031649237 w nx
-2.32347537224 w ow
-2.60576678548 w oy
-3.77836188662 w p
-4.23871403743 w pau
-3.76533305216 w pcl
-3.76099010734 w q
-3.51778519747 w r
-3.40052568736 w s
-4.06933918949 w sh
-3.5916152594 w t
-3.43092630109 w tcl
-4.31688704418 w th
-1.32894100868 w uh
-2.53193672355 w uw
-2.80119930233 w ux
-3.89127845191 w v
-3.8435060589 w w
-4.19094164442 w y
-3.62201587313 w z
-5.01610116004 w zh
-1.60688948029 y aa
-2.18450114122 y ae
-1.45922935644 y ah
-1.62860420438 y ao
-3.30063795971 y aw
-1.78060727305 y ax
-3.30063795971 y axh
-1.13785143983 y axr
-3.63070176596 y ay
-3.57858642813 y b
-3.63504471078 y bcl
-3.99985207558 y ch
-3.53081403512 y d
-3.31366679417 y dcl
-3.53949992476 y dh
-3.64373060042 y dx
-1.44620052198 y eh
-2.25833120314 y el
-4.82066864637 y em
-4.11711158569 y en
-5.50251098296 y eng
-3.95642262739 y epi
-1.05533548827 y er
-2.45376372 y ey
-3.56990053849 y f
-3.83916311727 y g
-3.79573366908 y gcl
-3.34841035272 y h#
-3.94339379293 y hh
-4.05631035822 y hv
-1.42448579789 y ih
-1.07270726755 y ix
-2.25833120314 y iy
-3.90865023438 y jh
-3.33538151826 y k
-3.29629501489 y kcl
-3.30063795971 y l
-2.82291402962 y m
-3.12257722213 y n
-3.83916311727 y ng
-4.08671097196 y nx
-1.93695328654 y ow
-4.43414655748 y oy
-3.50475636621 y p
-3.96510851702 y pau
-3.49172753175 y pcl
-3.48738458693 y q
-3.24417967706 y r
-3.12692016695 y s
-3.79573366908 y sh
-3.31800973899 y t
-3.15732078068 y tcl
-4.04328152377 y th
-1.93695328654 y uh
-1.1769379432 y uw
-0.338749593132 y ux
-3.6176729315 y v
-3.56990053849 y w
-3.91733612401 y y
-3.34841035272 y z
-4.74249563963 y zh
-1.81969387917 z aa
-1.91958161001 z ae
-1.79797915508 z ah
-2.11067118205 z ao
-3.02268959405 z aw
-1.25076810788 z ax
-2.3495331471 z axh
-1.72849203797 z axr
-2.21490185771 z ay
-3.22680800054 z b
-1.42882884546 z bcl
-3.64807364799 z ch
-3.39183990366 z d
-1.368027618 z dcl
-1.83706565845 z dh
-3.29195217283 z dx
-1.72414909316 z eh
-2.91411597357 z el
-2.63616750515 z em
-1.88049510664 z en
-5.15073255537 z eng
-1.23773927342 z epi
-1.96735400302 z er
-1.75020676207 z ey
-1.49397301775 z f
-3.48738468968 z g
-1.69809142424 z gcl
-0.94241902573 z h#
-1.57648896931 z hh
-2.19318713361 z hv
-1.39408528691 z ih
-0.968476694644 z ix
-1.55911719003 z iy
-3.55687180679 z jh
-2.98360309068 z k
-1.40277117655 z kcl
-1.98038283748 z l
-1.94998222375 z m
-1.75454970689 z n
-3.48738468968 z ng
-3.73493254437 z nx
-2.21490185771 z ow
-4.08236812989 z oy
-3.15297793862 z p
-1.51568774184 z pau
-1.81535093436 z pcl
-1.368027618 z q
-1.94998222375 z r
-2.47113560203 z s
-3.16600677307 z sh
-2.9662313114 z t
-1.42448590064 z tcl
-2.6926257878 z th
-3.02268959405 z uh
-2.82725707719 z uw
-2.43639204348 z ux
-2.32347547818 z v
-1.63729019678 z w
-2.47113560203 z y
-2.99663192513 z z
-4.39071721204 z zh
-2.45810676757 zh aa
-2.45376382275 zh ae
-2.45810676757 zh ah
-2.47547854685 zh ao
-2.94885953212 zh aw
-1.99775461675 zh ax
-3.26155155909 zh axh
-0.803444791521 zh axr
-2.52759388468 zh ay
-2.47547854685 zh b
-2.47547854685 zh bcl
-2.89674419429 zh ch
-2.42770615384 zh d
-1.35934172836 zh dcl
-1.77626443098 zh dh
-2.54062271913 zh dx
-2.29741780927 zh eh
-1.99775461675 zh el
-3.71756076509 zh em
-1.29854050089 zh en
-4.39940310168 zh eng
-2.47547854685 zh epi
-1.11179387367 zh er
-2.45810676757 zh ey
-2.47547854685 zh f
-2.73605523599 zh g
-2.6926257878 zh gcl
-2.24530247144 zh h#
-2.47547854685 zh hh
-2.47547854685 zh hv
-1.99775461675 zh ih
-0.820816570797 zh ix
-2.1454147406 zh iy
-2.8055423531 zh jh
-2.23227363698 zh k
-2.47547854685 zh kcl
-1.62860430714 zh l
-2.47547854685 zh m
-2.01946934085 zh n
-2.73605523599 zh ng
-2.98360309068 zh nx
-2.59273805696 zh ow
-3.3310386762 zh oy
-2.47547854685 zh p
-1.99775461675 zh pau
-1.99775461675 zh pcl
-2.38427670565 zh q
-1.77626443098 zh r
-1.77626443098 zh s
-2.6926257878 zh sh
-2.21490185771 zh t
-1.35934172836 zh tcl
-2.94017364249 zh th
-1.99775461675 zh uh
-1.24208221824 zh uw
-1.07705031512 zh ux
-2.51456505022 zh v
-1.52003068666 zh w
-1.35934172836 zh y
-2.24530247144 zh z
-3.63938775835 zh zh
| DNS Zone | 0 | shyamalschandra/CNTK | Examples/Speech/Miscellaneous/TIMIT/decoding/TIMIT.bigram.arpa | [
"MIT"
] |
<%--
Copyright 2012 Netflix, 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.
--%>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8"/>
<meta name="layout" content="main"/>
<title>${query} Global Search Results</title>
</head>
<body>
<div class="body">
<h1>Global Search Results</h1>
<h2>Query: ${query}</h2>
<g:if test="${flash.message}">
<div class="message">${flash.message}</div>
</g:if>
<div class="global">
<g:each in="${results}" var="regionToMapOfTypesToLists">
<g:if test="${regionToMapOfTypesToLists.value.size()}">
<div class="region">
<h2>${regionToMapOfTypesToLists.key?.description ?: 'Global'}</h2>
<g:each in="${regionToMapOfTypesToLists.value}" var="typeToList">
<g:if test="${typeToList.value.size()}">
<h3>${typeToList.key.displayName}</h3>
<g:each in="${typeToList.value}" var="entity">
<g:linkObject name="${typeToList.key.keyer.call(entity)}" type="${typeToList.key.name()}" /><br/>
</g:each>
</g:if>
</g:each>
</div>
</g:if>
</g:each>
</div>
</div>
</body>
</html>
| Groovy Server Pages | 3 | michaelneale/asgard | grails-app/views/search/index.gsp | [
"Apache-2.0"
] |
package com.blankj.utildebug.debug.tool.fileExplorer.sp;
import android.support.v7.widget.LinearLayoutManager;
import android.support.v7.widget.RecyclerView;
import android.widget.TextView;
import com.blankj.utilcode.util.FileUtils;
import com.blankj.utilcode.util.SPUtils;
import com.blankj.utildebug.R;
import com.blankj.utildebug.base.rv.BaseItemAdapter;
import com.blankj.utildebug.base.rv.RecycleViewDivider;
import com.blankj.utildebug.base.view.BaseContentView;
import com.blankj.utildebug.base.view.BaseContentFloatView;
import com.blankj.utildebug.base.view.SearchEditText;
import com.blankj.utildebug.base.view.listener.OnRefreshListener;
import com.blankj.utildebug.debug.tool.fileExplorer.FileExplorerFloatView;
import java.io.File;
import java.util.List;
/**
* <pre>
* author: blankj
* blog : http://blankj.com
* time : 2019/09/09
* desc :
* </pre>
*/
public class SpViewerContentView extends BaseContentView<FileExplorerFloatView> {
private File mFile;
private BaseItemAdapter<SpItem> mAdapter;
private List<SpItem> mSrcItems;
private String mSpName;
private SPUtils mSPUtils;
private TextView spViewTitle;
private SearchEditText spViewSearchEt;
private RecyclerView spViewRv;
public static void show(FileExplorerFloatView floatView, File file) {
new SpViewerContentView(file).attach(floatView, true);
}
public SpViewerContentView(File file) {
mFile = file;
mSpName = FileUtils.getFileNameNoExtension(mFile);
mSPUtils = SPUtils.getInstance(mSpName);
}
@Override
public int bindLayout() {
return R.layout.du_debug_file_explorer_sp;
}
@Override
public void onAttach() {
spViewTitle = findViewById(R.id.spViewTitle);
spViewSearchEt = findViewById(R.id.spViewSearchEt);
spViewRv = findViewById(R.id.spViewRv);
spViewTitle.setText(mSpName);
mAdapter = new BaseItemAdapter<>();
mSrcItems = SpItem.getSpItems(mSPUtils);
mAdapter.setItems(mSrcItems);
spViewRv.setAdapter(mAdapter);
spViewRv.setLayoutManager(new LinearLayoutManager(getContext()));
spViewRv.addItemDecoration(new RecycleViewDivider(getContext(), RecycleViewDivider.VERTICAL, R.drawable.du_shape_divider));
spViewSearchEt.setOnTextChangedListener(new SearchEditText.OnTextChangedListener() {
@Override
public void onTextChanged(String text) {
mAdapter.setItems(SpItem.filterItems(mSrcItems, text));
mAdapter.notifyDataSetChanged();
}
});
setOnRefreshListener(spViewRv, new OnRefreshListener() {
@Override
public void onRefresh(BaseContentFloatView floatView) {
mSrcItems = SpItem.getSpItems(mSPUtils);
mAdapter.setItems(mSrcItems);
mAdapter.notifyDataSetChanged();
spViewSearchEt.reset();
floatView.closeRefresh();
}
});
}
}
| Java | 5 | YashBangera7/AndroidUtilCode | lib/utildebug/src/main/java/com/blankj/utildebug/debug/tool/fileExplorer/sp/SpViewerContentView.java | [
"Apache-2.0"
] |
(*** This file is part of Lem. eth-isabelle project just uses it. See lem-license. ***)
chapter {* Generated by Lem from maybe.lem. *}
theory "Lem_maybe"
imports
Main
"Lem_bool"
"Lem_basic_classes"
"Lem_function"
begin
(*open import Bool Basic_classes Function*)
(* ========================================================================== *)
(* Basic stuff *)
(* ========================================================================== *)
(*type maybe 'a =
| Nothing
| Just of 'a*)
(*val maybeEqual : forall 'a. Eq 'a => maybe 'a -> maybe 'a -> bool*)
(*val maybeEqualBy : forall 'a. ('a -> 'a -> bool) -> maybe 'a -> maybe 'a -> bool*)
fun maybeEqualBy :: "('a \<Rightarrow> 'a \<Rightarrow> bool)\<Rightarrow> 'a option \<Rightarrow> 'a option \<Rightarrow> bool " where
" maybeEqualBy eq None None = ( True )"
|" maybeEqualBy eq None (Some _) = ( False )"
|" maybeEqualBy eq (Some _) None = ( False )"
|" maybeEqualBy eq (Some x') (Some y') = ( (eq x' y'))"
declare maybeEqualBy.simps [simp del]
fun maybeCompare :: "('b \<Rightarrow> 'a \<Rightarrow> ordering)\<Rightarrow> 'b option \<Rightarrow> 'a option \<Rightarrow> ordering " where
" maybeCompare cmp None None = ( EQ )"
|" maybeCompare cmp None (Some _) = ( LT )"
|" maybeCompare cmp (Some _) None = ( GT )"
|" maybeCompare cmp (Some x') (Some y') = ( cmp x' y' )"
declare maybeCompare.simps [simp del]
definition instance_Basic_classes_Ord_Maybe_maybe_dict :: " 'a Ord_class \<Rightarrow>('a option)Ord_class " where
" instance_Basic_classes_Ord_Maybe_maybe_dict dict_Basic_classes_Ord_a = ((|
compare_method = (maybeCompare
(compare_method dict_Basic_classes_Ord_a)),
isLess_method = (\<lambda> m1 . (\<lambda> m2 . maybeCompare
(compare_method dict_Basic_classes_Ord_a) m1 m2 = LT)),
isLessEqual_method = (\<lambda> m1 . (\<lambda> m2 . ((let r = (maybeCompare
(compare_method dict_Basic_classes_Ord_a) m1 m2) in (r = LT) \<or> (r = EQ))))),
isGreater_method = (\<lambda> m1 . (\<lambda> m2 . maybeCompare
(compare_method dict_Basic_classes_Ord_a) m1 m2 = GT)),
isGreaterEqual_method = (\<lambda> m1 . (\<lambda> m2 . ((let r = (maybeCompare
(compare_method dict_Basic_classes_Ord_a) m1 m2) in (r = GT) \<or> (r = EQ)))))|) )"
(* ----------------------- *)
(* maybe *)
(* ----------------------- *)
(*val maybe : forall 'a 'b. 'b -> ('a -> 'b) -> maybe 'a -> 'b*)
(*let maybe d f mb= match mb with
| Just a -> f a
| Nothing -> d
end*)
(* ----------------------- *)
(* isJust / isNothing *)
(* ----------------------- *)
(*val isJust : forall 'a. maybe 'a -> bool*)
(*let isJust mb= match mb with
| Just _ -> true
| Nothing -> false
end*)
(*val isNothing : forall 'a. maybe 'a -> bool*)
(*let isNothing mb= match mb with
| Just _ -> false
| Nothing -> true
end*)
(* ----------------------- *)
(* fromMaybe *)
(* ----------------------- *)
(*val fromMaybe : forall 'a. 'a -> maybe 'a -> 'a*)
(*let fromMaybe d mb= match mb with
| Just v -> v
| Nothing -> d
end*)
(* ----------------------- *)
(* map *)
(* ----------------------- *)
(*val map : forall 'a 'b. ('a -> 'b) -> maybe 'a -> maybe 'b*)
(*let map f= maybe Nothing (fun v -> Just (f v))*)
(* ----------------------- *)
(* bind *)
(* ----------------------- *)
(*val bind : forall 'a 'b. maybe 'a -> ('a -> maybe 'b) -> maybe 'b*)
(*let bind mb f= maybe Nothing f mb*)
end
| Isabelle | 4 | pirapira/eth-isabelle | lem/Lem_maybe.thy | [
"Apache-2.0"
] |
val f = stream {
init = (const (0.), const (0.), const (0.), const (0.));
step ((x_p, x_pp, x_ppp, x_pppp), obs) =
let x = gaussian (x_p, 1.) in
let _ = observe (x, 1.0) in
(x_pppp, (sample (x), x_p, x_pp, x_ppp))
}
val main = stream {
init = infer (1, f);
step (f, obs) =
let (d, s) = unfold (f, 1.) in
let () = print_any_t (d) in
let () = print_newline (()) in
((), s)
}
| MUF | 4 | psg-mit/probzelus-oopsla21 | tests/up_multiple_its.muf | [
"MIT"
] |
#!/usr/bin/env bash
# Copyright 2017 The TensorFlow 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.
# ==============================================================================
# please run this at root directory of tensorflow
success=1
for i in `grep -onI https://www.tensorflow.org/code/\[a-zA-Z0-9/._-\]\* -r tensorflow`
do
filename=`echo $i|awk -F: '{print $1}'`
linenumber=`echo $i|awk -F: '{print $2}'`
target=`echo $i|awk -F: '{print $4}'|tail -c +27`
# skip files in tensorflow/models
if [[ $target == tensorflow_models/* ]] ; then
continue
fi
if [ ! -f $target ] && [ ! -d $target ]; then
success=0
echo Broken link $target at line $linenumber of file $filename
fi
done
if [ $success == 0 ]; then
echo Code link check fails.
exit 1
fi
echo Code link check success.
| Shell | 4 | abhaikollara/tensorflow | tensorflow/tools/ci_build/code_link_check.sh | [
"Apache-2.0"
] |
LV_Export(ListID, ByRef CodeLines := "")
{
local LVData, Id_LVData, Indent, RowData, Action, Match, ExpValue, Win
, Step, TimesX, DelayX, Type, Target, Window, Comment, UntilArray := []
, PAction, PType, PDelayX, PComment, Act, iCount, init_ie, ComExp
, VarsScope, FuncParams, IsFunction := false, CommentOut := false
, CDO_To, CDO_Sub, CDO_Msg, CDO_Att, CDO_Html, CDO_CC, CDO_BCC, SelAcc
, _each, _Section, _CodeLine, _Groups, _NextGroup := 1
Gui, chMacro:Default
Gui, chMacro:ListView, InputList%ListID%
ComType := ComCr ? "ComObjCreate" : "ComObjActive"
_Groups := LVManager[ListID].GetGroups(true)
Critical
Loop, % LV_GetCount()
{
LV_GetTexts(A_Index, Action, Step, TimesX, DelayX, Type, Target, Window, Comment)
, IsChecked := LV_GetNext(A_Index-1, "Checked")
If ((ShowGroupNames) && (_Groups[_NextGroup].Row = A_Index))
LVData .= "`n`; " _Groups[_NextGroup].Name, _NextGroup++
If (CodeLines) {
StrReplace(LVData, "`n", "", _CodeLine)
, CodeLines.Push(_CodeLine + 1)
}
If (InStr(FileCmdList, Type "|"))
Step := StrReplace(Step, "```,", "`,")
If (Type = cType1)
{
If (RegExMatch(Step, "^\s*%\s"))
Step := StrReplace(Step, "``,", ",")
If ((ConvertBreaks) && (InStr(Step, "``n")))
{
Step := StrReplace(Step, "``n", "`n")
, Step := StrReplace(Step, "``,", ",")
, Step := "`n(LTrim`n" Step "`n)"
}
If (!Send_Loop)
{
If (((TimesX > 1) || InStr(TimesX, "%")) && (Action != "[Text]"))
Step := RegExReplace(Step, "{\w+\K(})", " " TimesX "$1")
If (DelayX = 0)
{
LV_GetText(PAction, A_Index-1, 2)
, LV_GetText(PType, A_Index-1, 6)
, LV_GetText(PDelayX, A_Index-1, 5)
, LV_GetText(PComment, A_Index-1, 9)
If (PType != Type)
f_SendRow := A_Index
IsPChecked := LV_GetNext(f_SendRow-1, "Checked")
LV_GetText(NChecked, IsPChecked, 6)
If ((f_SendRow != IsPChecked) && (PType != Type)
&& (NChecked = Type))
LVData .= "`n" Type ", "
If ((Type = PType) && (PDelayX = 0) && (PComment = "")
&& !InStr(Action, "[Text]") && (PAction != "[Text]"))
RowData := Step
Else
RowData := "`n" Type ", " Step
}
Else
RowData := "`n" Type ", " Step
RowData := Add_CD(RowData, Comment, DelayX)
If ((Action = "[Text]") && (TimesX > 1))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
}
Else
{
RowData := "`n" Type ", " Step
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
}
}
If ((IsChecked != A_Index) && (!CommentUnchecked))
continue
Switch Type
{
Case cType48:
If (IsChecked != A_Index)
continue
FuncParams .= LTrim(Target " " Step ", "), RowData := ""
Case cType47:
IsFunction := true
, RowData := "`n" Step "(" RTrim(FuncParams, ", ") ")"
If (Comment != "")
RowData .= " " "; " Comment
RowData .= "`n{"
StringSplit, FuncVariables, Window, /, %A_Space%
If (FuncVariables1 != "")
RowData .= "`n" ((Target = "local") ? "global " : "local ") . FuncVariables1
Else If (Target = "global")
RowData .= "`nglobal"
If (FuncVariables2 != "")
RowData .= "`n" "static " . FuncVariables2
Case cType49:
RowData := "`nreturn " Step
Case cType2, cType9, cType10:
If (RegExMatch(Step, "^\s*%\s"))
Step := StrReplace(Step, "``,", ",")
If ((ConvertBreaks) && (InStr(Step, "``n")))
{
Step := StrReplace(Step, "``n", "`n")
, Step := StrReplace(Step, "``,", ",")
, Step := "`n(LTrim`n" Step "`n)"
}
If (((TimesX > 1) || InStr(TimesX, "%")) && (Action != "[Text]"))
Step := RegExReplace(Step, "{\w+\K(})", " " TimesX "$1")
RowData := "`n" Type ", " Target ", " Step ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If (TimesX > 1 || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType4:
RowData := "`n" Type ", " Target ", " Window ",, " Step
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType5:
RowData := "`n" Type ", " DelayX
If (Comment != "")
RowData .= " " "; " Comment
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType6:
If (RegExMatch(Step, "^\s*%\s"))
Step := StrReplace(Step, "``,", ",")
If ((ConvertBreaks) && (InStr(Step, "``n")))
{
Step := StrReplace(Step, "``n", "`n")
, Step := StrReplace(Step, "``,", ",")
, Step := "`n(LTrim`n" Step "`n)"
}
If (!RegExMatch(Window, "^\s*%\s"))
Window := StrReplace(Window, "```,", "`````,")
RowData := "`n" Type ", " Target ", " Window ", " Step ((DelayX > 0) ? ", " DelayX : "")
If (Comment != "")
RowData .= " " "; " Comment
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType7, cType38, cType39, cType40, cType41, cType45, cType51:
Loop, 3
Stp%A_Index% := ""
Step := StrReplace(Step, "````,", _x)
, Step := StrReplace(Step, "``,", ",")
If (Action = "[LoopStart]")
{
If (Type = cType7)
RowData := "`n" Type ((TimesX = 0) ? "" : ", " TimesX)
Else If (Type = cType45)
{
StringSplit, Stp, Step, `,, %A_Space%``
RowData := "`nFor " Stp2 (Stp3 != "" ? ", " Stp3 : "") " in " Stp1
}
Else
{
Type := StrReplace(Type, "FilePattern", ", Files")
, Type := StrReplace(Type, "Parse", ", Parse")
, Type := StrReplace(Type, "Read", ", Read")
, Type := StrReplace(Type, "Registry", ", Reg")
, RowData := "`n" Type . (Type = cType51 ? " " : ", ") . RTrim(Step, ", ")
If (SubStr(RowData, 0) = "``")
RowData := SubStr(RowData, 1, StrLen(RowData)-1)
}
UntilArray.Push(Target)
}
If (Comment != "")
RowData .= " " "; " Comment
RowData .= "`n{"
If (Action = "[LoopEnd]")
{
RowData := "`n}"
, Target := UntilArray.Pop()
If (Target != "")
RowData .= "`nUntil, " Target
}
If (Type = cType45)
RowData := StrReplace(RowData, _x, ",")
Else
RowData := StrReplace(RowData, _x, "``,")
If (Type = cType39)
RowData := StrReplace(RowData, "``,", ",")
Case cType12:
If ((ConvertBreaks) && (InStr(Step, "``n")))
{
Step := StrReplace(Step, "``n", "`n")
, Step := StrReplace(Step, "``,", ",")
, Step := "`n(LTrim`n" Step "`n)"
}
RowData := "`n" ((Step != "") ? "Clipboard := """"`nClipboard := " CheckExp(Step) "`nSleep, 1" : "")
If ((Target != "") && (Step != ""))
RowData .= "`nControlSend, " Target ", ^v, " Window
Else
RowData .= "`nSend, ^v"
RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType15, cType16:
Loop, 5
Act%A_Index% := ""
Loop, 5
Stp%A_Index% := ""
Loop, Parse, Action, `,,%A_Space%
Act%A_Index% := A_LoopField
OutVarX := Act3 != "" ? Act3 : "FoundX"
, OutVarY := Act4 != "" ? Act4 : "FoundY"
, RowData := "`nCoordMode, Pixel, " Window
, RowData .= "`n" Type ", " OutVarX ", " OutVarY ", " Step
If ((Type = cType16) && (Act5))
{
Pars := GetPars(Step)
For i, v in Pars
Stp%A_Index% := v
RowData .= "`nCenterImgSrchCoords(" CheckExp(Stp5, true) ", " OutVarX ", " OutVarY ")"
}
If (Act1 != "Continue")
{
RowData .= "`nIf ErrorLevel = 0"
If (Act1 = "Break")
RowData .= "`n`tBreak"
Else If (Act1 = "Stop")
RowData .= "`n`tReturn"
Else If (Act1 = "Move")
RowData .= "`n`tClick, %" OutVarX "%, %" OutVarY "%, 0"
Else If (InStr(Act1, "Click"))
RowData .= "`n`tClick, %" OutVarX "%, %" OutVarY "% " StrReplace(Act1, " Click") ", 1"
Else If (Act1 = "Prompt")
RowData .= "`n{`nMsgBox, 49, " d_Lang035 ", " d_Lang036 " %" OutVarX "%x%" OutVarY "%.``n" d_Lang038 "`nIfMsgBox, Cancel`n`tReturn`n}"
Else If (Act1 = "Play Sound")
RowData .= "`n`tSoundBeep"
}
If (Act2 != "Continue")
{
RowData .= "`nIf ErrorLevel"
If (Act2 = "Break")
RowData .= "`n`tBreak"
Else If (Act2 = "Stop")
RowData .= "`n`tReturn"
Else If (Act2 = "Prompt")
RowData .= "`n{`nMsgBox, 49, " d_Lang035 ", " d_Lang037 "``n" d_Lang038 "`nIfMsgBox, Cancel`n`tReturn`n}"
Else If (Act2 = "Play Sound")
RowData .= "`n`tLoop, 2`n`t`tSoundBeep"
}
RowData := Add_CD(RowData, Comment, DelayX)
If (Target = "UntilFound")
RowData := "`nLoop" (TimesX != 1 ? ", " TimesX : "") "`n{" RowData "`n}`nUntil ErrorLevel = 0"
Else If (Target = "UntilNotFound")
RowData := "`nLoop" (TimesX != 1 ? ", " TimesX : "") "`n{" RowData "`n}`nUntil ErrorLevel"
Else If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType56:
Loop, 5
Stp%A_Index% := ""
Pars := GetPars(Step)
For i, v in Pars
Stp%A_Index% := v
If (Window = "File")
RowData := "`n" Stp2 " := OCR(" CheckExp(Stp1, true) ", """ Target """)"
Else
RowData := "`n" Stp5 " := OCR([" CheckExp(Stp1) ", " CheckExp(Stp2) ", " (RegExMatch(Stp3, "%\w+%") ? CheckExp(Stp3) : (CheckExp(Stp3) - CheckExp(Stp1))) ", " (RegExMatch(Stp4, "%\w+%") ? CheckExp(Stp4) : (CheckExp(Stp4) - CheckExp(Stp2))) "], """ Target """)"
Case cType17:
If (Step = "Else")
{
RowData := "`n}`nElse"
If (Comment != "")
RowData .= " " "; " Comment
RowData .= "`n{"
}
Else If (Step = "EndIf")
RowData := "`n}"
Else
{
IfStReplace(Action, Step)
, CompareParse(Trim(Step, "()"), VarName, Oper, VarValue)
If ((Oper = "between") || (Oper = "not between"))
{
_Val1 := "", _Val2 := ""
, VarValue := StrReplace(VarValue, "``n", "`n")
StringSplit, _Val, VarValue, `n, %A_Space%%A_Tab%
Step := VarName " " Oper " " _Val1 " and " _Val2
}
Else If Oper in in,not in,contains,not contains,is,is not
Step := RegExReplace(Trim(Step, "()"), "```,", "`,")
RowData := "`n" Action " " Step
, RowData := RTrim(RowData)
If (Comment != "")
RowData .= " " "; " Comment
RowData .= "`n{"
}
Case cType18, cType19:
Loop, Parse, Step, `,
Par%A_Index% := A_LoopField
RowData := "`n" Type ", " Step ", " Target ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType21, cType44, cType46:
AssignParse(Step, VarName, Oper, VarValue)
If (Type = cType21)
{
If VarValue is not number
{
If (Target != "Expression")
VarValue := CheckExp(VarValue, 1)
}
If ((ConvertBreaks) && (InStr(VarValue, "``n")))
{
VarValue := StrReplace(VarValue, "``n", "`n")
, VarValue := StrReplace(VarValue, "``,", ",")
, VarValue := "`n(LTrim`n" VarValue "`n)"
}
Step := VarName " " Oper " " VarValue
}
Else If (Type = cType46)
Step := ((VarName = "_null") ? "" : VarName " " Oper " ") Target "." Action "(" ((VarValue = """") ? "" : VarValue) ")"
Else
Step := ((VarName = "_null") ? "" : VarName " " Oper " ") Action "(" ((VarValue = """") ? "" : VarValue) ")"
RowData := "`n" Step
If (Comment != "")
RowData .= " " "; " Comment
Case cType22:
If (RegExMatch(Step, "^\s*%\s"))
Step := StrReplace(Step, "``,", ",")
If ((ConvertBreaks) && (InStr(Step, "``n")))
{
Step := StrReplace(Step, "``n", "`n")
, Step := StrReplace(Step, "``,", ",")
, Step := "`n(LTrim`n" Step "`n)"
}
RowData := "`nControl, EditPaste, " Step ", " Target ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType23:
RowData := "`n" Type ", " Step ", " Target ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType24, cType28:
Stp := StrReplace(Step, "``,", _x)
, Step := ""
Loop, Parse, Stp, `,, %A_Space%
Step .= (RegExMatch(A_LoopField, "^\s*%\s") ? StrReplace(A_LoopField, _x, ",") : StrReplace(A_LoopField, _x, "``,")) ", "
Step := SubStr(Step, 1, -2)
, RowData := "`n" Type ", " Step ", " Target ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType25:
RowData := "`n" Type ", " Target ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType26:
RowData := "`n" Type ", " Target ", " Step ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType27:
RowData := "`n" Type ", " Step ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType29, cType30:
RowData := "`n" Type (RegExMatch(Step, "^\d+$") ? ", " Step : "")
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType31:
RowData := "`n" Type ", " Step "X, " Step "Y, "
. Step "W, " Step "H, " Target ", " Window
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType32:
StringSplit, Act, Action, :
StringSplit, El, Target, :
RowData := "`n" IEComExp(Act2, Step, El1, El2, "", Act3, Act1)
, RowData := Add_CD(RowData, Comment, DelayX)
If (!init_ie)
RowData := "`nIf (!IsObject(ie))"
. "`n" (IndentWith = "Tab" ? "`t" : " ") "ie := ComObjCreate(""InternetExplorer.Application"")"
. "`nie.Visible := true" RowData
init_ie := true
If (Window = "LoadWait")
RowData .= "`nIELoad(ie)"
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType33:
StringSplit, Act, Action, :
StringSplit, El, Target, :
RowData := "`n" IEComExp(Act2, "", El1, El2, Step, Act3, Act1)
, RowData := Add_CD(RowData, Comment, DelayX)
If (!init_ie)
RowData := "`nIf (!IsObject(ie))"
. "`n" (IndentWith = "Tab" ? "`t" : " ") "ie := ComObjCreate(""InternetExplorer.Application"")"
. "`nie.Visible := true" RowData
init_ie := true
If (Window = "LoadWait")
RowData .= "`nIELoad(ie)"
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType34, cType43:
RowData := "`n" GetRealLineFeeds(Step)
, RowData := Add_CD(RowData, Comment, DelayX)
If ((Target != "") && (!InStr(LVData, Action " := " ComType "(")))
RowData := "`nIf (!IsObject(" Action "))`n" (IndentWith = "Tab" ? "`t" : " ") . Action " := " ComType "(""" Target """)" RowData
If (Window = "LoadWait")
RowData .= "`nIELoad(" Action ")"
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType35:
RowData := "`n" Step ":"
, RowData := Add_CD(RowData, Comment, DelayX)
Case cType36, cType37:
RowData := "`n" Type ", " Step
, RowData := Add_CD(RowData, Comment, DelayX)
Case cType42:
RowData := (IsChecked = A_Index) ? "`n/*`n" Step "`n*/" : ""
Case cType50:
Action := RegExReplace(Action, ".*\s")
, RowData := "`n" Type ", " Step ", " (Action = "Once" ? (DelayX > 0 ? -DelayX : InStr(DelayX, "%") ? DelayX : -1)
: Action = "Period" ? DelayX
: Action)
If (Comment != "")
RowData .= " " "; " Comment
Case cType3, cType8, cType13:
If (RegExMatch(Step, "^\s*%\s"))
Step := StrReplace(Step, "``,", ",")
Else If ((ConvertBreaks) && (InStr(Step, "``n")) && ((Type = cType8) || (Type = cType13)))
{
Step := StrReplace(Step, "``n", "`n")
, Step := StrReplace(Step, "``,", ",")
, Step := "`n(LTrim`n" Step "`n)"
}
Step := StrReplace(Step, "````,", "``,")
, RowData := "`n" Type ", " Step
If (!RegExMatch(Step, "```,\s*?$"))
RowData := RTrim(RowData, ", ")
If ((Type = cType8) || (Action != "[Text]"))
RowData := Add_CD(RowData, Comment, DelayX)
Else If (Comment != "")
RowData .= " " "; " Comment
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
If ((Type = cType13) && (Action = "[Text]"))
RowData := "`nCurrentKeyDelay := A_KeyDelay`nSetKeyDelay, " DelayX RowData "`nSetKeyDelay, %CurrentKeyDelay%"
Case cType52:
StringSplit, Tar, Target, /
CDO_Sub := SubStr(Step, 1, RegExMatch(Step, "=\d:") - 1)
, Step := SubStr(Step, RegExMatch(Step, "=\d:") + 1)
, CDO_To := CheckExp(SubStr(Tar1, 4), 1)
, CDO_Sub := CheckExp(CDO_Sub, 1)
, CDO_Msg := SubStr(Step, 3)
, CDO_Html := SubStr(Step, 1, 1)
, CDO_Att := Window
, CDO_CC := CheckExp(SubStr(Tar2, 4), 1), CDO_CC := CDO_CC = """""" ? "" : CDO_CC
, CDO_BCC := CheckExp(SubStr(Tar3, 5), 1), CDO_BCC := CDO_BCC = """""" ? "" : CDO_BCC
, SelAcc := ""
, User_Accounts := UserMailAccounts.Get(true)
For _each, _Section in User_Accounts
{
If (Action = _Section.email)
{
SelAcc := _each
break
}
}
If ((ConvertBreaks) && (InStr(CDO_Msg, "``n")))
{
CDO_Msg := StrReplace(CDO_Msg, "``n", "`n")
, CDO_Msg := StrReplace(CDO_Msg, "``,", ",")
, CDO_Msg := "`n(LTrim`n" CDO_Msg "`n)"
}
If ((ConvertBreaks) && (InStr(CDO_Att, "``n")))
{
CDO_Att := StrReplace(CDO_Att, "``n", "`n")
, CDO_Att := StrReplace(CDO_Att, "``,", ",")
, CDO_Att := "`n(LTrim`n" CDO_Att "`n)"
}
RowData := "`nMsgBody = " CDO_Msg . (CDO_Att = "" ? "" : "`nAttachments = " CDO_Att)
, RowData .= "`nCDO(" SelAcc ", " CDO_To ", " CDO_Sub ", MsgBody, " CDO_Html ", " (CDO_Att = "" ? "" : "Attachments") ", " CDO_CC ", " CDO_BCC
, RowData := RTrim(RowData, ", ") . ")"
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType53:
RowData := "`nWinHttpDownloadToFile(" CheckExp(Step, 1) ", " CheckExp(Target, 1) ")"
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Case cType54, cType55:
RowData := "`n" Type "(" CheckExp(Step, 1) ", " CheckExp(Target, 1) ", " (Window ? "true" : "")
, RowData := RTrim(RowData, ", ") . ")"
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
Default:
if (Action = "[KeyWait]")
{
RowData := "`n" Type ", " Step
, RowData .= "`n" Type ", " Step ", D"
If (DelayX > 0)
RowData .= " T" Round(DelayX/1000, 2)
Else If (InStr(DelayX, "%"))
RowData .= " T" DelayX
If (Comment != "")
RowData .= " " "; " Comment
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
}
Else If (InStr(FileCmdList, Type "|"))
{
Stp := StrReplace(Step, "``,", _x)
, Step := ""
Loop, Parse, Stp, `,, %A_Space%
Step .= (RegExMatch(A_LoopField, "^\s*%\s") ? StrReplace(A_LoopField, _x, ",") : StrReplace(A_LoopField, _x, "``,")) ", "
RowData := "`n" Type ", " Step
, RowData := SubStr(RowData, 1, -2)
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
}
Else If (InStr(Type, "Win"))
{
If (Type = "WinMove")
RowData := "`n" Type ", " Window "," ", " Step
Else If (Type = "WinGetPos")
RowData := "`n" Type ", " Step "X, " Step "Y, "
. Step "W, " Step "H, " Window
Else If ((Type = "WinSet") || InStr(Type, "Get"))
RowData := "`n" Type ", " Step ", " Window
Else If Type contains Close,Kill,Wait,SetTitle
{
Win := SplitWin(Window)
, RowData := "`n" Type ", " Win[1] ", " Win[2] ", " Step ", " Win[3] ", " Win[4]
}
Else
RowData := "`n" Type ", " Window
RowData := RTrim(RowData, " ,")
, RowData := Add_CD(RowData, Comment, DelayX)
If ((TimesX > 1) || InStr(TimesX, "%"))
RowData := "`nLoop, " TimesX "`n{" RowData "`n}"
}
}
If ((IsChecked = A_Index) && (CommentOut))
RowData := "`n*/" RowData, CommentOut := false
Else If ((IsChecked != A_Index) && (!CommentOut) && (Type != cType42))
RowData := "`n/*" RowData, CommentOut := true
LVData .= RowData
}
If (CommentOut)
LVData .= "`n*/"
If (IsFunction)
LVData .= "`n}"
LVData := LTrim(LVData, "`n")
If (TabIndent)
{
Loop, Parse, LVData, `n
{
If (RegExMatch(A_LoopField, "^\}(\s `;)?"))
Indent--
Loop, %Indent%
Id_LVData .= IndentWith = "Tab" ? "`t" : " "
Id_LVData .= A_LoopField "`n"
If (A_LoopField = "{")
Indent++
}
return Id_LVData
}
return LVData "`n"
}
IfStReplace(ByRef Action, ByRef Step)
{
local ElseIf := false
If (InStr(Action, "[ElseIf]"))
Action := SubStr(Action, 10), ElseIf := true
Loop, 15
{
Act := "If" A_Index
If (Action = %Act%)
{
Action := c_%Act%
break
}
}
Action := Trim(Action)
Step := Trim(Step)
If Action in %c_If14%,%c_If15%
{
Action := "If"
CompareParse(Trim(Step, "()"), VarName, Oper, VarValue)
If Oper not in in,not in,contains,not contains,is,is not,between,not between
Step := "(" Step ")"
}
Else If Action in %c_If7%,%c_If8%
{
StringReplace, Step, Step, `%,, All
Action := "If (" RegExReplace(Action, "^If\s")
Step := Step ")"
}
Else If Action in %c_If9%,%c_If10%
{
If (!RegExMatch(Oper, "\w+"))
Action := "If (" RegExReplace(Action, "^If\s") ")"
}
If (ElseIf)
Action := "}`nElse " Action
}
Add_CD(RowData, Comment, DelayX)
{
If (Comment != "")
RowData .= " " "; " Comment
If ((DelayX > 0) || InStr(DelayX, "%"))
RowData .= "`n" "Sleep, " DelayX
return RowData
}
Script_Header()
{
global
Header := HeadLine "`n`n#NoEnv`nSetWorkingDir %A_ScriptDir%"
If (Ex_WN)
Header .= "`n#Warn"
If (Ex_CM)
Header .= "`nCoordMode, Mouse, " CM
If (Ex_SM)
Header .= "`nSendMode " SM
If (Ex_SI)
Header .= "`n#SingleInstance " SI
If (Ex_ST)
Header .= "`nSetTitleMatchMode " ST
If (Ex_SP)
Header .= "`nSetTitleMatchMode " SP
If (Ex_DH)
Header .= "`nDetectHiddenWindows " DH
If (Ex_DT)
Header .= "`nDetectHiddenText " DT
If (Ex_AF)
Header .= "`n#WinActivateForce"
If (Ex_NT)
Header .= "`n#NoTrayIcon"
If (Ex_SC)
Header .= "`nSetControlDelay " SC
If (Ex_SW)
Header .= "`nSetWinDelay " SW
If (Ex_SK)
Header .= "`nSetKeyDelay " SK
If (Ex_MD)
Header .= "`nSetMouseDelay " MD
If (Ex_SB)
Header .= "`nSetBatchLines " SB
If (Ex_HK)
Header .= "`n#UseHook"
If (Ex_PT)
Header .= "`n#Persistent"
If (Ex_MT)
Header .= "`n#MaxThreadsPerHotkey " MT
Header .= "`n`n"
return Header
}
IncludeFiles(L, N)
{
global cType44,cType56
Gui, chMacro:Default
Gui, chMacro:ListView, InputList%L%
Loop, %N%
{
If (LV_GetNext(A_Index-1, "Checked") != A_Index)
continue
LV_GetText(Row_Type, A_Index, 6)
If (Row_Type = cType56)
{
IncList .= "`#`Include <Vis2> `; https://www.autohotkey.com/boards/viewtopic.php?f=6&t=36047`n"
continue
}
Else If (Row_Type != cType44)
continue
LV_GetText(IncFile, A_Index, 7)
If ((IncFile != "") && (IncFile != "Expression"))
IncList .= "`#`Include " IncFile "`n"
}
Sort, IncList, U
return IncList
}
CheckForExp(Field)
{
global cType44
RegExReplace(Field, "U)%\s+([\w%]+)\((.*)\)", "", iCount)
Match := 0
Loop, %iCount%
{
Match := RegExMatch(Field, "U)%\s+([\w%]+)\((.*)\)", Funct, Match+1)
If (Type = cType44)
StringReplace, Funct2, Funct2, `,, ```,
If ((ExpValue := CheckExp(Funct2)) = """""")
ExpValue := ""
StringReplace, Field, Field, %Funct%, % "% " Funct1 "(" ExpValue ")"
}
return Field
}
CheckExp(String, IncCommas := false)
{
Static _x := Chr(2), _y := Chr(3), _z := Chr(4)
If (String = "")
return """"""
StringReplace, String, String, ```%, %_y%, All
StringReplace, String, String, `````,, %_x%, All
StringReplace, String, String, ``n, %_z%, All
If (IncCommas)
StringReplace, String, String, `,, %_x%, All
Loop, Parse, String, `,, %A_Space%``
{
LoopField := (A_LoopField != """""") ? RegExReplace(A_LoopField, """", """""") : A_LoopField
If (InStr(LoopField, "%"))
{
Loop, Parse, LoopField, `%
{
If (A_LoopField != "")
NewStr .= Mod(A_Index, 2) ? " """ RegExReplace(A_LoopField, "%") """ " : RegExReplace(A_LoopField, "%")
}
NewStr := RTrim(NewStr) ", "
}
Else If (RegExMatch(LoopField, "[\w%]+\[\S+?\]"))
NewStr .= LoopField ", "
Else
NewStr .= """" LoopField """, "
}
StringReplace, NewStr, NewStr, %_x%, `,, All
StringReplace, NewStr, NewStr, %_y%, `%, All
StringReplace, NewStr, NewStr, %_z%, ``n, All
NewStr := Trim(RegExReplace(NewStr, " """" "), ", ")
, NewStr := RegExReplace(NewStr, """{4}", """""")
, NewStr := RegExReplace(NewStr, "U)""(-?\d+)""", "$1")
return NewStr
}
CheckComExp(String, OutVar := "", ByRef ArrString := "", Ptr := "ie")
{
If (OutVar != "")
String := Trim(RegExReplace(String, "(.*):=[\s]?"))
Else If (RegExMatch(String, "[\s]?:=(.*)", Assign))
{
Value := Trim(Assign1), String := Trim(RegExReplace(String, "[\s]?:=(.*)"))
If Value in true,false
Value := "%" Value "%"
}
While, RegExMatch(String, "\(([^()]++|(?R))*\)", _Parent%A_Index%)
String := RegExReplace(String, "\(([^()]++|(?R))*\)", "&_Parent" A_Index, "", 1)
While, RegExMatch(String, "U)\[(.*)\]", _Block%A_Index%)
String := RegExReplace(String, "U)\[(.*)\]", "&_Block" A_Index, "", 1)
Loop, Parse, String, .&
{
If (RegExMatch(A_LoopField, "^_Parent\d+"))
{
Parent := SubStr(%A_LoopField%, 2, -1)
While, RegExMatch(Parent, "U)[^\w\]]\[(.*)\]", _Arr%A_Index%)
Parent := RegExReplace(Parent, "U)[^\w\]]\[(.*)\]", "_Arr" A_Index, "", 1)
While, RegExMatch(Parent, "\(([^()]++|(?R))*\)", _iParent%A_Index%)
Parent := RegExReplace(Parent, "\(([^()]++|(?R))*\)", "&_iParent" A_Index, "", 1)
Params := ""
If (InStr(Parent, "`,"))
{
Loop, Parse, Parent, `,, %A_Space%
{
LoopField := A_LoopField
While, RegExMatch(LoopField, "&_iParent(\d+)", inPar)
{
iPar := RegExReplace(_iParent%inPar1%, "\$", "$$$$")
, LoopField := RegExReplace(LoopField, "&_iParent\d+", iPar, "", 1)
}
If (RegExMatch(LoopField, "^_Arr\d+"))
{
StringSplit, Arr, %LoopField%1, `,, %A_Space%
ArrString := "SafeArray := ComObjArray(0xC, " Arr0 ")"
Loop, %Arr0%
ArrString .= "`nSafeArray[" A_Index-1 "] := " CheckExp(Arr%A_Index%)
ArrString .= "`n"
Params .= "SafeArray, "
}
Else
{
If (Loopfield = "")
LoopField := "%ComObjMissing()%"
If (RegExMatch(LoopField, "i)^" Ptr "\..*", NestStr))
Params .= (CheckComExp(NestStr, OutVar,, Ptr)) ", "
Else
Params .= ((CheckExp(LoopField) = """""") ? "" : CheckExp(LoopField)) ", "
}
}
}
Else
{
While, RegExMatch(Parent, "&_iParent(\d+)", inPar)
Parent := RegExReplace(Parent, "&_iParent\d+", _iParent%inPar1%, "", 1)
Params := Parent
}
Params := RTrim(Params, ", ")
If (!InStr(Params, "`,"))
{
If (RegExMatch(Params, "i)^" Ptr "\..*", NestStr))
Params := (CheckComExp(NestStr, OutVar,, Ptr))
Else
Params := (CheckExp(Params) = """""") ? "" : CheckExp(Params)
}
String := RegExReplace(String, "&" A_LoopField, "(" Params ")")
}
If (RegExMatch(A_LoopField, "^_Block\d+"))
String := RegExReplace(String, "&" A_LoopField, "[" CheckExp(%A_LoopField%1) "]")
}
If (Value != "")
{
StringReplace, Value, Value, `,, `````,, All
String .= (Value = """""") ? " := """"" : " := " CheckExp(Value)
}
Else If (OutVar != "")
String := "`n" OutVar " := " String
return String
}
IEComExp(Method, Value := "", Element := "", ElIndex := 0, OutputVar := "", GetBy := "Name", Obj := "Method")
{
If (GetBy = "ID")
getEl := "getElementByID"
Else
getEl := "getElementsBy" GetBy
ElIndex := (ElIndex != "") ? "[" CheckExp(ElIndex) "]" : ""
Value := CheckExp(Value)
If (!Element)
{
If (OutputVar)
return OutputVar " := ie." Method
Else If (Obj = "Method")
{
If (Value != "")
return "ie." Method "(" Value ")"
Else
return "ie." Method "()"
}
Else If (Obj = "Property")
return "ie." Method " := " Value
}
Element := CheckExp(Element)
If (GetBy = "ID")
{
If (OutputVar)
return OutputVar " := ie.document." getEl "(" Element ")." Method
Else If (Obj = "Method")
{
If (Value != "")
return "ie.document." getEl "(" Element ")." Method "(" Value ") := " Value
Else
return "ie.document." getEl "(" Element ")." Method "()"
}
Else If (Obj = "Property")
return "ie.document." getEl "(" Element ")." Method " := " Value
}
Else If (GetBy = "Links")
{
If (OutputVar)
return OutputVar " := ie.document." Element . ElIndex "." Method
Else If (Obj = "Method")
{
If (Value != "")
return "ie.document." Element . ElIndex "." Method "(" Value ")"
Else
return "ie.document." Element . ElIndex "." Method "()"
}
Else If (Obj = "Property")
return "ie.document." Element . ElIndex "." Method " := " Value
}
Else If (GetBy != "ID")
{
If (OutputVar)
return OutputVar " := ie.document." getEl "(" Element ")" ElIndex "." Method
Else If (Obj = "Method")
{
If (Value != "")
return "ie.document." getEl "(" Element ")" ElIndex "." Method "(" Value ")"
Else
return "ie.document." getEl "(" Element ")" ElIndex "." Method "()"
}
Else If (Obj = "Property")
return "ie.document." getEl "(" Element ")" ElIndex "." Method " := " Value
}
}
IncludeFunc(Which)
{
Func_IELoad =
(`%
IELoad(Pwb)
{
While (!Pwb.busy)
Sleep, 100
While (Pwb.busy)
Sleep, 100
While (!Pwb.document.Readystate = "Complete")
Sleep, 100
}
)
Func_CDO =
(`%
CDO(Account, To, Subject := "", Msg := "", Html := false, Attach := "", CC := "", BCC := "")
{
MsgObj := ComObjCreate("CDO.Message")
MsgObj.From := Account.email
MsgObj.To := StrReplace(To, ",", ";")
MsgObj.BCC := StrReplace(BCC, ",", ";")
MsgObj.CC := StrReplace(CC, ",", ";")
MsgObj.Subject := Subject
If (Html)
MsgObj.HtmlBody := Msg
Else
MsgObj.TextBody := Msg
Schema := "http://schemas.microsoft.com/cdo/configuration/"
Pfld := MsgObj.Configuration.Fields
For Field, Value in Account
(Field != "email") ? Pfld.Item(Schema . Field) := Value : ""
Pfld.Update()
Attach := StrReplace(Attach, ",", ";")
Loop, Parse, Attach, `;, %A_Space%%A_Tab%
MsgObj.AddAttachment(A_LoopField)
MsgObj.Send()
}
)
Func_Zip =
(`%
Unzip(Sources, OutDir, SeparateFolders := false)
{
Static vOptions := 16|256
Sources := StrReplace(Sources, "`n", ";")
Sources := StrReplace(Sources, ",", ";")
Sources := Trim(Sources, ";")
OutDir := RTrim(OutDir, "\")
objShell := ComObjCreate("Shell.Application")
Loop, Parse, Sources, `;, %A_Space%%A_Tab%
{
objSource := objShell.NameSpace(A_LoopField).Items()
TargetDir := OutDir
If (SeparateFolders)
{
SplitPath, A_LoopField,,,, FileNameNoExt
TargetDir .= "\" FileNameNoExt
If (!InStr(FileExist(TargetDir), "D"))
FileCreateDir, %TargetDir%
}
objTarget := objShell.NameSpace(TargetDir)
objTarget.CopyHere(objSource, vOptions)
}
ObjRelease(objShell)
}
Zip(FilesToZip, OutFile, SeparateFiles := false)
{
Static vOptions := 4|16
FilesToZip := StrReplace(FilesToZip, "`n", ";")
FilesToZip := StrReplace(FilesToZip, ",", ";")
FilesToZip := Trim(FilesToZip, ";")
objShell := ComObjCreate("Shell.Application")
If (SeparateFiles)
SplitPath, OutFile,, OutDir
Else
{
If (!FileExist(OutFile))
CreateZipFile(OutFile)
objTarget := objShell.Namespace(OutFile)
}
zipped := objTarget.items().Count
Loop, Parse, FilesToZip, `;, %A_Space%%A_Tab%
{
LoopField := RTrim(A_LoopField, "\")
Loop, Files, %LoopField%, FD
{
zipped++
If (SeparateFiles)
{
OutFile := OutDir "\" RegExReplace(A_LoopFileName, "\.(?!.*\.).*") ".zip"
If (!FileExist(OutFile))
CreateZipFile(OutFile)
objTarget := objShell.Namespace(OutFile)
zipped := 1
}
For item in objTarget.Items
{
If (item.Name = A_LoopFileDir)
{
item.InvokeVerb("Delete")
zipped--
break
}
If (item.Name = A_LoopFileName)
{
FileRemoveDir, % A_Temp "\" item.Name, 1
FileDelete, % A_Temp "\" item.Name
objShell.Namespace(A_Temp).MoveHere(item)
FileRemoveDir, % A_Temp "\" item.Name, 1
FileDelete, % A_Temp "\" item.Name
zipped--
break
}
}
If (A_LoopFileFullPath = OutFile)
{
zipped--
continue
}
objTarget.CopyHere(A_LoopFileFullPath, vOptions)
While (objTarget.items().Count != zipped)
Sleep, 10
}
}
ObjRelease(objShell)
}
CreateZipFile(sZip)
{
CurrentEncoding := A_FileEncoding
FileEncoding, CP1252
Header1 := "PK" . Chr(5) . Chr(6)
VarSetCapacity(Header2, 18, 0)
file := FileOpen(sZip,"w")
file.Write(Header1)
file.RawWrite(Header2,18)
file.close()
FileEncoding, %CurrentEncoding%
}
)
Func_WinHttpDownloadToFile =
(`%
WinHttpDownloadToFile(UrlList, DestFolder)
{
UrlList := StrReplace(UrlList, "`n", ";")
UrlList := StrReplace(UrlList, ",", ";")
DestFolder := RTrim(DestFolder, "\") . "\"
Loop, Parse, UrlList, `;, %A_Space%%A_Tab%
{
Url := A_LoopField, FileName := DestFolder . RegExReplace(A_LoopField, ".*/")
whr := ComObjCreate("WinHttp.WinHttpRequest.5.1")
whr.Open("GET", Url, True)
whr.Send()
If (whr.WaitForResponse())
{
ado := ComObjCreate("ADODB.Stream")
ado.Type := 1 ; adTypeBinary
ado.Open
ado.Write(whr.ResponseBody)
ado.SaveToFile(FileName, 2)
ado.Close
}
}
}
)
Func_CenterImgSrchCoords =
(`%
CenterImgSrchCoords(File, ByRef CoordX, ByRef CoordY)
{
static LoadedPic
LastEL := ErrorLevel
Gui, Pict:Add, Pic, vLoadedPic, % RegExReplace(File, "^(\*\w+\s)+")
GuiControlGet, LoadedPic, Pict:Pos
Gui, Pict:Destroy
CoordX += LoadedPicW // 2
CoordY += LoadedPicH // 2
ErrorLevel := LastEL
}
)
return Func_%Which%
}
| AutoHotkey | 4 | standardgalactic/PuloversMacroCreator | LIB/Export.ahk | [
"Unlicense"
] |
<%--
Copyright 2013 Netflix, 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.
--%>
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=UTF-8"/>
<meta name="layout" content="main"/>
<title>Stack</title>
</head>
<body>
<div class="body">
<h1>Stack '${params.id}' in ${region.description}</h1>
<g:if test="${flash.message}">
<div class="message">${flash.message}</div>
</g:if>
<div class="list">
<table class="sortable">
<thead>
<tr>
<th>App</th>
<g:if test="${isSignificantStack}">
<th>Healthy<br />Instances</th>
</g:if>
<th>All Instances</th>
<th>Group Name</th>
<th title="Availability Zones">Av Zones</th>
<th>Build</th>
<th>Last Push</th>
</tr>
</thead>
<tbody>
<g:each in="${stackAsgs}" status="i" var="stackAsg">
<tr class="${(i % 2) == 0 ? 'odd' : 'even'}">
<g:if test="${stackAsg.appName in registeredAppNames}">
<td class="app"><g:linkObject type="application" name="${stackAsg.appName}"/></td>
</g:if>
<g:else>
<td class="error app" title="The ${stackAsg.appName} app is not registered">${stackAsg.appName}</td>
</g:else>
<g:if test="${isSignificantStack}">
<td><div class="${stackAsg.healthDescription}">${stackAsg.healthyInstances}</div></td>
</g:if>
<td class="countAndList hideAdvancedItems">
<span class="toggle fakeLink">${stackAsg.group.instances.size()}</span>
<div class="advancedItems tiny">
<g:each var="ins" in="${stackAsg.group.instances}">
<g:linkObject name="${ins.instanceId}"/><br/>
</g:each>
</div>
</td>
<td class="autoScaling"><g:linkObject type="autoScaling" name="${stackAsg.group.autoScalingGroupName}"/></td>
<td class="availabilityZone">
<g:each var="zone" in="${stackAsg.group.availabilityZones.sort()}">
<div><g:availabilityZone value="${zone}"/></div>
</g:each>
</td>
<td>
<g:if test="${stackAsg.appVersion?.buildJobName && buildServer}">
<a href="${buildServer}/job/${stackAsg.appVersion.buildJobName}/${stackAsg.appVersion.buildNumber}/"
class="builds">${stackAsg.appVersion?.buildNumber}</a>
</g:if>
<g:else>${stackAsg.appVersion?.buildNumber}</g:else>
</td>
<td><g:formatDate date="${stackAsg.launchConfig.createdTime}"/></td>
</tr>
</g:each>
</tbody>
</table>
</div>
<footer/>
</div>
</body>
</html>
| Groovy Server Pages | 3 | Threadless/asgard | grails-app/views/stack/show.gsp | [
"Apache-2.0"
] |
// ignore-windows
// compile-flags: --crate-type lib
#![feature(raw_dylib)]
//~^ WARNING: the feature `raw_dylib` is incomplete
#[link(name = "foo", kind = "raw-dylib")]
//~^ ERROR: `#[link(...)]` with `kind = "raw-dylib"` only supported on Windows
extern "C" {}
| Rust | 2 | mbc-git/rust | src/test/ui/rfc-2627-raw-dylib/raw-dylib-windows-only.rs | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
Opt('WinDetectHiddenText', 1)
;Path and filename of the installer executable
$APPTOINSTALL="""" & $CmdLine[1] & """"
Run($APPTOINSTALL)
If @error <> 0 Then
MsgBox(0, "Run failed", "The ""Run"" command failed for " & $APPTOINSTALL & " /S - exiting", 5)
Exit
EndIf
;Wait for the installation to complete and the dialog to appear, close the window
$DEFAULTWAITTIME=180
; This will shut all of your default browser windows.
; $WINDOWNAME="Application Install - Security Warning"
; WinWaitActive($WINDOWNAME)
; WinClose($WINDOWNAME)
$WINDOWNAME="Application Install - Security Warning"
WinWaitActive($WINDOWNAME)
ControlClick($WINDOWNAME,"","[TEXT:&Install]")
WinSetState($WINDOWNAME,"",@SW_HIDE)
$WINDOWNAME="(0%) Installing GitHub"
WinExists($WINDOWNAME)
WinSetState($WINDOWNAME,"",@SW_HIDE)
$LONGWAITTIME=300
$WINDOWNAME="GitHub"
WinWait($WINDOWNAME,"",$LONGWAITTIME)
;Installation complete
Exit | AutoIt | 4 | kewalaka/chocolatey-packages-2 | automatic/_output/githubforwindows/2.7.0.24/tools/githubforwindows.au3 | [
"Apache-2.0"
] |
# Check the handling of inputs that also have phony edges.
# Check that we handle phony rules for actual input files properly, and rebuild
# targets that depend on them if the input actually exists and it changes.
# RUN: rm -rf %t.build
# RUN: mkdir -p %t.build
# RUN: cp %s %t.build/build.ninja
# RUN: ln -s %S/Inputs %t.build/Inputs
# Check that the initial build creates 'output' properly, even though 'input'
# does not exist.
#
# RUN: %{llbuild} ninja build --jobs 1 --chdir %t.build &> %t1.out
# RUN: %{FileCheck} --check-prefix=CHECK-INITIAL < %t1.out %s
# RUN: %{FileCheck} --check-prefix=CHECK-OUTPUT-INITIAL < %t.build/output %s
#
# CHECK-INITIAL: SIZING input TO output
# CHECK-OUTPUT-INITIAL: input does not exist
# Check that a rebuild continues to run the output rule.
#
# RUN: %{llbuild} ninja build --jobs 1 --chdir %t.build &> %t1.out
# RUN: %{FileCheck} --check-prefix=CHECK-NEXT < %t1.out %s
# RUN: %{FileCheck} --check-prefix=CHECK-OUTPUT-NEXT < %t.build/output %s
#
# CHECK-NEXT: SIZING input TO output
# CHECK-OUTPUT-NEXT: input does not exist
# Check that the output rule gets rebuilt when we create 'input'.
#
# RUN: touch %t.build/input
# RUN: %{llbuild} ninja build --strict --jobs 1 --chdir %t.build &> %t1.out
# RUN: %{FileCheck} --check-prefix=CHECK-WITH-INPUT < %t1.out %s
# RUN: %{FileCheck} --check-prefix=CHECK-OUTPUT-WITH-INPUT < %t.build/output %s
#
# CHECK-WITH-INPUT: SIZING input TO output
# CHECK-OUTPUT-WITH-INPUT: input size: 0
# Check that the output rule no longer gets rebuilt ever build.
#
# RUN: %{llbuild} ninja build --jobs 1 --chdir %t.build &> %t1.out
# RUN: %{FileCheck} --check-prefix=CHECK-NEXT-WITH-INPUT < %t1.out %s
#
# CHECK-NEXT-WITH-INPUT: no work to do
# Check that the output rule does get rebuilt if input changes.
#
# RUN: echo -n "X" > %t.build/input
# RUN: %{llbuild} ninja build --strict --jobs 1 --chdir %t.build &> %t1.out
# RUN: %{FileCheck} --check-prefix=CHECK-WITH-NEW-INPUT < %t1.out %s
# RUN: %{FileCheck} --check-prefix=CHECK-OUTPUT-WITH-NEW-INPUT < %t.build/output %s
#
# CHECK-WITH-NEW-INPUT: SIZING input TO output
# CHECK-OUTPUT-WITH-NEW-INPUT: input size: 1
rule GETSIZE
command = if [ -f $in ]; then echo "input size: $$(Inputs/get-file-size $in)"; else echo "input does not exist"; fi > $out
description = SIZING $in TO $out
build input: phony
build output: GETSIZE input
default output
| Ninja | 5 | uraimo/swift-llbuild | tests/Ninja/Build/phony-inputs.ninja | [
"Apache-2.0"
] |
// check-pass
// #81395: Fix ICE when recursing into Deref target only differing in type args
pub struct Generic<T>(T);
impl<'a> std::ops::Deref for Generic<&'a mut ()> {
type Target = Generic<&'a ()>;
fn deref(&self) -> &Self::Target {
unimplemented!()
}
}
impl<'a> Generic<&'a ()> {
pub fn some_method(&self) {}
}
| Rust | 3 | mbc-git/rust | src/test/rustdoc-ui/deref-generic.rs | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
record R (A : Set) : Set where
field
f : A → A
open R {{...}}
test : {A : Set} → R A
f {{test}} = {!!}
| Agda | 3 | cruhland/agda | test/interaction/SplitPreserveInstanceProjection.agda | [
"MIT"
] |
At: "018.hac":3:
parse error: syntax error
parser stacks:
state value
#STATE# (null)
#STATE# keyword: enum [3:1..4]
#STATE# ; [3:5]
in state #STATE#, possible rules are:
declare_enum: ENUM . ID (#RULE#)
defenum: ENUM . ID '{' enum_member_list '}' (#RULE#)
acceptable tokens are:
ID (shift)
| Bison | 1 | broken-wheel/hacktist | hackt_docker/hackt/test/parser/datatype/018.stderr.bison | [
"MIT"
] |
// Copyright 2021 The Ray 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.
namespace ray {
namespace raylet {
class Mockpair_hash : public pair_hash {
public:
};
} // namespace raylet
} // namespace ray
namespace ray {
namespace raylet {
class MockBundleTransactionState : public BundleTransactionState {
public:
};
} // namespace raylet
} // namespace ray
namespace ray {
namespace raylet {
class MockPlacementGroupResourceManager : public PlacementGroupResourceManager {
public:
MOCK_METHOD(bool, PrepareBundle, (const BundleSpecification &bundle_spec), (override));
MOCK_METHOD(void, CommitBundle, (const BundleSpecification &bundle_spec), (override));
MOCK_METHOD(void, ReturnBundle, (const BundleSpecification &bundle_spec), (override));
};
} // namespace raylet
} // namespace ray
namespace ray {
namespace raylet {
class MockNewPlacementGroupResourceManager : public NewPlacementGroupResourceManager {
public:
};
} // namespace raylet
} // namespace ray
| C | 2 | mgelbart/ray | src/mock/ray/raylet/placement_group_resource_manager.h | [
"Apache-2.0"
] |
/*--------------------------------------------------*/
/* SAS Programming for R Users - code for exercises */
/* Copyright 2016 SAS Institute Inc. */
/*--------------------------------------------------*/
/*SP4R07d07*/
/*Part A*/
proc iml;
start simpleRegFunc(n,beta0,beta1);
xvals = randfun(n,"Uniform");
xvals = xvals*20;
error = randfun(n,"Normal",0,5);
y = beta0 + beta1*xvals + error;
x = j(n,1,1)||xvals;
betaHat = inv(x`*x)*(x`*y);
return(betaHat);
finish;
/*Part B*/
n = 20;
reps = 1000;
beta0 = j(reps,1,.);
beta1 = j(reps,1,.);
call randseed(27606);
/*Part C*/
do i=1 to reps;
betas = simpleRegFunc(n,5,2);
beta0[i] = betas[1];
beta1[i] = betas[2];
end;
/*Part D*/
mean0 = mean(beta0);
sd0 = std(beta0);
call qntl(percentiles0,beta0,{.025, .975});
mean1 = mean(beta1);
sd1 = std(beta1);
call qntl(percentiles1,beta1,{.025, .975});
out0 = mean0//sd0//percentiles0;
reset noname;
print out0[colname="Beta0" rowname={"Mean","Standard Deviation","LCL","UCL"}];
out1 = mean1//sd1//percentiles1;
print out1[colname="Beta1" rowname={"Mean","Standard Deviation","LCL","UCL"}];
quit;
| SAS | 4 | snowdj/sas-prog-for-r-users | code/SP4R07d07.sas | [
"CC-BY-4.0"
] |
<html>
<head>
<title>random numbers</title>
<script>
function display() {
document.getElementById('numbers').textContent = numbers.join(' ');
}
</script>
</head>
<body onload="display()">
<p>Some random numbers between 0 and 100:</p>
<!-- Placeholder for the list of random numbers -->
<p id="numbers"></p>
<script>
numbers = [];
while (numbers.length < 100) {
numbers.push(Math.round(Math.random() * 100));
}
</script>
</body>
</html>
| HTML | 3 | fracturesfei/angulardemo | node_modules/selenium-webdriver/lib/test/data/injectableContent.html | [
"MIT"
] |
square ([2,2],center =true); | OpenSCAD | 3 | heristhesiya/OpenJSCAD.org | packages/io/scad-deserializer/tests/2d_primitives/squareEx1.scad | [
"MIT"
] |
# Copyright 1999-2011 Gentoo Foundation
# Distributed under the terms of the GNU General Public License v2
# @ECLASS: savedconfig.eclass
# @MAINTAINER:
# base-system@gentoo.org
# @BLURB: common API for saving/restoring complex configuration files
# @DESCRIPTION:
# It is not uncommon to come across a package which has a very fine
# grained level of configuration options that go way beyond what
# USE flags can properly describe. For this purpose, a common API
# of saving and restoring the configuration files was developed
# so users can modify these config files and the ebuild will take it
# into account as needed.
#
# @ROFF .nr step 1 1
# Typically you can create your own configuration files quickly by
# doing:
# @ROFF .IP \n[step] 3
# Build the package with FEATURES=noclean USE=savedconfig.
# @ROFF .IP \n+[step]
# Go into the build dir and edit the relevant configuration system
# (e.g. `make menuconfig` or `nano config-header.h`). You can look
# at the files in /etc/portage/savedconfig/ to see what files get
# loaded/restored.
# @ROFF .IP \n+[step]
# Copy the modified configuration files out of the workdir and to
# the paths in /etc/portage/savedconfig/.
# @ROFF .IP \n+[step]
# Emerge the package with just USE=savedconfig to get the custom build.
inherit portability
IUSE="savedconfig"
# @FUNCTION: save_config
# @USAGE: <config files to save>
# @DESCRIPTION:
# Use this function to save the package's configuration file into the
# right location. You may specify any number of configuration files,
# but just make sure you call save_config with all of them at the same
# time in order for things to work properly.
save_config() {
if [[ ${EBUILD_PHASE} != "install" ]]; then
die "Bad package! save_config only for use in src_install functions!"
fi
[[ $# -eq 0 ]] && die "Usage: save_config <files>"
# Be lazy in our EAPI compat
: ${ED:=${D}}
local dest="/etc/portage/savedconfig/${CATEGORY}"
if [[ $# -eq 1 && -f $1 ]] ; then
# Just one file, so have the ${PF} be that config file
dodir "${dest}"
cp "$@" "${ED}/${dest}/${PF}" || die "failed to save $*"
else
# A dir, or multiple files, so have the ${PF} be a dir
# with all the saved stuff below it
dodir "${dest}/${PF}"
treecopy "$@" "${ED}/${dest}/${PF}" || die "failed to save $*"
fi
elog "Your configuration for ${CATEGORY}/${PF} has been saved in "
elog "/etc/portage/savedconfig/${CATEGORY}/${PF} for your editing pleasure."
elog "You can edit these files by hand and remerge this package with"
elog "USE=savedconfig to customise the configuration."
elog "You can rename this file/directory to one of the following for"
elog "its configuration to apply to multiple versions:"
elog '${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/'
elog '[${CTARGET}|${CHOST}|""]/${CATEGORY}/[${PF}|${P}|${PN}]'
}
# @FUNCTION: restore_config
# @USAGE: <config files to restore>
# @DESCRIPTION:
# Restores the configuation saved ebuild previously potentially with user edits.
# You can restore a single file or a whole bunch, just make sure you call
# restore_config with all of the files to restore at the same time.
#
# Config files can be laid out as:
# @CODE
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CTARGET}/${CATEGORY}/${PF}
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CHOST}/${CATEGORY}/${PF}
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CATEGORY}/${PF}
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CTARGET}/${CATEGORY}/${P}
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CHOST}/${CATEGORY}/${P}
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CATEGORY}/${P}
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CTARGET}/${CATEGORY}/${PN}
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CHOST}/${CATEGORY}/${PN}
# ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CATEGORY}/${PN}
# @CODE
restore_config() {
case ${EBUILD_PHASE} in
unpack|compile|configure|prepare) ;;
*) die "Bad package! restore_config only for use in src_{unpack,compile,configure,prepare} functions!" ;;
esac
use savedconfig || return
local found check configfile
local base=${PORTAGE_CONFIGROOT}/etc/portage/savedconfig
for check in {${CATEGORY}/${PF},${CATEGORY}/${P},${CATEGORY}/${PN}}; do
configfile=${base}/${CTARGET}/${check}
[[ -r ${configfile} ]] || configfile=${base}/${CHOST}/${check}
[[ -r ${configfile} ]] || configfile=${base}/${check}
einfo "Checking existence of ${configfile} ..."
if [[ -r "${configfile}" ]]; then
einfo "found ${configfile}"
found=${configfile};
break;
fi
done
if [[ -f ${found} ]]; then
elog "Building using saved configfile ${found}"
if [ $# -gt 0 ]; then
cp -pPR "${found}" "$1" || die "Failed to restore ${found} to $1"
else
die "need to know the restoration filename"
fi
elif [[ -d ${found} ]]; then
elog "Building using saved config directory ${found}"
local dest=${PWD}
pushd "${found}" > /dev/null
treecopy . "${dest}" || die "Failed to restore ${found} to $1"
popd > /dev/null
else
# maybe the user is screwing around with perms they shouldnt #289168
if [[ ! -r ${base} ]] ; then
eerror "Unable to read ${base} -- please check its permissions."
die "Reading config files failed"
fi
ewarn "No saved config to restore - please remove USE=savedconfig or"
ewarn "provide a configuration file in ${PORTAGE_CONFIGROOT}/etc/portage/savedconfig/${CATEGORY}/${PN}"
ewarn "Your config file(s) will not be used this time"
fi
}
savedconfig_pkg_postinst() {
# If the user has USE=savedconfig, then chances are they
# are modifying these files, so keep them around. #396169
# This might lead to cruft build up, but the alternatives
# are worse :/.
if use savedconfig ; then
# Be lazy in our EAPI compat
: ${EROOT:=${ROOT}}
find "${EROOT}/etc/portage/savedconfig/${CATEGORY}/${PF}" \
-exec touch {} + 2>/dev/null
fi
}
EXPORT_FUNCTIONS pkg_postinst
| Gentoo Eclass | 5 | NighttimeDriver50000/Sabayon-Packages | local_overlay/eclass/savedconfig.eclass | [
"MIT"
] |
fileFormatVersion: 2
guid: 989e62db4b694586bf2c832ce13e2d50
timeCreated: 1612916938 | Unity3D Asset | 0 | cihan-demir/NineMensMorris | unity/ExternalPackages/com.unity.ml-agents.extensions/Runtime/Input/AssemblyInfo.cs.meta | [
"MIT"
] |
<h2>Upload a file</h2>
<form enctype="multipart/form-data" method="post">
<div>
<label for="picked">Choose a file to upload:</label>
<input type="file"
id="picked"
#picked
(click)="message=''"
(change)="onPicked(picked)">
</div>
<p *ngIf="message">{{message}}</p>
</form>
| HTML | 4 | John-Cassidy/angular | aio/content/examples/http/src/app/uploader/uploader.component.html | [
"MIT"
] |
# Copyright (C) 2004-2008, Parrot Foundation.
=head1 TITLE
libpcre.pir - NCI interface to Perl-Compatible Regular Expression library
=head1 DESCRIPTION
See 'library/pcre.pir' for details on the user interface.
=cut
.namespace ['PCRE'; 'NCI']
.sub compile
.param string pat
.param int options
.local pmc NULL
NULL = null
.local pmc PCRE_NCI_compile
PCRE_NCI_compile = get_hll_global ['PCRE'; 'NCI'], 'PCRE_compile'
.local pmc pat_cstr
$P0 = dlfunc NULL, "Parrot_str_to_cstring", "ppS"
$P1 = getinterp
pat_cstr = $P0($P1, pat)
.local pmc code, errmsgptr
.local int erroffs
(code, errmsgptr, erroffs) = PCRE_NCI_compile( pat_cstr, options, NULL, 0, NULL )
$P0 = dlfunc NULL, "Parrot_str_free_cstring", "vp"
$P0(pat_cstr)
.local string errmsg
errmsg = ""
unless_null code, RETURN
$P0 = dlfunc NULL, "Parrot_str_new", "SppI"
$P1 = getinterp
errmsg = $P0($P1, errmsgptr, 0)
RETURN:
.return( code, errmsg, erroffs )
.end
.sub exec
.param pmc regex
.param string s
.param int start
.param int options
.local int len
length len, s
.local pmc NULL
NULL = null
## osize -- 2 * sizeof (int)
## on 32 bit systems
.local int osize
osize = 8
## number of result pairs
.local int num_result_pairs
num_result_pairs = 10
.local int ovector_length
ovector_length = osize * num_result_pairs
.local pmc ovector
ovector = new 'ManagedStruct'
ovector = ovector_length
.local pmc PCRE_NCI_exec
PCRE_NCI_exec = get_hll_global ['PCRE'; 'NCI'], 'PCRE_exec'
.local pmc s_cstr
$P0 = dlfunc NULL, "Parrot_str_to_cstring", "ppS"
$P1 = getinterp
s_cstr = $P0($P1, s)
.local int ok
ok = PCRE_NCI_exec( regex, NULL, s_cstr, len, start, options, ovector, num_result_pairs )
$P0 = dlfunc NULL, "Parrot_str_free_cstring", "vp"
$P0(s_cstr)
.return( ok, ovector )
.end
.sub result
.param string s
.param int ok
.param pmc ovector
.param int n
.local string match
match= ""
if ok <= 0 goto NOMATCH
.local int ovecs
.local int ovece
.local pmc struct
struct = new 'FixedPMCArray'
struct = 3
.include "datatypes.pasm"
struct[0] = .DATATYPE_INT
$I0 = ok * 2
struct[1] = $I0
struct[2] = 0
assign ovector, struct
$I0 = n * 2
ovecs = ovector[0;$I0]
inc $I0
ovece = ovector[0;$I0]
$I0 = ovece - ovecs
if ovecs >= 0 goto M1
match = ""
goto M0
M1:
substr match, s, ovecs, $I0
M0:
NOMATCH:
.return( match )
.end
=head1 FILES
pcre.pir, libpcre.pir
=head1 SEE ALSO
pcre(3)
=head1 AUTHORS
Original code by Leo Toetsch, updated by Jerry Gay
E<lt>jerry dot gay at gmail dot com<gt>
=cut
# Local Variables:
# mode: pir
# fill-column: 100
# End:
# vim: expandtab shiftwidth=4 ft=pir:
| Parrot Internal Representation | 4 | winnit-myself/Wifie | runtime/parrot/library/libpcre.pir | [
"Artistic-2.0"
] |
# silence YAML warning
`Opal.modules["yaml"] = function() {}`
# add core libraries
require 'corelib/string/unpack'
require 'corelib/array/pack'
require 'opal-parser'
# https://github.com/opal/opal/blob/master/lib/opal/parser/patch.rb
class Parser::Lexer
def source_buffer=(source_buffer)
@source_buffer = source_buffer
if @source_buffer
source = @source_buffer.source
# Force UTF8 unpacking even if JS works with UTF-16/UCS-2
# See: https://mathiasbynens.be/notes/javascript-encoding
@source_pts = source.unpack('U*')
else
@source_pts = nil
end
end
end
class Parser::Lexer::Literal
undef :extend_string
def extend_string(string, ts, te)
@buffer_s ||= ts
@buffer_e = te
# Patch for opal-parser, original:
# @buffer << string
@buffer += string
end
end
class Parser::Source::Buffer
def source_lines
@lines ||= begin
lines = @source.lines.to_a
lines << '' if @source.end_with?("\n")
lines.map { |line| line.chomp("\n") }
end
end
end
# https://github.com/ruby2js/ruby2js/issues/94
# https://github.com/whitequark/parser/blob/6337d7bf676f66d80e43bd9d33dc17659f8af7f3/lib/parser/lexer/dedenter.rb#L36
class Parser::Lexer::Dedenter
def dedent(string)
original_encoding = string.encoding
# Prevent the following error when processing binary encoded source.
# "\xC0".split # => ArgumentError (invalid byte sequence in UTF-8)
lines = string.force_encoding(Encoding::BINARY).split("\\\n")
lines.map! {|s| s.force_encoding(original_encoding) }
lines.each_with_index do |line, index|
next if index == 0 and not @at_line_begin
left_to_remove = @dedent_level
remove = 0
line.each_char do |char|
break if left_to_remove <= 0
case char
when ?\s
remove += 1
left_to_remove -= 1
when ?\t
break if TAB_WIDTH * (remove / TAB_WIDTH + 1) > @dedent_level
remove += 1
left_to_remove -= TAB_WIDTH
else
# no more spaces or tabs
break
end
end
lines[index] = line[remove..-1]
end
string = lines.join
@at_line_begin = string.end_with?("\n")
string
end
end
#... also part of above patch ...
# https://github.com/whitequark/parser/blob/a7c638b7b205db9213a56897b41a8e5620df766e/lib/parser/builders/default.rb#L388
module Parser
class Builders::Default
def dedent_string(node, dedent_level)
if !dedent_level.nil?
dedenter = Lexer::Dedenter.new(dedent_level)
case node.type
when :str
node = node.updated(nil, [dedenter.dedent(node.children.first)])
when :dstr, :xstr
children = node.children.map do |str_node|
if str_node.type == :str
str_node = str_node.updated(nil, [dedenter.dedent(str_node.children.first)])
next nil if str_node.children.first.empty?
else
dedenter.interrupt
end
str_node
end
node = node.updated(nil, children.compact)
end
end
node
end
end
end
# https://github.com/whitequark/parser/issues/784
module Parser
class Diagnostic
undef :render_line
def render_line(range, ellipsis=false, range_end=false)
source_line = range.source_line
highlight_line = [' '] * source_line.length
@highlights.each do |highlight|
line_range = range.source_buffer.line_range(range.line)
if highlight = highlight.intersect(line_range)
highlight_line[highlight.column_range] = ['~'] * highlight.size
end
end
if range.is?("\n")
highlight_line << "^"
else
if !range_end && range.size >= 1
highlight_line[range.column_range] = ['^'] + ['~'] * (range.size - 1)
else
highlight_line[range.column_range] = ['~'] * range.size
end
end
highlight_line += %w(. . .) if ellipsis
highlight_line = highlight_line.join
[source_line, highlight_line].
map { |line| "#{range.source_buffer.name}:#{range.line}: #{line}" }
end
end
end
# update to 1.8.5
# opal: https://github.com/opal/opal/blob/master/stdlib/racc/parser.rb
# racc: https://github.com/ruby/racc/blob/master/lib/racc/parser.rb
#
module Racc
class Parser
undef :_racc_evalact
def _racc_evalact(act, arg)
action_table, action_check, _, action_pointer,
_, _, _, _,
_, _, _, shift_n,
reduce_n, * = arg
nerr = 0 # tmp
if act > 0 and act < shift_n
#
# shift
#
if @racc_error_status > 0
@racc_error_status -= 1 unless @racc_t <= 1 # error token or EOF
end
@racc_vstack.push @racc_val
@racc_state.push act
@racc_read_next = true
if @yydebug
@racc_tstack.push @racc_t
racc_shift @racc_t, @racc_tstack, @racc_vstack
end
elsif act < 0 and act > -reduce_n
#
# reduce
#
code = catch(:racc_jump) {
@racc_state.push _racc_do_reduce(arg, act)
false
}
if code
case code
when 1 # yyerror
@racc_user_yyerror = true # user_yyerror
return -reduce_n
when 2 # yyaccept
return shift_n
else
raise '[Racc Bug] unknown jump code'
end
end
elsif act == shift_n
#
# accept
#
racc_accept if @yydebug
throw :racc_end_parse, @racc_vstack[0]
elsif act == -reduce_n
#
# error
#
case @racc_error_status
when 0
unless arg[21] # user_yyerror
nerr += 1
on_error @racc_t, @racc_val, @racc_vstack
end
when 3
if @racc_t == 0 # is $
# We're at EOF, and another error occurred immediately after
# attempting auto-recovery
throw :racc_end_parse, nil
end
@racc_read_next = true
end
@racc_user_yyerror = false
@racc_error_status = 3
while true
if i = action_pointer[@racc_state[-1]]
i += 1 # error token
if i >= 0 and
(act = action_table[i]) and
action_check[i] == @racc_state[-1]
break
end
end
throw :racc_end_parse, nil if @racc_state.size <= 1
@racc_state.pop
@racc_vstack.pop
if @yydebug
@racc_tstack.pop
racc_e_pop @racc_state, @racc_tstack, @racc_vstack
end
end
return act
else
raise "[Racc Bug] unknown action #{act.inspect}"
end
racc_next_state(@racc_state[-1], @racc_state) if @yydebug
nil
end
end
end
# https://github.com/opal/opal/issues/2185
`Opal.Ruby2JS.Token.$new0 = Opal.Ruby2JS.Token.$new;
Opal.Ruby2JS.Token.$new = function(str, ast) {
token = Opal.Ruby2JS.Token.$new0(str);
token.ast = ast;
if (ast) token.loc = ast.$location();
return token;
}`
| Opal | 5 | Taher-Ghaleb/ruby2js | demo/patch.opal | [
"Ruby",
"Unlicense",
"MIT"
] |
static const uint16_t in_linear_val[1000] = {
0x3c0e, 0x1058, 0x26e7, 0x27bf, 0xad4e, 0x2e33, 0xa8d8, 0xa633,
0xa58b, 0xaac7, 0x29fa, 0x2e8a, 0x2439, 0x1d1e, 0x2a3f, 0xb089,
0xaec2, 0xaff6, 0xa0ab, 0x2c04, 0x2bd5, 0xb061, 0x3064, 0x2fee,
0x2917, 0x2f2f, 0xa809, 0xa173, 0xa3bd, 0x2ca5, 0xaf21, 0xad70,
0x991a, 0x2750, 0xa8f0, 0xac64, 0x3069, 0x2c82, 0x2630, 0x2f10,
0xb060, 0xab7b, 0x9c86, 0xb1f8, 0xa476, 0x2c48, 0xae30, 0xaf48,
0x317e, 0x1d8e, 0x2dc3, 0xa8cc, 0xa538, 0x29fb, 0x204e, 0x2d99,
0xad8a, 0x282c, 0x2899, 0x2b80, 0x278f, 0x2bd5, 0xa4c5, 0xaafd,
0x2b08, 0xaf8c, 0x3247, 0x9bde, 0xa751, 0xb065, 0x3bd3, 0x2730,
0xae1a, 0x312f, 0x2972, 0x24ea, 0xaae6, 0x2804, 0x2a30, 0xad3f,
0x3c39, 0xa814, 0x302c, 0xaa72, 0x2803, 0x2967, 0xad9f, 0xa5d3,
0x3184, 0x3015, 0x1d45, 0xac42, 0xa1d4, 0x2cf3, 0x2b17, 0x929a,
0xae4d, 0x2d22, 0x9a93, 0x30d2, 0xa555, 0xa927, 0xa10c, 0x29ae,
0xa9f0, 0xaee7, 0x2f25, 0x23dc, 0xb1b9, 0xb00b, 0x3c14, 0xa28a,
0x2eed, 0xa9a4, 0x2e50, 0x9a7e, 0x303f, 0xae48, 0xad7e, 0xaad8,
0x25d1, 0x3060, 0x30d4, 0xa448, 0xa53d, 0xa139, 0xa06f, 0x2805,
0x1c26, 0xa476, 0xdaa, 0x2cbf, 0xae60, 0xa93f, 0x2bd5, 0x280c,
0x3173, 0xaf73, 0x165e, 0xa3be, 0xadd3, 0xaaef, 0x2bcc, 0x27bf,
0x268e, 0x3066, 0xa136, 0xafe3, 0xad63, 0x9ffa, 0x3c0b, 0xad49,
0xa208, 0xa84e, 0x294a, 0x271c, 0xaf6d, 0x284f, 0x281d, 0x283e,
0xa087, 0x225f, 0x1a9f, 0xae67, 0xac0d, 0xa9c3, 0x21f9, 0x2c1f,
0x28cd, 0x27b4, 0x3b26, 0x1fd7, 0xa8cb, 0xaa63, 0xab8a, 0x3105,
0x2f87, 0xb006, 0x270a, 0xa7da, 0x3c08, 0xa90e, 0x2d7a, 0xa8b2,
0x2994, 0x20ad, 0xb0c4, 0x2a08, 0x258a, 0x2982, 0x3c14, 0xabb4,
0xaeda, 0xacfa, 0x3006, 0xadff, 0xac3e, 0xad0e, 0xae40, 0x3136,
0x3b69, 0x2eee, 0x2802, 0xacdb, 0xaf0f, 0x9f40, 0x25f0, 0x1e16,
0xabfb, 0xb009, 0x3b66, 0x28f3, 0x2772, 0xac0f, 0x2d6f, 0x1c65,
0x2f6f, 0xad5b, 0xac93, 0x2789, 0x3c59, 0xa855, 0xb008, 0xac15,
0x3079, 0x2b0f, 0xa865, 0xafb3, 0xa0c7, 0xa4b3, 0x2e4e, 0x2d37,
0xa61b, 0x282c, 0xace9, 0x2708, 0x2da2, 0xb09f, 0xaa73, 0x9fa6,
0x2aee, 0x2cf0, 0xaf62, 0x21a5, 0xa417, 0x27e2, 0xa66e, 0x2fe4,
0x2c7e, 0x2e42, 0x3afb, 0xa7a3, 0x2f94, 0xad53, 0x2435, 0xae43,
0x2abf, 0x2a4e, 0xa700, 0xae41, 0x3bd9, 0x2cae, 0x2494, 0xae36,
0x29e6, 0xa66a, 0xa0ae, 0x30aa, 0x951e, 0xab1f, 0x3aeb, 0xa8ec,
0x9742, 0x2b22, 0xac5a, 0x1cfc, 0x308f, 0x325a, 0x9a31, 0x2fd2,
0x3bdb, 0xb13f, 0x2282, 0x2da5, 0x2d99, 0xa1f6, 0xae7e, 0x2c72,
0x2483, 0xab40, 0x3c11, 0x25ee, 0x281a, 0x2c7b, 0x2e07, 0x2d62,
0x3002, 0xab4f, 0x2d9a, 0xaf81, 0x3bbc, 0x2d09, 0xab34, 0xa091,
0x2642, 0x22fc, 0x324c, 0x9f49, 0xa97f, 0x2bca, 0xa8de, 0xabdd,
0x2f76, 0xa88a, 0x3079, 0x2d36, 0x2a95, 0x2a44, 0x237e, 0xaf09,
0x2904, 0x2a0e, 0xab02, 0xaeb5, 0x30a3, 0x2cc3, 0x2867, 0xab37,
0x2cd6, 0x2cdb, 0x3c27, 0xabf4, 0x218f, 0xac09, 0xa65e, 0x2be6,
0x2e6f, 0x3118, 0x2f1c, 0x22cb, 0x9ff0, 0x2f49, 0x283e, 0xa68a,
0x2f26, 0x2d95, 0xa622, 0xb036, 0x2de8, 0xa572, 0x2b54, 0x1858,
0x2968, 0x2f68, 0x2970, 0xadf1, 0xa51f, 0xac00, 0xaf3c, 0x2257,
0x3b10, 0x980f, 0xaf23, 0xac0c, 0xabdc, 0x2431, 0x278a, 0x2a24,
0x2bf1, 0x2c6d, 0x3bb3, 0x2c1f, 0xac1a, 0x2c54, 0x1d7f, 0x2ced,
0x2d20, 0x19c6, 0x1d66, 0x2c51, 0x3b66, 0x26fe, 0x9bc9, 0xb18f,
0x2adc, 0x311e, 0x2f0c, 0x3136, 0x3084, 0x25fa, 0x3a78, 0x2426,
0xa563, 0xacf4, 0xa971, 0xb05b, 0xaba3, 0xa9e5, 0x2dd8, 0x24ab,
0x2dda, 0x25fa, 0x9cdd, 0xa84b, 0xaa78, 0x3038, 0x1f3d, 0xa850,
0xaa96, 0xacf9, 0xa840, 0x30ed, 0xac98, 0xafe6, 0x2f2a, 0x2dfa,
0xb2ac, 0xa617, 0x2423, 0xb11f, 0x3bb2, 0x1c78, 0x9301, 0xac88,
0xa7d5, 0x2473, 0xadfc, 0x3063, 0x2a74, 0xabf1, 0x3c8a, 0xac46,
0x1b51, 0x2e7d, 0xab09, 0x28d8, 0x27b0, 0x1eb5, 0x2c28, 0xab68,
0x3bd2, 0xabeb, 0xae21, 0xaa3e, 0xa384, 0x31ee, 0x3008, 0x2f81,
0xac76, 0xadc5, 0x23ae, 0x9c4b, 0x2fb6, 0xabfb, 0x2194, 0xb07a,
0x30dc, 0xaf9a, 0x2b08, 0x2b1d, 0x2c83, 0xafa5, 0x285c, 0xac0b,
0xae27, 0xac69, 0xadd7, 0xac9c, 0xa263, 0x25c7, 0x3bba, 0x28bc,
0x93cc, 0x9a4d, 0x2d5d, 0xacef, 0x2994, 0x3230, 0x2931, 0x240a,
0xa8bd, 0xb17f, 0xaad5, 0x2c2c, 0xac3b, 0x2396, 0xaa02, 0x2126,
0xab2c, 0x2dd4, 0x3c8e, 0x2d31, 0x2867, 0x9360, 0xa28c, 0xb24e,
0x3141, 0x2a8a, 0x2c38, 0x2ca2, 0x2b32, 0x30d1, 0xa566, 0x2481,
0x2f3e, 0x2d9d, 0xaca4, 0xb00a, 0xb241, 0xa4aa, 0xae63, 0x2ea6,
0xaf83, 0xa82e, 0xad70, 0x2e50, 0xa694, 0x9671, 0x2751, 0xaef0,
0xa75f, 0xaa37, 0xb287, 0xae89, 0x24bd, 0x2d14, 0xa63e, 0x2a3c,
0x2c1d, 0x1068, 0x3c64, 0x2cfd, 0xb127, 0xa482, 0x3086, 0xaa06,
0xa96d, 0x3016, 0xa54b, 0x2409, 0x29db, 0x2e9e, 0xa0da, 0xa91e,
0xa89e, 0xaa81, 0x2890, 0xafce, 0xab3c, 0x2f33, 0x3b8b, 0x31c5,
0xa976, 0xa65c, 0xa818, 0x23fe, 0x20f8, 0xaef0, 0x2f5e, 0xa920,
0xab41, 0x2cad, 0x30ff, 0xae23, 0xb167, 0x1bdc, 0xac63, 0x2cc0,
0xa3f5, 0xae3b, 0xad1f, 0xb1d5, 0x2826, 0x2186, 0xab36, 0xb120,
0x2fe7, 0xaea6, 0x313b, 0x2d89, 0x3c33, 0x245b, 0xaf84, 0xaea4,
0x23a6, 0x2cc1, 0xb1a8, 0x3176, 0x2e65, 0x2f18, 0xa2b7, 0x2de4,
0x236a, 0xaa4f, 0xab88, 0xabc4, 0xa4f0, 0x2809, 0xa985, 0x2a5e,
0x3bb1, 0xd55, 0xb10c, 0x295b, 0xa76b, 0x2b40, 0x27f4, 0xb0a3,
0x3148, 0x2e71, 0x3d5b, 0xa98c, 0xa848, 0x3095, 0x1c1e, 0x1872,
0x3000, 0x2948, 0x3418, 0xb06c, 0x2b5f, 0x31f3, 0x9f43, 0xa47f,
0xa872, 0xa40a, 0xab4b, 0xab38, 0x2dfb, 0x26c4, 0xaeb0, 0x91ac,
0xabc2, 0x2459, 0x27e3, 0xa2b6, 0x278e, 0x2f5c, 0xb19a, 0xae7b,
0xb065, 0x2deb, 0x2d8e, 0xab21, 0xabbf, 0x9c34, 0xa512, 0xad95,
0xaf3c, 0x9cd0, 0x3bf7, 0x2c63, 0x29bb, 0x2db0, 0xaf2b, 0x2fe7,
0x869f, 0x1cae, 0xa89c, 0x2cbd, 0xacaa, 0x9a0d, 0x2977, 0x24d0,
0x2d6c, 0x2c72, 0x2cf2, 0x2d37, 0x2e4b, 0x2854, 0x3c0f, 0xaf91,
0x9a16, 0xac9c, 0xad2d, 0xb0ff, 0x2324, 0x2c79, 0x2664, 0x254d,
0x275d, 0xa630, 0xa979, 0x18e2, 0xa731, 0x248b, 0x2dae, 0xa9cc,
0x1c28, 0x2cec, 0x2d80, 0xa937, 0x2a97, 0xa01d, 0x2c23, 0x2608,
0x9859, 0xa500, 0xad36, 0x2d78, 0x2d3f, 0xad92, 0x1cc7, 0xac45,
0x9ad2, 0xa84c, 0x10a7, 0x2b81, 0x231d, 0x2691, 0x3c11, 0xa358,
0x3002, 0xb1d4, 0x2e55, 0x225d, 0xa5d3, 0xb008, 0xa832, 0xa9dc,
0xaff4, 0xa80e, 0x28b4, 0xaea0, 0x301f, 0x92c7, 0xa3bf, 0x2703,
0x2fb0, 0xa00c, 0x3c30, 0x2b67, 0xb035, 0xaa84, 0x288c, 0xa0fb,
0x280d, 0x2b1e, 0xa9fb, 0xa980, 0xafae, 0xad4d, 0xa97d, 0xaba9,
0x2b63, 0xa778, 0x313c, 0xafc9, 0xad2c, 0x2c0b, 0x2c87, 0xa79e,
0x305d, 0xb04f, 0xae20, 0x96ba, 0x2a47, 0x27a5, 0xa614, 0x2808,
0x9c4f, 0x2b8f, 0xa09a, 0x2f14, 0x2e17, 0x2582, 0xa70e, 0xa846,
0xb040, 0xa9c1, 0xaa51, 0x2045, 0xac61, 0xc0b, 0x3183, 0xb06a,
0xaac2, 0x242f, 0xaef1, 0xaee3, 0x2c06, 0xac9e, 0x2d71, 0x2b36,
0x2b53, 0x24ac, 0xadb6, 0xb12d, 0xae48, 0x293a, 0xabe4, 0x547,
0xa5d6, 0x2053, 0xab8e, 0xa36c, 0x2b0d, 0x3045, 0x2e27, 0xa9ae,
0x2f17, 0xb173, 0xaa9c, 0x9384, 0xaebc, 0xa86f, 0x285b, 0x291a,
0xa216, 0x20d5, 0xacab, 0xa998, 0x2ea2, 0x2ad3, 0x3145, 0xacd8,
0x2c35, 0x200a, 0xae5b, 0xa543, 0xac83, 0x2bcb, 0x2433, 0xa3f1,
0xaa56, 0xa632, 0xb055, 0x283d, 0xaab0, 0x2c1e, 0x2ec0, 0xad84,
0x24c6, 0x33c1, 0x9fa2, 0xaa94, 0x88f9, 0x2267, 0x3175, 0x2b30,
0x2cfc, 0x3088, 0xa95b, 0xa918, 0xa8ae, 0x271a, 0xa4ac, 0x2743,
0xacb9, 0xac79, 0x3b9d, 0xaed1, 0x9f72, 0xa90e, 0xae9d, 0xa83a,
0x2c4f, 0x28c0, 0x2d0a, 0xad12, 0x3055, 0x2490, 0xb014, 0xb12a,
0xaad9, 0x9e52, 0xafe2, 0x2c37, 0x3080, 0x2dfd, 0x3c76, 0xa96a,
0xabc3, 0x290b, 0x283b, 0x32d5, 0x29c9, 0xa9ca, 0xabba, 0x2daa,
0xa884, 0xb0d9, 0xa4c5, 0x974a, 0x25dd, 0x22ac, 0x252d, 0xb134,
0x2d49, 0x288b, 0x3b6e, 0x26cd, 0xa684, 0x2de8, 0x2458, 0x185b,
0x2ace, 0x2637, 0x2ce8, 0x2ff0, 0x3b61, 0x2dec, 0x1ea9, 0x210f,
0x25b3, 0x2b6b, 0x2fc0, 0xa5b6, 0x235b, 0x269d, 0x3b04, 0x2714,
0x2e2e, 0xb0af, 0x268b, 0xb2aa, 0x2b83, 0x28f8, 0xa4ee, 0xacb6,
0x2dda, 0xa456, 0xac30, 0xa5e8, 0x2de6, 0x2af8, 0x2971, 0x2ede,
0xb0ad, 0xac7a, 0xad50, 0x291d, 0x2d1c, 0x295f, 0x2d65, 0x3021,
0x2a19, 0x322a, 0x2ca7, 0xa99c, 0x9ddb, 0xae3b, 0x273f, 0xa46d,
0xaf93, 0x9df6, 0xb037, 0x2900, 0x18de, 0xa1f5, 0x3c0a, 0x2d04,
0x2864, 0x2afb, 0x1d7d, 0xab7a, 0xab44, 0xabf8, 0x23a4, 0x2816,
0x3c14, 0xabe9, 0x275a, 0x31a2, 0xa62c, 0xadf3, 0xa449, 0xa73d,
0x3235, 0x3144, 0x2b9d, 0xa048, 0x2cd9, 0xa986, 0x2aff, 0xaade,
0xae83, 0x2c4c, 0xaac3, 0x16c0, 0x9958, 0xadbd, 0x2952, 0xb26b,
0x2c02, 0xa8d0, 0x2504, 0x2dcc, 0x2c81, 0xad5a, 0x1b76, 0x2c8d,
0xa78d, 0xa503, 0x2d41, 0xa80e, 0x2fb6, 0x2e18, 0x96b2, 0xad63
};
static const uint16_t in_linear_param[45] = {
0x2c7f, 0xab95, 0x2664, 0xa669, 0xaa7c, 0xac74, 0xa540, 0xac54,
0x27c0, 0x2ed2, 0xa059, 0xae69, 0x1c8d, 0xac85, 0x9c5d, 0x281d,
0xa534, 0x86a, 0xa81d, 0x291a, 0x3c0c, 0xa0a0, 0x283f, 0xa9cb,
0xa4da, 0xa9a4, 0x2729, 0xa7c9, 0x9d71, 0x2c31, 0x3c08, 0xa73b,
0xaae5, 0xac4c, 0x27c6, 0x278d, 0xaf0d, 0x2d00, 0x1a65, 0x2ce4,
0xbc00, 0xbbdf, 0x3c00, 0x3bdf, 0xbbca
};
static const uint16_t in_linear_dims[6] = {
0x0001, 0x0000, 0x0001, 0x0064, 0x000A, 0x0004
};
static const uint32_t ref_linear[100] = {
0x00000001, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000001, 0x00000000, 0x00000000, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000001, 0x00000001, 0x00000001, 0x00000000,
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000001, 0x00000001, 0x00000001, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000001, 0x00000001, 0x00000001, 0x00000001,
0x00000000, 0x00000000, 0x00000001, 0x00000001,
0x00000001, 0x00000000, 0x00000000, 0x00000001,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000001,
0x00000000, 0x00000000, 0x00000001, 0x00000000,
0x00000001, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000001,
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000001, 0x00000000, 0x00000000, 0x00000000
};
static const uint16_t in_polynomial_val[1000] = {
0x1493, 0xb068, 0x2e46, 0x9ec4, 0xabfa, 0x22f0, 0xa64b, 0xab02,
0x2bb8, 0xae16, 0x3b63, 0xb064, 0xaac8, 0xa883, 0xa464, 0x286b,
0x250c, 0x2853, 0x2acc, 0x295e, 0x3c22, 0x2323, 0x2fb6, 0xa2be,
0x2cc7, 0xa899, 0x313c, 0xa304, 0x2c14, 0xa72d, 0x3bee, 0xae03,
0x2f14, 0xab4f, 0x2db2, 0x1dc4, 0x2cd0, 0x2e60, 0x3309, 0x2d18,
0x2b77, 0xae4e, 0xacfe, 0xa618, 0xb0d3, 0x9d42, 0xa7fc, 0xb20e,
0xa96a, 0x2f43, 0xa283, 0x26b3, 0xa73a, 0xb030, 0x19e3, 0xa8ce,
0x940f, 0xb034, 0xa578, 0xb1ad, 0xabad, 0x2471, 0xa229, 0xa7d7,
0xac98, 0x24e2, 0xa6a4, 0x209d, 0xa54b, 0xad27, 0x2b48, 0xae1e,
0xa66a, 0xa551, 0x327c, 0x2c9b, 0x22b5, 0xa4d1, 0xa191, 0x2eb5,
0x3bf5, 0x2f47, 0xabc6, 0x2934, 0xaa79, 0x3006, 0x2ab6, 0x20e9,
0x320b, 0x2c1b, 0x3c4a, 0x2c0e, 0xa4e8, 0x2dac, 0xaa48, 0x23d4,
0x2b04, 0x305a, 0x2c61, 0xb15d, 0xa884, 0x28df, 0x2e8f, 0xa2c6,
0x9f86, 0x9bba, 0x10a3, 0x278f, 0xb029, 0x9c61, 0xb176, 0x2867,
0x27d2, 0xaa4c, 0x2cca, 0xacf0, 0x28fe, 0xaebc, 0x28fe, 0x2a86,
0x3c21, 0x315a, 0xaa4c, 0xadab, 0x2a4c, 0xae60, 0xa3f4, 0xac7e,
0xae2f, 0x96f6, 0x3b8b, 0x2893, 0xae3d, 0xadbb, 0xac0a, 0x2eda,
0xaca9, 0xaa70, 0xadb8, 0x253d, 0x3b2a, 0xa94d, 0x2bab, 0xac16,
0x2c7c, 0xb207, 0xabbb, 0x216c, 0x95fa, 0xa532, 0x28d4, 0x1e39,
0xa4b1, 0xae9e, 0xabae, 0xa75a, 0x2481, 0xa334, 0xa457, 0xabb4,
0xa59b, 0xa8d5, 0xad42, 0xad74, 0x2c0a, 0x2d82, 0x2647, 0xb083,
0x2c2c, 0xaeca, 0xa820, 0xa0ca, 0xa5ac, 0x2f9d, 0x9c0c, 0x2941,
0x29f9, 0xae89, 0x2927, 0x306a, 0x25db, 0x2dc9, 0x2c0b, 0x2b42,
0x212a, 0x2c32, 0x28cb, 0xac86, 0xa8dc, 0x31d9, 0xa77d, 0x2e06,
0x2a17, 0x2424, 0x185e, 0x2957, 0x2d7e, 0xa395, 0xa8bb, 0x2c48,
0x3bc3, 0x2c76, 0xacfc, 0x24a6, 0x24f4, 0x22dd, 0xa80f, 0xb236,
0xa47d, 0xa691, 0xa4a8, 0x28b4, 0xaabb, 0xb110, 0xacbf, 0xa9e3,
0xac44, 0xae85, 0xa9ee, 0x2eb8, 0x2409, 0x2b87, 0x3095, 0x2c55,
0x3102, 0xae73, 0x2ac5, 0x2077, 0xa448, 0x2fa2, 0x2b53, 0xace6,
0xaec3, 0xa41c, 0xabe2, 0x2cce, 0x2746, 0x2846, 0xa77d, 0xa8b3,
0x2d97, 0x9ec3, 0x3043, 0xa857, 0x2b31, 0x1d93, 0xb008, 0xabd9,
0x29db, 0x2932, 0x3ae9, 0x243b, 0xa966, 0xae83, 0xa934, 0xa36e,
0x2aaf, 0xb269, 0x2569, 0xb0a9, 0x3065, 0x3180, 0xae5c, 0xb007,
0xacf5, 0x2546, 0x2a00, 0xae64, 0x27de, 0xa53a, 0x2c5a, 0x23a7,
0x283e, 0xadea, 0x179d, 0x2c7c, 0xafd6, 0x2916, 0xa1ae, 0x2894,
0xb08c, 0xaca3, 0x29bd, 0x20ee, 0x22ae, 0x2b12, 0xaed2, 0xae19,
0xa563, 0xacc1, 0x3c46, 0xa1de, 0x2567, 0xa06e, 0xad69, 0xac3d,
0xabd1, 0x2eb9, 0x2def, 0x233b, 0xa8c0, 0xa723, 0x278d, 0xa5f7,
0x2d06, 0xa440, 0x2d82, 0x2417, 0xa736, 0xaef5, 0xb2e0, 0x2951,
0xad59, 0xb080, 0x29e6, 0xa8f7, 0x2722, 0xace3, 0x2429, 0xa037,
0x1cf2, 0xac4f, 0x2d47, 0x22c6, 0xa965, 0x2efd, 0x2efe, 0xa056,
0xa813, 0xae4e, 0xa7aa, 0x2d25, 0xaa64, 0x300c, 0xa9a5, 0x256c,
0xb1fc, 0xa9fe, 0xac6f, 0xb04b, 0x3c12, 0xac7f, 0x2229, 0xb19d,
0xaf2e, 0xac36, 0xae17, 0x2a43, 0x2f0d, 0xb2c1, 0x3cba, 0x9b97,
0xb08b, 0x2669, 0x250c, 0xaee1, 0xa7ff, 0x3051, 0x2616, 0x2c1e,
0x280c, 0xa9e3, 0x13c9, 0x239f, 0xb041, 0xb15d, 0x292c, 0x2cf1,
0xb1ee, 0x22ea, 0x3b9e, 0xa6be, 0xa94a, 0x2c5e, 0x282d, 0x2802,
0x1c0b, 0xa868, 0xac4e, 0x2e4a, 0x3bad, 0xaf7e, 0x2a69, 0x2210,
0xac1b, 0xb231, 0x2e3f, 0x2890, 0x1ba4, 0xaca2, 0x3bb3, 0xabb1,
0x2db7, 0x2c98, 0xae8f, 0x2bf8, 0xa4ed, 0x28e3, 0x2f04, 0x2965,
0x3c11, 0x2ba5, 0xa9e0, 0xb12c, 0x2a49, 0xaf1d, 0x2f7f, 0xabcd,
0xa504, 0x3098, 0x3c38, 0xae0c, 0xaabd, 0x1d09, 0x26d4, 0xa4bd,
0xb19b, 0x28a2, 0x2141, 0x2c47, 0xadec, 0xb01a, 0x2ef6, 0xaefb,
0x32a3, 0x2833, 0x2927, 0xad31, 0x2faa, 0xb07e, 0xa640, 0xa55f,
0x9c00, 0x1da1, 0x2569, 0xaffb, 0x2245, 0x2be3, 0x2711, 0xad11,
0x3b55, 0x2869, 0xb019, 0xa3fb, 0xb284, 0x2a9f, 0xabd7, 0x1b3b,
0xa2e5, 0x9e6a, 0x30c2, 0xaaef, 0xb0a8, 0xaeac, 0x29de, 0x332b,
0x2a5e, 0x2b33, 0xaec2, 0xa78e, 0xacc9, 0x29ab, 0xac3e, 0xa9e2,
0x2889, 0xac28, 0x3252, 0x9a70, 0x9ee0, 0xaed9, 0x3b3c, 0x3214,
0x2596, 0x2b26, 0x303f, 0xa46b, 0x2d84, 0x2884, 0x2538, 0xaab7,
0x2d89, 0xaa94, 0xa857, 0xac50, 0x3077, 0xacb7, 0xa552, 0xae38,
0xa8f5, 0x2d98, 0x3bce, 0xabd1, 0x2c32, 0x2b10, 0x1437, 0x2743,
0x2c79, 0x3091, 0xa416, 0xad43, 0xae79, 0xa5e2, 0xa997, 0x2e47,
0x9ce0, 0xab11, 0x29ba, 0x2a15, 0x2efe, 0x325c, 0xacf3, 0x2443,
0x29d1, 0xadf3, 0xa03c, 0xa43d, 0x2ac7, 0x2d94, 0xa8dc, 0x2c39,
0x311c, 0xa0e8, 0x2e9d, 0x28d2, 0xb18a, 0x308e, 0x2d1e, 0x2d91,
0x1ebf, 0xa14c, 0x3bb2, 0x1a78, 0xa6d2, 0x20a9, 0xa390, 0xa0bc,
0x9953, 0xb007, 0xad06, 0x30e5, 0x2231, 0x2cdb, 0xaa96, 0x9d1d,
0x2b88, 0x2caa, 0xa83d, 0xafd0, 0x2a11, 0x2e22, 0xa824, 0xa65a,
0xaea9, 0xa40a, 0x2c13, 0xabee, 0x1f05, 0x2e04, 0xafc0, 0xae3f,
0xa9e8, 0x2705, 0x3033, 0x2e1d, 0x25a3, 0x2e6f, 0x2225, 0x2d88,
0xae5d, 0x21c1, 0x3c6c, 0x2f17, 0xa54d, 0x2cd8, 0xaa6c, 0x2f46,
0x2f2d, 0x2a5a, 0xa02c, 0x1e90, 0xa980, 0xadaf, 0xa6c7, 0x2bd1,
0x20ba, 0xaabc, 0x9fbb, 0x2991, 0xa4c1, 0x2eb4, 0xaa5b, 0x27dc,
0xa6b3, 0x2a74, 0x2cce, 0xae81, 0xa9ca, 0x2bab, 0xac43, 0xad8f,
0xa80f, 0xa8e0, 0x2df4, 0xb214, 0x30c5, 0xae81, 0x2d49, 0xae9d,
0xad4c, 0xa2a6, 0xa1ba, 0xb09d, 0xacee, 0xa1cb, 0x2407, 0xa241,
0xb013, 0x9ed5, 0xac61, 0xaef8, 0x3b93, 0xac3d, 0x30d9, 0x2f6d,
0x2d4c, 0x302a, 0xa77b, 0xaab4, 0x230c, 0xa9d8, 0x3b0d, 0xae84,
0xaa71, 0x31dc, 0x2d1e, 0xa7f9, 0x2ab8, 0x20cb, 0x2f03, 0xafbf,
0x3c3d, 0x2896, 0xa7fd, 0x3084, 0x3121, 0x2fb7, 0xae89, 0xae66,
0xb06d, 0x2d2a, 0x2691, 0x1d30, 0xb00a, 0xa0ca, 0x2a97, 0xa970,
0x2017, 0x2fb8, 0x2b44, 0xb1b5, 0x3bcd, 0x26c4, 0x2de4, 0xa82c,
0xaed5, 0x1ae9, 0x2db0, 0xafee, 0xa99d, 0x2f59, 0x3adf, 0x28bd,
0x2cb5, 0x1ecf, 0xaf5c, 0xa96b, 0xa8df, 0x2854, 0x2d89, 0xa288,
0x3c5d, 0xad6b, 0x290d, 0xaf3b, 0xaf45, 0xa519, 0x2a69, 0x2976,
0x29d7, 0xad59, 0x3c28, 0x1653, 0xaff8, 0x24ab, 0x9ed8, 0x2e0b,
0x2c7c, 0xaa1c, 0xadc9, 0x2e0f, 0xafcc, 0x3005, 0x2be7, 0xa479,
0xa8a5, 0x2ba3, 0x19e3, 0xaa99, 0xa964, 0xab27, 0x2d1d, 0xaedc,
0x2a37, 0x2cc4, 0x2f59, 0xa9f8, 0xac61, 0x2ae5, 0x302b, 0x2924,
0xa82f, 0x1618, 0x2ae0, 0x1c90, 0x2cef, 0x24a0, 0x28ad, 0x285c,
0x253c, 0xacc7, 0x3bb5, 0xa53e, 0xa861, 0xadbb, 0xb106, 0xaf89,
0x2c64, 0x2a62, 0x2473, 0xac90, 0x3c7e, 0x2c27, 0x2c3a, 0x26d8,
0xa45e, 0xa18b, 0x2f5c, 0xaa60, 0x2aad, 0xad94, 0x3bdd, 0xa34d,
0x2f3f, 0x1dfa, 0x2c73, 0xa500, 0xac52, 0xa7fe, 0x2c75, 0x301f,
0x295b, 0x2497, 0x2cc9, 0xa584, 0x1d50, 0xadd5, 0x29c4, 0x2d15,
0xabbe, 0xa045, 0xa89d, 0x1e90, 0xad32, 0x2bfa, 0x2e2d, 0xac46,
0xaa49, 0xb083, 0xa315, 0x29f0, 0x9e51, 0xa346, 0x2158, 0xac0a,
0x2d7c, 0xa540, 0xb252, 0xa080, 0x2f39, 0x2fb9, 0x3043, 0x283a,
0xae81, 0xb0ae, 0x30c5, 0x24a0, 0x1ba2, 0xab55, 0xa861, 0x2496,
0xa4d6, 0x2cf5, 0xae9f, 0xafe9, 0xac73, 0x2dc7, 0x2d37, 0xa50e,
0x3088, 0xaee0, 0xb057, 0xac3d, 0x2d2e, 0x2f2a, 0x2820, 0xaf52,
0xa79a, 0xae74, 0x29a3, 0x310e, 0x261d, 0xa1f6, 0xb2a3, 0xb065,
0x2d2f, 0x2838, 0x2e7d, 0xa75c, 0x3025, 0x2c30, 0xafb2, 0x22eb,
0x21c0, 0xa751, 0x2483, 0x28d3, 0x308c, 0xb09a, 0x91bf, 0x2bd4,
0x3b9d, 0x9aef, 0x28cf, 0x2899, 0xaeca, 0xaf73, 0x3076, 0x2dc3,
0xab45, 0xb00a, 0xa823, 0xa84f, 0x2a6c, 0x2531, 0x2fcb, 0x1f09,
0x32b4, 0xac39, 0xae0d, 0x267a, 0x3c26, 0xa8bf, 0x2bf4, 0x2331,
0xa90b, 0xad3f, 0x2c16, 0x2da8, 0x3001, 0xa738, 0x3bf1, 0x2bbb,
0x2862, 0xac7a, 0x21b0, 0x2066, 0xb366, 0xa471, 0x2b6c, 0xadf2,
0x297a, 0xa4fb, 0x2c80, 0xb046, 0xab0a, 0x285b, 0x2ad2, 0x2c6a,
0x9ee1, 0x30ff, 0xb51e, 0xaf42, 0xa98c, 0x2d55, 0x2ad6, 0xaefd,
0xa612, 0xae79, 0x2791, 0x2e47, 0x2f12, 0xabca, 0x20eb, 0x2ea3,
0x279e, 0x2c78, 0xa9ec, 0x9dc4, 0x266e, 0xae3a, 0xad0b, 0xa9e6,
0x2ce2, 0x2c3f, 0xabdc, 0x28f4, 0x2849, 0x2822, 0xab17, 0xab03,
0xa6c3, 0xa975, 0xa8fd, 0xa93b, 0xad55, 0x2587, 0x2837, 0x2cb5,
0xa797, 0x2c8a, 0xaf7f, 0x281c, 0xaa7c, 0x2b10, 0x9c8f, 0x2a25,
0x2e28, 0xa816, 0xaff3, 0xabd8, 0x3c1b, 0xad05, 0xaece, 0x2912,
0xa91b, 0xaf16, 0x1bc1, 0x2e6a, 0x2c8a, 0x307f, 0xa969, 0xb0ff,
0xaabc, 0xab57, 0x2be8, 0x2b14, 0xaa54, 0x9c0e, 0xa5d1, 0x2cbd,
0x3ad2, 0x2ac8, 0x2f1e, 0x30d0, 0x9d1b, 0xb098, 0xa6bd, 0xadf1,
0x27ee, 0x305c, 0x3bba, 0x2be5, 0x9f99, 0xa079, 0xa615, 0xa41e,
0x322f, 0xa630, 0xb019, 0xaab4, 0xa9d3, 0xb097, 0x2adc, 0xa8a2,
0xb1e1, 0x3074, 0xad09, 0xa0b6, 0x333e, 0xa94e, 0xb03c, 0x2d19,
0xb216, 0xa7e8, 0x24dd, 0x2c9c, 0xae54, 0xb1a2, 0xab05, 0xaf63
};
static const uint16_t in_polynomial_param[113] = {
0x2c7f, 0xab95, 0x2664, 0xa669, 0xaa7c, 0xac74, 0xa540, 0xac54,
0x27c0, 0x2ed2, 0xaaa5, 0xafcc, 0xa62c, 0xa9a5, 0xad49, 0x28af,
0xab31, 0xa81d, 0x3025, 0xac06, 0xadcd, 0x209e, 0xa912, 0x2c44,
0xac97, 0x2ca3, 0xa3ac, 0xa9c4, 0xa29f, 0x2695, 0xa9e7, 0x2c04,
0xac80, 0xa854, 0x245f, 0x1f24, 0xac5f, 0xa598, 0x2862, 0x296f,
0xa059, 0xae69, 0x1c8d, 0xac85, 0x9c5d, 0x281d, 0xa534, 0x86a,
0xa81d, 0x291a, 0x3c2f, 0x19af, 0x2dde, 0xa82d, 0xa954, 0x22d5,
0xa47d, 0x2951, 0xa248, 0x2300, 0x3c24, 0x1748, 0xa1f5, 0x9c9a,
0xa466, 0x2f89, 0x2f09, 0xa9fe, 0xa581, 0xa71e, 0x3c0c, 0xa0a0,
0x283f, 0xa9cb, 0xa4da, 0xa9a4, 0x2729, 0xa7c9, 0x9d71, 0x2c31,
0x3c08, 0xa73b, 0xaae5, 0xac4c, 0x27c6, 0x278d, 0xaf0d, 0x2d00,
0x1a65, 0x2ce4, 0x3c12, 0x2678, 0xa796, 0x25ce, 0xa8b4, 0xad4a,
0xa8a7, 0x2b5b, 0xae45, 0xad1b, 0xbc00, 0xbc00, 0xb48e, 0xbc00,
0xbc00, 0x348e, 0x3c00, 0x3c00, 0x3c00, 0x3c00, 0xbace, 0x3c66,
0x2e66
};
static const uint16_t in_polynomial_dims[7] = {
0x0002, 0x0000, 0x0001, 0x0064, 0x000A, 0x000A, 0x0003
};
static const uint32_t ref_polynomial[100] = {
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000001, 0x00000001, 0x00000000, 0x00000000,
0x00000001, 0x00000001, 0x00000001, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000001, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000001, 0x00000001,
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000001, 0x00000001, 0x00000000, 0x00000000,
0x00000001, 0x00000000, 0x00000000, 0x00000001,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000001, 0x00000001,
0x00000001, 0x00000000, 0x00000001, 0x00000001,
0x00000001, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000001, 0x00000000, 0x00000001, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000001, 0x00000000,
0x00000001, 0x00000001, 0x00000000, 0x00000000
};
static const uint16_t in_rbf_val[1000] = {
0x2c2d, 0x31b1, 0x2f4b, 0xa54b, 0x2511, 0x2a77, 0x2d47, 0x2a0c,
0xa771, 0x229d, 0x20b1, 0x2cf6, 0xab83, 0x2c3f, 0xae08, 0xaefe,
0x2ce3, 0xa732, 0x2924, 0x2970, 0x3bea, 0x2972, 0x2c31, 0xa162,
0x28ba, 0xa689, 0x9998, 0xa96a, 0x30ba, 0x2700, 0x3c71, 0xac6c,
0x2a11, 0xb1f4, 0xadb0, 0x2211, 0x2e37, 0xa8d0, 0xb17c, 0x2cbf,
0x3b69, 0x23dd, 0x2747, 0xac6a, 0x280b, 0xaff3, 0x24e3, 0x25ab,
0x28c7, 0xab06, 0x149b, 0x22e5, 0x22f6, 0xac57, 0xae0c, 0xa5f1,
0xac82, 0x2a73, 0x3156, 0xadcc, 0x3c61, 0xb297, 0xaaa2, 0x9bd5,
0x2ef5, 0xb23a, 0x3049, 0xa9a1, 0x29f0, 0xa48e, 0x3c9f, 0x2899,
0xaf5f, 0xac23, 0xad0e, 0xacac, 0xa17d, 0xabcc, 0x2fdb, 0xab41,
0x3b17, 0x2c04, 0x2adc, 0xa2ae, 0x8808, 0xadd5, 0x341f, 0xa767,
0x2c75, 0xa89d, 0x3af9, 0x2ca8, 0x2cee, 0xaf93, 0x9355, 0x2d36,
0xaf0f, 0x2329, 0x2e34, 0x2ef3, 0x2e65, 0xa825, 0x9f95, 0x2bff,
0xa39b, 0xa620, 0xa0ab, 0xad20, 0x28a0, 0x155f, 0x3bec, 0x2083,
0x24e6, 0x29c4, 0xaa39, 0xb0b3, 0x2e72, 0x2e41, 0x2b58, 0x18c9,
0xa7f3, 0x30d3, 0x2d77, 0xa919, 0x2f56, 0xb1f8, 0xa9c1, 0xabfe,
0xa512, 0xa4d1, 0x3b4a, 0x301a, 0xabde, 0x2f6c, 0x9fd6, 0x26cb,
0xb13b, 0x286a, 0x2db5, 0x2fec, 0xaaac, 0xa5b4, 0xadc3, 0x2667,
0x28bb, 0x23ff, 0x27a7, 0xa4dd, 0x2812, 0x9fa9, 0xae5e, 0xa8fd,
0x28ed, 0x2eb0, 0xa88e, 0x22d3, 0xb0da, 0xb435, 0x2ce2, 0x25b0,
0xb226, 0x2223, 0xaf18, 0xaf66, 0x255b, 0xa3a6, 0xa8c3, 0xaa37,
0x3063, 0x2eb0, 0xadec, 0xb0bd, 0x28dd, 0xa6f0, 0x1704, 0x2f2a,
0xade1, 0xac1c, 0x2d90, 0x18cb, 0xacda, 0x25b5, 0xa4f4, 0x2d37,
0x1aea, 0x23e7, 0x14a2, 0xb0f9, 0xaa11, 0xaa92, 0x2a7b, 0xad79,
0x2e62, 0x301b, 0x2f68, 0xadbe, 0xaa86, 0x2c3b, 0x2a9d, 0x1d9b,
0x2c8c, 0xaf5f, 0xacd5, 0xa17b, 0x2653, 0x2ab3, 0x287b, 0x2b04,
0x1ddf, 0xa820, 0x3bbd, 0xa5ef, 0xb12a, 0x29e6, 0x2c6f, 0x2e77,
0xa598, 0x2f49, 0x2ce0, 0x2674, 0x3be0, 0xab71, 0x2fa9, 0x2b25,
0x2c44, 0x2d4f, 0xac6c, 0x29ac, 0x28b8, 0xac81, 0xad18, 0xb117,
0xa4e5, 0xa7e9, 0x3331, 0xa886, 0x2584, 0x26dd, 0xb20b, 0xa5a5,
0xa6fb, 0xa4b1, 0xaaf0, 0xacbb, 0x9f80, 0xad8c, 0x3066, 0xaa92,
0xb0a7, 0xac1a, 0xae16, 0xaac6, 0x2d6c, 0xac06, 0xabc9, 0xa8b7,
0x2aff, 0xac3d, 0xadb6, 0xac3b, 0xae15, 0xb085, 0xa4b7, 0xa828,
0x2844, 0x2ee0, 0x2d5b, 0x2b07, 0x2cad, 0x1744, 0xa59c, 0x2a2b,
0xac5c, 0xa7ab, 0x1c2a, 0x2af5, 0xacf6, 0xa82b, 0x2ad9, 0xb167,
0x3bd6, 0x2bf2, 0xae18, 0xabf6, 0xac47, 0xa1ca, 0xa603, 0xaef8,
0xb190, 0x2a97, 0x3b3c, 0xad68, 0x2e95, 0x2d30, 0xb026, 0x26ae,
0x29bb, 0x2e2d, 0xa54e, 0xa922, 0x3b15, 0xa610, 0x9c17, 0x9493,
0xa3d9, 0xac0d, 0xb1fe, 0xac5a, 0xac67, 0x2cff, 0x3ca7, 0xa5dc,
0x297c, 0x2ed1, 0x25c6, 0xa908, 0xad68, 0x2fda, 0x2804, 0xae4c,
0x8980, 0x2363, 0x2a12, 0xb012, 0x2c7c, 0xaea7, 0x2a3c, 0x2aa0,
0x3183, 0xabca, 0xaced, 0xb01b, 0x2ad8, 0xad99, 0xb0f5, 0x29ce,
0x2c1f, 0x2be6, 0x2ded, 0xb091, 0x3c33, 0xab67, 0x2d64, 0x3169,
0x2694, 0x2909, 0x28d3, 0x8c18, 0xa83d, 0x1da5, 0x3c14, 0x25b2,
0x27ba, 0x2a64, 0xa70d, 0xad04, 0x2e8a, 0xa0f0, 0xb258, 0xa808,
0x3c63, 0xb064, 0x2e15, 0x27e1, 0x2e60, 0xaebe, 0x2c74, 0x262e,
0x28be, 0x2b3f, 0x3c27, 0xa9ed, 0x28e0, 0x2c8d, 0x2cd7, 0x257e,
0x9de0, 0xaa49, 0xaab0, 0x2866, 0xafe2, 0xabeb, 0x3114, 0xae16,
0x279f, 0x2153, 0x2d96, 0xa40b, 0xa8fa, 0xa61c, 0x98d6, 0x2c25,
0xabe9, 0x17bd, 0xaca1, 0x2b40, 0x3282, 0x203d, 0x26ee, 0xa316,
0x3c04, 0x28ba, 0x1529, 0x2ca2, 0xac49, 0x202f, 0xac09, 0xb050,
0xac27, 0x3081, 0x3ba8, 0xae02, 0xb262, 0x1c74, 0x30fa, 0xa2e3,
0xad8d, 0x307b, 0x2ea0, 0x2ce7, 0x2e80, 0xb0ac, 0xa52b, 0xaca4,
0xacfb, 0x3067, 0xac19, 0x2708, 0x3152, 0xb0ea, 0x3c44, 0x2925,
0xafe6, 0x2986, 0xb066, 0x2b78, 0xae11, 0x3367, 0xae86, 0xacac,
0xb26d, 0xae35, 0xa17f, 0xac86, 0xadbf, 0xa876, 0x2594, 0x2a70,
0x9c6a, 0x30bf, 0x3bf8, 0xa9b2, 0xa88a, 0x30dc, 0x25bf, 0x9f4c,
0x2ea7, 0x2db2, 0x9cb2, 0xaad9, 0xa7f0, 0xadc8, 0x2b05, 0x2596,
0xaea8, 0x274e, 0xafa0, 0xab7f, 0x2a5c, 0x2b29, 0x2851, 0x31bf,
0x9f80, 0xa9d3, 0x2841, 0x2e69, 0x202b, 0x2d21, 0xabe4, 0xb0a4,
0x3c19, 0xa433, 0xac1b, 0x2c94, 0x3120, 0xa588, 0xa8b1, 0xb01c,
0x31e1, 0x24a0, 0x3bf4, 0x2c7d, 0x2ebe, 0x200e, 0x2c54, 0x2ea5,
0xacab, 0x2f69, 0xaea4, 0xb017, 0x3b6f, 0x289c, 0x2f93, 0xa4ca,
0xaac6, 0xb237, 0x2a15, 0xa9db, 0xa9f1, 0x2860, 0xab26, 0x27a6,
0xac92, 0x280e, 0xa9f7, 0x1c48, 0x23a0, 0x2c68, 0xb05b, 0xad66,
0x278a, 0x2c92, 0x2a8c, 0xad41, 0xaaf8, 0x3127, 0x2587, 0xa5dc,
0xac59, 0x24b5, 0x2fe0, 0xa43f, 0x2e6d, 0xa9a5, 0xb022, 0xa55a,
0x2d72, 0x1eff, 0xacd1, 0x2d79, 0x3b6d, 0x2363, 0xa66c, 0x3293,
0x31bc, 0x28ed, 0xad1a, 0x9d27, 0x30fd, 0xac65, 0x3b0e, 0xa371,
0xa517, 0x312b, 0x2deb, 0xacbc, 0x2f5f, 0xa98c, 0xb18f, 0x2bc9,
0x2911, 0x2c32, 0xac07, 0xaa4c, 0xac55, 0x2cb4, 0x9081, 0xaa7b,
0x312b, 0x2714, 0x3c73, 0xad82, 0x303b, 0x99d9, 0x2d9c, 0xa236,
0x2e96, 0xadc2, 0x28bc, 0x2c4f, 0x3be3, 0xab8a, 0xaf8c, 0x2ff6,
0xafd3, 0x296b, 0xa380, 0x2a6b, 0x29f4, 0x2441, 0x2e06, 0xadf5,
0x27d6, 0xa82e, 0xa9e3, 0x22d3, 0xa9c3, 0xa958, 0xa720, 0x2912,
0x3c6d, 0x9b88, 0x2c51, 0x1f3b, 0xa7b2, 0x2d3e, 0x9046, 0xabf8,
0x183b, 0xacac, 0x2b96, 0xaf42, 0xa8af, 0x1e49, 0xa5c3, 0x27e7,
0x257d, 0x1b06, 0xac95, 0xb065, 0x3b56, 0xa365, 0x2f69, 0x2d97,
0x2e18, 0xa856, 0xa434, 0x2537, 0x25d8, 0xb030, 0x2b8a, 0xac14,
0xae3e, 0x245b, 0x2aae, 0xa3ac, 0xa30d, 0xad5a, 0x30e7, 0xb3bf,
0x3c86, 0xa7a3, 0xad78, 0x2c21, 0x2af7, 0x305d, 0xa7f3, 0x2b35,
0xa7c8, 0x2166, 0x3c24, 0x2b82, 0x289c, 0xb028, 0x2cfb, 0x2870,
0xc03, 0x2e75, 0x310a, 0xb354, 0x3bf9, 0x21e7, 0x2e74, 0xa53f,
0x28ea, 0x2c7f, 0x2a49, 0x2bcd, 0xadb4, 0x25d5, 0xab5f, 0xa4f2,
0x29f7, 0x29d3, 0xade5, 0xb304, 0x2e0c, 0xad06, 0xaba3, 0xaa6c,
0x2a23, 0x2080, 0x2e31, 0xad47, 0x2f54, 0x2cf6, 0xa60a, 0xafe5,
0xa827, 0xadcb, 0xa9ae, 0x2c55, 0x2fdb, 0x9780, 0x2848, 0x98d5,
0xab2e, 0x3266, 0xafeb, 0xa824, 0x2939, 0xace3, 0xa3c5, 0xb052,
0x2cd0, 0xa453, 0xb0ac, 0x3266, 0x271e, 0x2ccd, 0x2929, 0x28dc,
0x2b9a, 0x2ad6, 0xb02e, 0x2f16, 0xabf0, 0xad49, 0x2945, 0xae65,
0xa8e9, 0x2896, 0xafa9, 0x27b0, 0xa6d3, 0xb293, 0x2842, 0xa7cc,
0x2a8e, 0x2c1b, 0x3c62, 0xade4, 0xa822, 0xa1ed, 0xb056, 0xa0d8,
0x288c, 0x2ff1, 0xb130, 0x28d4, 0xacf8, 0x2ac2, 0x3234, 0xacf7,
0x2a91, 0xa02e, 0xac84, 0x2769, 0x23ef, 0xa5d1, 0x3c2b, 0x21ae,
0x9239, 0xadfd, 0xb023, 0xaca5, 0x262d, 0xb34a, 0xa711, 0x2678,
0xa846, 0xa78f, 0x2516, 0x2cd0, 0xa871, 0x8e79, 0x28cd, 0x9bd6,
0x97a8, 0x1fd1, 0x23ca, 0xae04, 0xb0c9, 0xab37, 0x2de3, 0x2fe7,
0x3004, 0x9e40, 0x2d56, 0x2426, 0x3c22, 0xb05b, 0xacf7, 0xaf90,
0x328c, 0x2ed9, 0xa943, 0x2d63, 0xae07, 0xa6d0, 0x3c07, 0xa8bf,
0x20f2, 0xa415, 0x2171, 0x29dd, 0xa6c6, 0x3081, 0xadf4, 0xad98,
0x3bd6, 0xa865, 0xa9ec, 0x2535, 0xaee3, 0xaf1d, 0xab33, 0xa564,
0xac47, 0x2d4e, 0xb34b, 0x2742, 0xa5d5, 0x2b67, 0xafc8, 0xac6f,
0x27cf, 0xa156, 0x282c, 0x26b7, 0x3c2d, 0x2c1c, 0xb1c0, 0x283a,
0x24d9, 0xa9d3, 0x2c94, 0xa86f, 0x2f55, 0xa061, 0x241b, 0x2bf7,
0x2c98, 0xa0ef, 0x2b42, 0x301c, 0x2477, 0x2c4f, 0x26be, 0x93e0,
0x18f7, 0xb007, 0xb1d5, 0x2c99, 0x2d7f, 0x2cd7, 0x2f0b, 0x20b2,
0x2d7d, 0xa7f9, 0xa809, 0x24aa, 0xad00, 0x2cc9, 0xae9a, 0x2d29,
0xa34f, 0x2637, 0x2965, 0x2813, 0x3ba9, 0xaa53, 0x3002, 0x2634,
0x9bcb, 0xabfa, 0xaf14, 0x2d7f, 0xad5a, 0x2464, 0x3bd8, 0xa8c6,
0xa6c3, 0xa507, 0xa610, 0x2433, 0xb229, 0xa827, 0x2dfe, 0x2454,
0x2881, 0x309f, 0x848b, 0x9fa2, 0xac09, 0x22ae, 0xa5a2, 0x304c,
0x3038, 0x2b87, 0x95fb, 0xa9c1, 0x2ff8, 0x2d08, 0xaa37, 0xa73d,
0xaa8e, 0x2c7f, 0xa9ea, 0x30a3, 0x310d, 0xac81, 0x2b07, 0xa814,
0xac40, 0x2ff8, 0x2d16, 0x25d1, 0xaedc, 0xad2b, 0xa1fb, 0x1e24,
0x2c97, 0x24b4, 0x2e25, 0xab30, 0xacb8, 0x2a35, 0xb0ba, 0x2944,
0x25ef, 0xa6fc, 0xa9e7, 0xaf71, 0x9fc2, 0xa40b, 0x2c1f, 0xae18,
0xa0a9, 0xa8af, 0xa5c9, 0x190, 0x1963, 0x3024, 0xa99d, 0x2fc6,
0xa3f7, 0x22e7, 0x2a11, 0xab60, 0xadf7, 0xb0be, 0x9d88, 0xa130,
0xa54b, 0xae0f, 0x2db7, 0x2a7e, 0x2ecf, 0xb09c, 0xadb8, 0xae88,
0x2d3b, 0x27f3, 0xa6c8, 0xa86d, 0x2ec2, 0xa8af, 0xa1f9, 0x2c50,
0xa939, 0xa7de, 0x2dac, 0x28cc, 0xb1b4, 0x9b18, 0x2400, 0x2d1c,
0xadfa, 0x2b30, 0x3b28, 0xafda, 0x2ddb, 0x2edb, 0xb0ee, 0xae84,
0x2aab, 0xa8a2, 0x30d4, 0x28fb, 0x3ac0, 0xa5bc, 0x2e36, 0x2927,
0x3226, 0xa56a, 0xaa70, 0x2f9d, 0x2d2b, 0x2edc, 0x1b1e, 0xb043,
0xa9b8, 0xa9f9, 0xb03f, 0xa5ee, 0xa51a, 0x2ba5, 0xaed1, 0x2fe9
};
static const uint16_t in_rbf_param[112] = {
0x2c7f, 0xab95, 0x2664, 0xa669, 0xaa7c, 0xac74, 0xa540, 0xac54,
0x27c0, 0x2ed2, 0xaaa5, 0xafcc, 0xa62c, 0xa9a5, 0xad49, 0x28af,
0xab31, 0xa81d, 0x3025, 0xac06, 0xadcd, 0x209e, 0xa912, 0x2c44,
0xac97, 0x2ca3, 0xa3ac, 0xa9c4, 0xa29f, 0x2695, 0xa9e7, 0x2c04,
0xac80, 0xa854, 0x245f, 0x1f24, 0xac5f, 0xa598, 0x2862, 0x296f,
0xa059, 0xae69, 0x1c8d, 0xac85, 0x9c5d, 0x281d, 0xa534, 0x86a,
0xa81d, 0x291a, 0x3c2f, 0x19af, 0x2dde, 0xa82d, 0xa954, 0x22d5,
0xa47d, 0x2951, 0xa248, 0x2300, 0x3c24, 0x1748, 0xa1f5, 0x9c9a,
0xa466, 0x2f89, 0x2f09, 0xa9fe, 0xa581, 0xa71e, 0x3c0c, 0xa0a0,
0x283f, 0xa9cb, 0xa4da, 0xa9a4, 0x2729, 0xa7c9, 0x9d71, 0x2c31,
0x3c08, 0xa73b, 0xaae5, 0xac4c, 0x27c6, 0x278d, 0xaf0d, 0x2d00,
0x1a65, 0x2ce4, 0x3c12, 0x2678, 0xa796, 0x25ce, 0xa8b4, 0xad4a,
0xa8a7, 0x2b5b, 0xae45, 0xad1b, 0xbc00, 0xbc00, 0xbc00, 0xbc00,
0xbc00, 0x3c00, 0x3c00, 0x3c00, 0x3c00, 0x3c00, 0x24a0, 0x2e66
};
static const uint16_t in_rbf_dims[6] = {
0x0003, 0x0000, 0x0001, 0x0064, 0x000A, 0x000A
};
static const uint32_t ref_rbf[100] = {
0x00000000, 0x00000000, 0x00000001, 0x00000001,
0x00000001, 0x00000000, 0x00000001, 0x00000001,
0x00000001, 0x00000001, 0x00000000, 0x00000001,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000001, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000001, 0x00000001, 0x00000001, 0x00000001,
0x00000000, 0x00000000, 0x00000001, 0x00000001,
0x00000001, 0x00000001, 0x00000000, 0x00000000,
0x00000001, 0x00000001, 0x00000000, 0x00000001,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000001, 0x00000001, 0x00000001, 0x00000000,
0x00000000, 0x00000000, 0x00000001, 0x00000001,
0x00000000, 0x00000001, 0x00000001, 0x00000000,
0x00000001, 0x00000000, 0x00000001, 0x00000000,
0x00000001, 0x00000001, 0x00000001, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000001,
0x00000000, 0x00000000, 0x00000001, 0x00000001,
0x00000001, 0x00000000, 0x00000001, 0x00000000,
0x00000000, 0x00000000, 0x00000001, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000000,
0x00000000, 0x00000001, 0x00000001, 0x00000000
};
static const uint16_t in_sigmoid_val[1000] = {
0xa6ef, 0xaaab, 0x2d52, 0xaba0, 0xa8d9, 0xacaa, 0xa74e, 0xa304,
0xa74d, 0x27ac, 0x3c38, 0xa5e7, 0x2495, 0x2645, 0xacd4, 0xb09e,
0xb4aa, 0xa94d, 0xa20c, 0xa9cd, 0xa9d0, 0xab7f, 0xa8af, 0x9157,
0xa7c7, 0x27e8, 0x1fd4, 0xa6d9, 0x9762, 0xab43, 0x309b, 0x264b,
0x2e57, 0x1ff2, 0x2ce8, 0xae01, 0xac44, 0xb060, 0x9a87, 0x2a6e,
0x3bdd, 0x1e0d, 0x30b7, 0x9e3b, 0xa59d, 0x2f69, 0xb463, 0xaf7b,
0xa464, 0xa52f, 0x3bca, 0x3151, 0x29db, 0xa1be, 0x2fc6, 0x9c39,
0xa00a, 0x2d7a, 0x2b21, 0x2fbb, 0xaf7a, 0x2c18, 0x2d57, 0xabd4,
0x268c, 0xa6eb, 0x2548, 0x2f22, 0xa3a6, 0xa843, 0x3c07, 0xa014,
0x2b1d, 0x28f4, 0xa817, 0xac92, 0x2c66, 0xa810, 0xab45, 0x3149,
0x3b51, 0x299d, 0x2e0a, 0xae03, 0xa887, 0x3005, 0xb14a, 0x2f6e,
0x9f23, 0xac9e, 0xb14c, 0xaffb, 0x2c4b, 0xaafa, 0xb172, 0x2e75,
0x162c, 0xb06c, 0x26a6, 0x214e, 0x3ae1, 0x2cb4, 0xa34d, 0xb02d,
0xa8a4, 0xa504, 0xaa03, 0x29c3, 0x2f1f, 0x2989, 0x3c3a, 0x2cf4,
0xb026, 0x2d84, 0xa600, 0xac93, 0x30c9, 0x2c0b, 0x314a, 0xaace,
0x20c1, 0xa6f0, 0x2ae3, 0xacd4, 0x2dc5, 0xb338, 0xac9e, 0xac33,
0xaa36, 0x2f40, 0xa753, 0xacfb, 0xaaf3, 0xa0ce, 0x287e, 0x2209,
0x2e2a, 0x2879, 0x2d4e, 0xb16c, 0x28c2, 0x33bd, 0xb0ae, 0x2c1c,
0xa9a4, 0xa829, 0x2d25, 0x2478, 0xaccc, 0x2e7d, 0x3c08, 0x2e93,
0xab58, 0x96cc, 0xac89, 0xaa3d, 0x306e, 0x26f5, 0x2c18, 0xac1d,
0x3c45, 0x260d, 0xabb2, 0x2343, 0xac57, 0xace5, 0xa957, 0x30ad,
0x3087, 0x86a0, 0x3bf1, 0x2fa6, 0x2cb3, 0x9f60, 0xaca7, 0x23c3,
0x29c7, 0xad29, 0x2dde, 0xacc3, 0x3b12, 0x2d87, 0x257e, 0xab95,
0xa8a4, 0xafea, 0xa558, 0x2b8e, 0x2d2a, 0x24b9, 0x2e40, 0xae78,
0x93c3, 0x3001, 0xac8f, 0x2f39, 0x1b34, 0xa5b4, 0xabfd, 0x2e02,
0x3cb1, 0x3263, 0xaddb, 0x92ba, 0x2a53, 0xa44c, 0xafe5, 0x312e,
0xa52c, 0xae44, 0xaf07, 0xa2b2, 0xacee, 0x20bd, 0x2d78, 0x9ba0,
0x2856, 0xa577, 0xabcf, 0x2828, 0x2aaa, 0x2dcb, 0xa9cd, 0x970f,
0xae38, 0x2760, 0xa423, 0x1e8e, 0x2db5, 0xaae9, 0x3c37, 0x2d2c,
0xb4d, 0xacbb, 0x2751, 0x2758, 0x2f29, 0x26c1, 0xa8aa, 0x32c7,
0x3c15, 0xadcb, 0x2290, 0xab5b, 0xac39, 0xaa3b, 0xa937, 0xaa1b,
0xa9af, 0x2ecb, 0x3c72, 0xacf7, 0x2bff, 0x2c90, 0x2c23, 0xb05c,
0x30c4, 0x243e, 0x2dad, 0x2611, 0x3bb3, 0x2bc6, 0x2d5d, 0x2af4,
0x2fd8, 0x22cb, 0xafbf, 0xa60e, 0xa5ef, 0x29fa, 0x3067, 0xa79d,
0xa907, 0xa50e, 0x1fc1, 0xafca, 0x2bdf, 0xa70b, 0xad7a, 0x329a,
0xade1, 0x30a3, 0x220d, 0xad5c, 0xab34, 0xa982, 0xa8d9, 0xab6e,
0xb07a, 0x2c24, 0x3bce, 0xb096, 0x249b, 0x1dea, 0x2b42, 0xa963,
0xaa35, 0x3220, 0x2d4b, 0x2284, 0x3bc9, 0xac98, 0x24fc, 0xb130,
0x2ea1, 0xaa6f, 0xa05c, 0x2e88, 0x144d, 0x2e98, 0x3c1f, 0xacda,
0x2b9b, 0x2970, 0x2582, 0x3178, 0x28c4, 0xa521, 0x1b00, 0xac72,
0x950c, 0xa853, 0x2d11, 0xab16, 0xae00, 0x2fa1, 0x2972, 0x30d8,
0xa544, 0xac57, 0x3b5f, 0x26e9, 0xae4b, 0xaa77, 0xaf22, 0x27be,
0xb03e, 0xa8b8, 0x3141, 0xb030, 0xa88c, 0xa1f3, 0xa81c, 0x30e0,
0xa830, 0xacd6, 0x2ddc, 0xacb8, 0xa6e2, 0x2bcb, 0x2e36, 0x2e52,
0xa6d2, 0xa9b9, 0x2fc9, 0x2ebf, 0x2dcf, 0x2e66, 0x268b, 0xac44,
0x1bc1, 0x293a, 0x21ed, 0xac53, 0x2741, 0x1ec5, 0xa727, 0xa4f9,
0x8e6d, 0x8b01, 0xb03e, 0x23c5, 0x2b93, 0x9012, 0x348e, 0x2298,
0x20e0, 0xa886, 0x190c, 0x1749, 0x2357, 0xa80a, 0x9a18, 0x2101,
0xb046, 0xa8ee, 0xa208, 0xb1dc, 0xacca, 0x29eb, 0x3aef, 0xad4c,
0xad2b, 0x29e3, 0xa222, 0xaa79, 0x2a48, 0x2d51, 0xac38, 0xad70,
0xa1a5, 0x2d2e, 0xaba8, 0x2a1d, 0x2aee, 0xa7e2, 0x2e6f, 0x30ea,
0xa90f, 0xb496, 0x3102, 0xa299, 0xae6a, 0x2492, 0x26cc, 0x2501,
0x2ab3, 0x2aa9, 0xadf4, 0x213e, 0x2c71, 0x8b42, 0x20d7, 0x2e59,
0x292a, 0xad6e, 0x2c31, 0x2c56, 0xb430, 0x9fb9, 0x3bc8, 0xa4a0,
0x2e83, 0xa94a, 0xab84, 0x2dd3, 0xaa93, 0xb09c, 0x2d3c, 0xa9db,
0x3b3f, 0x24d4, 0x1c90, 0xa8c3, 0x2e9c, 0xa757, 0xa85c, 0x2823,
0x13b2, 0x29c3, 0x3c23, 0xa6c5, 0xa275, 0xafbf, 0x3092, 0x291f,
0xae6c, 0x26f3, 0xaee9, 0x2f5b, 0x3c77, 0x2c0a, 0xaa66, 0xb0a5,
0xaa4b, 0x29bb, 0xa1c5, 0x2e31, 0xadb1, 0xa220, 0xa6e9, 0xac9b,
0x20be, 0x2b83, 0x2c3e, 0xab53, 0xae07, 0x316a, 0x2bea, 0xafa8,
0x3bc9, 0x9e7c, 0x2e41, 0x2e94, 0xa22c, 0x98c6, 0xaac6, 0xb084,
0xa73a, 0x2ce0, 0x264c, 0x2379, 0x2e09, 0xaf2f, 0x2469, 0x2a8a,
0x2b06, 0xb219, 0xa466, 0x2c8b, 0x3bdd, 0x29f3, 0x33ff, 0xa678,
0xa7c3, 0x3000, 0x2c28, 0xa9d2, 0xac05, 0x3056, 0x3001, 0x1c18,
0x2951, 0xb24c, 0xaeac, 0xacb0, 0x2213, 0x2869, 0x2737, 0x26f7,
0xa8e8, 0x2c30, 0xa5a1, 0x2b1a, 0xb002, 0x9178, 0x2d12, 0xa92d,
0x1c3c, 0x2dfe, 0x3b8c, 0x21a8, 0x27e0, 0x2a35, 0xae47, 0xa977,
0x2d54, 0xa66a, 0x9d40, 0x96ea, 0x3bcc, 0x1ef5, 0xaf4c, 0xa16b,
0x3184, 0x2df9, 0x2790, 0xac6d, 0x2943, 0xb0f7, 0x28ef, 0x27b1,
0x2e8f, 0x2abe, 0xaf30, 0x9bd1, 0x310b, 0xadf9, 0x2821, 0x2cbe,
0xace9, 0xa958, 0xada3, 0x2ed6, 0x2883, 0xab3b, 0x2e01, 0x2ad4,
0x1d6a, 0xaf82, 0x3ba2, 0x2db7, 0xafdc, 0x3140, 0xa9fa, 0xb0ed,
0xb1c7, 0x2b54, 0xa4d6, 0x2ba9, 0x20d5, 0x2d11, 0xa77e, 0xb355,
0x287f, 0x2ccc, 0x263b, 0x1d01, 0x2b68, 0xac68, 0x3b74, 0x2bee,
0xa9b5, 0xa591, 0xadc0, 0x2993, 0xadbe, 0xa9d1, 0xad19, 0xae0a,
0x3c58, 0xb02a, 0xa9e7, 0x302f, 0x2f35, 0xa214, 0x9e81, 0xac90,
0x265f, 0xabaa, 0x243c, 0x2a03, 0xa139, 0xb0e4, 0xacdf, 0xa586,
0x2507, 0xada2, 0x2939, 0x2a87, 0x3a44, 0xadfa, 0x28fc, 0xa5a5,
0x240c, 0x2cd0, 0xab73, 0xace0, 0xa8c7, 0xafd3, 0xafce, 0xb028,
0x2b5d, 0xa946, 0x9cad, 0x29f5, 0x272d, 0xa112, 0x288c, 0x31e6,
0x9cd7, 0xac40, 0x2ef0, 0x1c72, 0x2fca, 0xaeb8, 0x1f60, 0xa61d,
0x24ae, 0xa78b, 0x3c60, 0x1e06, 0x2fa9, 0xaedd, 0xaf4b, 0xace6,
0x2a1d, 0xaf7e, 0xaa4f, 0x1387, 0xacb7, 0x2cec, 0x1ee0, 0x2d51,
0xa415, 0xaaae, 0xa1bb, 0xacb4, 0x31c9, 0xb441, 0x2710, 0x300d,
0x326f, 0x287c, 0xa830, 0xa912, 0x2ced, 0xad82, 0x98cd, 0x280c,
0x3066, 0xb0c3, 0x3009, 0x28ad, 0xa957, 0xab48, 0xb12e, 0xab89,
0x3153, 0x3098, 0x298a, 0xb1dc, 0x2e82, 0xadd9, 0xa936, 0xac93,
0x2cb7, 0x2b27, 0x28b9, 0x1696, 0x2ad7, 0xa06c, 0x2cc2, 0x26c9,
0x2c36, 0xad04, 0x27a1, 0x263f, 0xaf8e, 0x3038, 0x3c18, 0xa88f,
0xacd1, 0x24d6, 0x254f, 0x28fb, 0x9cb2, 0x2d44, 0x9af3, 0x2634,
0x267f, 0xb13f, 0xaca1, 0x2ca1, 0xaf26, 0x2960, 0x2966, 0x2c11,
0x240d, 0xa077, 0x3c1f, 0x3091, 0x2983, 0x2d05, 0x2a0b, 0xa833,
0x2e04, 0xb0cf, 0xa0f5, 0x2b2b, 0x3c3b, 0x2a57, 0x2281, 0x26fa,
0xae0e, 0xa76d, 0x301b, 0xae55, 0x2eac, 0x2cb3, 0x3c39, 0xb099,
0x236c, 0xb2d6, 0x2912, 0x2a76, 0xaa3a, 0x2a72, 0x2c49, 0xb147,
0x2bc8, 0xa86a, 0xa0d0, 0x2e83, 0xae21, 0xb059, 0x2fc5, 0x9f38,
0xa2ee, 0x2c9f, 0x3c26, 0x2bd2, 0xac2b, 0x3197, 0x2ae9, 0x2e5d,
0xae26, 0xac2b, 0xa8e9, 0x22cf, 0x3b98, 0x23b5, 0x2a5a, 0x243d,
0xad56, 0xa932, 0x26b0, 0xa965, 0xaa96, 0xa639, 0x3bce, 0x99fc,
0xa52e, 0x9b2b, 0x3004, 0xaca6, 0x2dcf, 0xabf4, 0x9f25, 0xa1a7,
0x3c5d, 0x17fe, 0x2958, 0x313f, 0xaeeb, 0xa455, 0x300a, 0x2c0d,
0x30c6, 0x9980, 0xa1ac, 0xad22, 0x2e0e, 0x2c08, 0x2d93, 0x302c,
0xabf8, 0x2969, 0x2d72, 0x28a6, 0x2e90, 0x28ee, 0xa064, 0xaba6,
0xaa77, 0xaf79, 0x2cf5, 0xab80, 0xa080, 0x2fde, 0x3beb, 0xa53d,
0x325c, 0xb323, 0xade3, 0x2d8f, 0xad3e, 0x2a54, 0xb194, 0xb1aa,
0xa006, 0x3067, 0xadb8, 0x3013, 0x96b7, 0xaa1d, 0xad12, 0xafd3,
0xaa76, 0x195b, 0x299c, 0x28ce, 0xae5f, 0xa270, 0xa416, 0xaa4f,
0x329e, 0x30a3, 0xb26f, 0x2bf7, 0xad81, 0x2c4d, 0x2875, 0x280a,
0x315a, 0xa997, 0x2913, 0xa46d, 0x26ba, 0xacae, 0x3c7c, 0x2a49,
0xb216, 0x22bd, 0xad2e, 0x2f30, 0x2679, 0x2da5, 0xa543, 0x2ce4,
0x3bfd, 0x26f5, 0x2a21, 0x28b9, 0x30bd, 0x960f, 0xa10b, 0x265b,
0x2c33, 0xb236, 0x3bee, 0xabea, 0x31c2, 0xad50, 0xac13, 0x3215,
0xad77, 0xac55, 0xa2cd, 0x2326, 0x28de, 0xacbc, 0xb046, 0x20bb,
0xaeec, 0xa677, 0xb152, 0x30c4, 0x21e6, 0x29e1, 0x2d96, 0xa7a8,
0xa50a, 0x2248, 0x2c1c, 0xab9e, 0x2308, 0x2cdc, 0xabe3, 0xae35,
0xafb2, 0x2894, 0x99bc, 0xb058, 0x29b8, 0xac16, 0x1cdd, 0x2a69,
0xacf5, 0x2fe3, 0x296a, 0xac3b, 0x2ee2, 0x275b, 0xa8b5, 0x28b6,
0x2d36, 0xa9bc, 0x311b, 0x301a, 0x292a, 0xabc7, 0x2c7c, 0x2d3f,
0xabbc, 0x22be, 0xac11, 0xaddf, 0x2b3d, 0x2d80, 0x3bbb, 0x2e1a,
0x2725, 0xb28f, 0x206f, 0x21ff, 0xa6b8, 0x3258, 0xa8cb, 0xa08a,
0x3c4c, 0x24cc, 0xa9df, 0x2ec2, 0xb0d4, 0xac8e, 0xab3d, 0x2ce1,
0xab81, 0x30e7, 0x3b98, 0xae1b, 0xac23, 0x26e0, 0x2cdd, 0x2cc2,
0x2e69, 0x2d5a, 0x2ac1, 0x2e7f, 0x3c43, 0x2ab8, 0x2eb3, 0xae27,
0x2818, 0x2e3a, 0x2d50, 0x2f2c, 0xaf64, 0x2d29, 0x3c7d, 0xb26a,
0x96ea, 0xa588, 0xa1ec, 0xa939, 0x2e9d, 0x2646, 0xa7a6, 0xa91d
};
static const uint16_t in_sigmoid_param[113] = {
0x2c7f, 0xab95, 0x2664, 0xa669, 0xaa7c, 0xac74, 0xa540, 0xac54,
0x27c0, 0x2ed2, 0xaaa5, 0xafcc, 0xa62c, 0xa9a5, 0xad49, 0x28af,
0xab31, 0xa81d, 0x3025, 0xac06, 0xadcd, 0x209e, 0xa912, 0x2c44,
0xac97, 0x2ca3, 0xa3ac, 0xa9c4, 0xa29f, 0x2695, 0xa9e7, 0x2c04,
0xac80, 0xa854, 0x245f, 0x1f24, 0xac5f, 0xa598, 0x2862, 0x296f,
0xa059, 0xae69, 0x1c8d, 0xac85, 0x9c5d, 0x281d, 0xa534, 0x86a,
0xa81d, 0x291a, 0x3c2f, 0x19af, 0x2dde, 0xa82d, 0xa954, 0x22d5,
0xa47d, 0x2951, 0xa248, 0x2300, 0x3c24, 0x1748, 0xa1f5, 0x9c9a,
0xa466, 0x2f89, 0x2f09, 0xa9fe, 0xa581, 0xa71e, 0x3c0c, 0xa0a0,
0x283f, 0xa9cb, 0xa4da, 0xa9a4, 0x2729, 0xa7c9, 0x9d71, 0x2c31,
0x3c08, 0xa73b, 0xaae5, 0xac4c, 0x27c6, 0x278d, 0xaf0d, 0x2d00,
0x1a65, 0x2ce4, 0x3c12, 0x2678, 0xa796, 0x25ce, 0xa8b4, 0xad4a,
0xa8a7, 0x2b5b, 0xae45, 0xad1b, 0xbc00, 0xbc00, 0xbc00, 0xbc00,
0xbc00, 0x3c00, 0x3c00, 0x3c00, 0x3c00, 0x3c00, 0xb3f7, 0x0,
0x2e66
};
static const uint16_t in_sigmoid_dims[6] = {
0x0004, 0x0000, 0x0001, 0x0064, 0x000A, 0x000A
};
static const uint32_t ref_sigmoid[100] = {
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000001, 0x00000001, 0x00000000, 0x00000001,
0x00000001, 0x00000000, 0x00000001, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000001, 0x00000001, 0x00000001, 0x00000000,
0x00000001, 0x00000000, 0x00000000, 0x00000001,
0x00000001, 0x00000001, 0x00000001, 0x00000000,
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000001, 0x00000001, 0x00000001, 0x00000000,
0x00000001, 0x00000000, 0x00000001, 0x00000000,
0x00000000, 0x00000001, 0x00000001, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000001,
0x00000001, 0x00000000, 0x00000001, 0x00000000,
0x00000000, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000000, 0x00000001, 0x00000001, 0x00000001,
0x00000001, 0x00000000, 0x00000000, 0x00000001,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000001, 0x00000001, 0x00000000, 0x00000000,
0x00000000, 0x00000000, 0x00000000, 0x00000001,
0x00000001, 0x00000001, 0x00000001, 0x00000001
};
static const uint16_t in_oneclass_val[1000] = {
0xaea2, 0x2075, 0xa9b2, 0x3075, 0xac64, 0xa439, 0x268b, 0x32f8,
0x3530, 0x2c50, 0x2c03, 0x305e, 0xa8b9, 0xaec9, 0xa028, 0x2b4d,
0x1ec7, 0x2b2f, 0xa1d4, 0x2996, 0x3be5, 0x30aa, 0xb05e, 0xa5b5,
0xa8e7, 0xa58f, 0x26e3, 0x257d, 0x2993, 0x2cfd, 0x3b68, 0xb109,
0x23af, 0x321b, 0xac45, 0xb2ec, 0x3049, 0xaf44, 0x2136, 0xb4d1,
0x3c4a, 0xb04e, 0xaf99, 0x2e66, 0x2902, 0xac8b, 0x28b1, 0xad84,
0x3086, 0x2c19, 0xb090, 0x30d4, 0xabb9, 0x1dcf, 0xa07c, 0xad50,
0xae50, 0x2a12, 0x2cc1, 0xaae0, 0xac65, 0x1624, 0xae57, 0x28da,
0x3185, 0xabed, 0x25ee, 0xad3d, 0xafb2, 0xb043, 0x3b55, 0xa892,
0xaeba, 0xb001, 0x2be1, 0xae07, 0xa9ca, 0xa051, 0x2d49, 0x2658,
0xb1e4, 0xa438, 0x941c, 0xada1, 0x2f26, 0xa919, 0xace5, 0xb0c8,
0xae58, 0xad6f, 0x27db, 0x2405, 0x281f, 0x28e8, 0x2ca7, 0xa91c,
0x25ff, 0xb486, 0x2daa, 0x31bf, 0xae1f, 0xacfc, 0x2710, 0x301d,
0xa9d7, 0xb040, 0xac8a, 0x2af5, 0x9b3e, 0x2013, 0x2463, 0x3048,
0x229f, 0x9965, 0xa916, 0x27fb, 0x2b1a, 0xaea6, 0xb226, 0xb2d2,
0x3b25, 0x27bc, 0xae2f, 0xac49, 0xaaae, 0x2cde, 0x2c1f, 0x2f11,
0xb055, 0x28a1, 0xad17, 0x290e, 0xa410, 0x2961, 0x2bf1, 0x3039,
0x270d, 0x301f, 0x2c1f, 0xa32f, 0x2d10, 0xa67c, 0x2ca2, 0xada8,
0xaebd, 0xac5f, 0x26ef, 0x2349, 0x2ec5, 0x24b6, 0x9cf2, 0xa992,
0x2db4, 0xa83d, 0xafed, 0x2697, 0x2b64, 0x2028, 0xabdf, 0x2829,
0x2c6b, 0xaa83, 0xaa20, 0x2f07, 0xade3, 0x2e01, 0xa6e5, 0x2639,
0xac69, 0x329a, 0xac9f, 0x2969, 0x1c07, 0xaaa4, 0x2e97, 0xa8f0,
0x2eb5, 0xae53, 0x2c55, 0x994b, 0x14ea, 0x2d52, 0xa484, 0xadf1,
0x2e7b, 0x9f11, 0x2b6e, 0xa65d, 0xa90b, 0xa92d, 0xa892, 0x266a,
0xab99, 0x24fb, 0xa867, 0x2da6, 0xaabc, 0x22e4, 0xb048, 0xae15,
0x3bea, 0x1abc, 0x2886, 0x1897, 0x2d4b, 0xaf87, 0xaf3c, 0x285e,
0x95f1, 0x30c3, 0xa79f, 0xa8ef, 0xb007, 0xabc9, 0x2191, 0xa975,
0xa836, 0x2d45, 0x2fe5, 0xa403, 0xa3f5, 0xad14, 0x25a6, 0x2bd3,
0x2d0e, 0xad09, 0x2e6e, 0x2d6b, 0xa113, 0x2ca9, 0xad73, 0xadde,
0x2ceb, 0x1eaa, 0x9cab, 0xaaf6, 0xa423, 0xa42b, 0x29e2, 0xa141,
0xac0c, 0x2f6c, 0x2d7d, 0x2d92, 0x2d79, 0xac9e, 0x220d, 0x2d9d,
0xb0a4, 0xb1c7, 0x3074, 0xad39, 0xa85a, 0x273a, 0xb0f1, 0x29d3,
0xabd0, 0xa927, 0x2726, 0xac16, 0x2899, 0xa428, 0x2598, 0x246e,
0xaf9c, 0xab4a, 0x29f0, 0x2d18, 0xad6e, 0x26bf, 0x3cb5, 0x25a1,
0xa994, 0x9ec5, 0xabba, 0x281e, 0x2de2, 0x2600, 0x28b0, 0x2913,
0xa1d0, 0x982d, 0x28cf, 0x2875, 0xb0ce, 0xa97e, 0xa985, 0x2926,
0xb221, 0x21e0, 0x2e96, 0x1909, 0x2db8, 0x30e9, 0x30d3, 0xae0d,
0x2dbf, 0x2c6c, 0x26cf, 0x2920, 0x3c5d, 0x2607, 0x27b2, 0x2954,
0x3142, 0xaed7, 0x2e00, 0x9a39, 0xa6d7, 0x98a9, 0x27ed, 0xaf14,
0x26d4, 0x2d08, 0x2d17, 0xa0ce, 0xa7ab, 0xaba2, 0xb10d, 0x245b,
0xab3e, 0x305f, 0x2786, 0xaa08, 0xa334, 0x20f2, 0xa312, 0x2039,
0xafb9, 0x281a, 0x2822, 0x2c3f, 0x2c19, 0xaf5e, 0xab46, 0x27ee,
0x2df9, 0xa8de, 0x2d23, 0x9f50, 0xa5e9, 0x317b, 0x276e, 0xaffe,
0x2a8c, 0xa780, 0xa839, 0x3063, 0xac66, 0x340c, 0xa911, 0x2dfd,
0xb1e3, 0x2a70, 0x25d1, 0x2b02, 0x2d80, 0x9cce, 0x2c91, 0xaaf5,
0x2da7, 0x2c65, 0xa9fa, 0x2807, 0x2e53, 0xa39e, 0x30db, 0x9a7b,
0x25a1, 0x2221, 0x2dc2, 0xa85a, 0xad79, 0x206e, 0x3025, 0x28ad,
0x2d6b, 0xad88, 0x1a72, 0x3240, 0x20b0, 0xa6ce, 0x25cc, 0x22a5,
0x2d71, 0xa8f7, 0x277e, 0xa608, 0x13e8, 0xaadd, 0x2a00, 0x2111,
0xa0e8, 0x24d9, 0x2df3, 0x2815, 0xac3c, 0x2c54, 0xadac, 0x2813,
0x2d88, 0xacf4, 0x29df, 0x3133, 0xad4d, 0x2092, 0x2db8, 0x339f,
0x26d1, 0x2da4, 0xa97a, 0x9a38, 0x27dd, 0x2b33, 0x2d6e, 0xb095,
0xa9e2, 0x2ede, 0x31cc, 0x2e8c, 0x2fe1, 0x1862, 0xafad, 0xa5ab,
0xaf6f, 0x2b45, 0xad35, 0x288a, 0xb041, 0xa670, 0x3aee, 0x2a99,
0xad7e, 0x2f32, 0xa4d3, 0xa3a4, 0x2937, 0x3150, 0x29c4, 0xa6dd,
0x244d, 0x2a5a, 0xab3e, 0xadf2, 0xb0e1, 0x2c48, 0xa8be, 0x2aa5,
0xaf57, 0x2c78, 0x2b4c, 0x2dc8, 0xa705, 0x9d87, 0x2cb9, 0x2d3b,
0xb120, 0x297c, 0xa477, 0xaa55, 0xa5bb, 0x225d, 0xace2, 0x2e15,
0x25ca, 0x9d23, 0xb191, 0x2618, 0x2cee, 0x2cc5, 0x2daf, 0x3016,
0xaf0c, 0x24cf, 0x2f8b, 0xab60, 0xaddb, 0xafe1, 0x216d, 0xae7f,
0x3beb, 0xafcf, 0xb186, 0xafc0, 0xac6f, 0x2320, 0xa969, 0xa5c2,
0xac92, 0xa7dc, 0x3a6a, 0x9e0e, 0xacbe, 0x2fab, 0xad1a, 0xa6e6,
0xaa54, 0x2ca4, 0x2bb7, 0xafbf, 0x3b09, 0xade7, 0xac33, 0x2a86,
0x2d25, 0xa124, 0x2454, 0x194b, 0xaee0, 0x2c34, 0xa09a, 0x2ceb,
0x2968, 0x2956, 0xa107, 0x2e54, 0xadc1, 0xa4d2, 0x2d5e, 0xa8a2,
0xafee, 0xa440, 0xace7, 0xa6d9, 0xafd6, 0xaa48, 0x19fa, 0x321e,
0xacd4, 0x3015, 0x3c24, 0xa8cd, 0xad12, 0x2a3a, 0x2d80, 0x25d3,
0xa873, 0x2f2f, 0xb016, 0xa619, 0x2539, 0xa7c8, 0xabab, 0xabef,
0xa63f, 0xa99c, 0xa27c, 0xac2f, 0xa8b2, 0xaa82, 0x3ac5, 0x2d93,
0xac30, 0x1b8d, 0xac76, 0x1705, 0xac1c, 0x9fcd, 0x2bfb, 0x25b7,
0x281d, 0xb308, 0x2a74, 0x27ca, 0xafa4, 0x30ed, 0xac3c, 0xb007,
0xb115, 0x2254, 0x3b59, 0x2dfb, 0x2cf2, 0xadca, 0x3250, 0x2db8,
0xb1c3, 0x30c0, 0x13b6, 0x2f8d, 0x9d90, 0x2621, 0x2ae8, 0xae22,
0x9b67, 0xaeda, 0xaa3c, 0x1d1b, 0x303c, 0xad99, 0xa956, 0xa4be,
0xa887, 0x1e8a, 0xb14f, 0xb199, 0x3148, 0x3045, 0x2613, 0x2a42,
0x3cb2, 0x2e25, 0xace1, 0xa8b7, 0xad7e, 0x9d30, 0x2f23, 0x2c95,
0x16f7, 0x28c4, 0xa9fd, 0xa84e, 0xac04, 0xb0e6, 0x28ec, 0x231c,
0x2ca8, 0xad3b, 0x3130, 0x9eb2, 0x3b94, 0x2c0e, 0xab05, 0x2d17,
0x1f05, 0x2944, 0xb13e, 0xa35f, 0x2c89, 0x2f86, 0x31a3, 0x30ae,
0xaccd, 0x2d93, 0x2bd5, 0x1883, 0xa8f4, 0x9f7e, 0xaf65, 0xc85,
0x2641, 0xade9, 0x2fba, 0x2acf, 0xa4ad, 0x28a3, 0xaad5, 0xac15,
0xaa8a, 0xac11, 0x3c13, 0xa2f4, 0xab89, 0xa766, 0x2d41, 0xa4c6,
0xa7c6, 0xaf4b, 0xa615, 0xafd7, 0x3c5c, 0xae34, 0xb055, 0xaa53,
0x9be2, 0xaf39, 0x1870, 0xaabb, 0x2d0c, 0xad7d, 0x2ba3, 0xb395,
0xab81, 0x303d, 0xa8f3, 0x1a1d, 0x2336, 0xa8f2, 0x2b28, 0x2d03,
0x2d7c, 0x30bd, 0xacb9, 0x2842, 0x2563, 0xa145, 0xaff6, 0x294f,
0x2ebf, 0xb115, 0xaf80, 0x2b61, 0x2476, 0xb106, 0xaa75, 0x2575,
0xb028, 0x29ef, 0xa4ee, 0xb393, 0x3c1c, 0x261c, 0xb003, 0x25bc,
0xaef4, 0x2559, 0xa700, 0xa72a, 0xb0fa, 0xa808, 0xa59b, 0xa374,
0x30be, 0x326c, 0xa079, 0x9dd0, 0xa675, 0xab91, 0xa47a, 0x2ae3,
0x2233, 0x275e, 0xa652, 0x2c60, 0xacd1, 0xae87, 0x3094, 0x2c71,
0xa6ea, 0xa664, 0xa10d, 0x2aae, 0xad9f, 0x281b, 0x3034, 0xa0c1,
0x258c, 0x1860, 0x2db0, 0x252b, 0x3c16, 0x2d28, 0x1ce0, 0x2a5f,
0xacea, 0x2a44, 0xa0f0, 0xaedd, 0x9b30, 0xac7a, 0x2fb0, 0x296f,
0xa560, 0x2e58, 0x2c6d, 0x20af, 0xa0c7, 0x9c1f, 0xaed3, 0xae15,
0x3a8f, 0xaf16, 0x2df1, 0xadbb, 0x2e3a, 0x2edc, 0xa1bb, 0x2b1a,
0x2787, 0xa466, 0x3bed, 0xb085, 0xaa7d, 0xaf0c, 0x2844, 0xa821,
0x246c, 0xaca7, 0xaa91, 0xa82b, 0x3bd1, 0x2f1b, 0xadb4, 0xae9f,
0x9ae2, 0xb055, 0x2eee, 0x2e32, 0xa5a7, 0xacaf, 0x23d5, 0x2bec,
0xa8a4, 0x25a0, 0xac7f, 0xa226, 0xa9cd, 0xafef, 0xa443, 0xa2d5,
0x3aab, 0x233c, 0x205b, 0x2cfb, 0x3289, 0x2f26, 0xae0a, 0x2f6e,
0xa37a, 0x9c17, 0x2b42, 0x2ce7, 0xaba4, 0xaee5, 0xad57, 0x2863,
0xa533, 0xab15, 0xa30f, 0xb33c, 0x3b56, 0x27fc, 0x2d7e, 0x2b2c,
0xa6fc, 0x286d, 0xad7d, 0xb153, 0x99d5, 0x27c5, 0x3b75, 0xa9d6,
0x32f3, 0x2db7, 0xb13c, 0x25c4, 0x2aba, 0x9cd2, 0xad63, 0xad80,
0x3bf4, 0xa709, 0x1cea, 0xa9ab, 0xae43, 0xaa7b, 0x2200, 0x2ee3,
0xa482, 0x2bfd, 0xa83d, 0xaf2d, 0xb187, 0x2f31, 0x3077, 0xa558,
0x2755, 0x30ab, 0x2f06, 0xb086, 0x3ba2, 0x2531, 0x20a9, 0x2d9a,
0xa84f, 0xafa4, 0x2b9d, 0x22be, 0xaf76, 0x2ce4, 0x3ca7, 0x2aad,
0x3089, 0xac35, 0x26ae, 0xae0e, 0xab0c, 0x2b3d, 0x26aa, 0xaf41,
0x19b9, 0x2c1d, 0xa735, 0xa6f3, 0x8ddf, 0xa9ef, 0x2f07, 0xb1a2,
0xab53, 0xb024, 0x1ba5, 0x18c1, 0xa8fe, 0x2cbf, 0x9f3b, 0xab03,
0x2c37, 0x2edf, 0x99b0, 0x2fc8, 0x3c21, 0xad93, 0xb0b0, 0xaa73,
0xaaf7, 0x2e44, 0x2d66, 0xb13a, 0xb139, 0xa8eb, 0xb065, 0x2853,
0x308d, 0x1634, 0x2fc8, 0xb140, 0xb0c8, 0x2b32, 0x2bce, 0x2821,
0x2e57, 0xae8a, 0x28e5, 0x2d50, 0xb107, 0x2818, 0x2ae4, 0x2d9d,
0x311d, 0x241e, 0x3c4f, 0xa93d, 0x2a6b, 0xaa71, 0xa9c9, 0xaec7,
0x2c2e, 0x2759, 0xada1, 0xae3a, 0x3b99, 0xad34, 0xae3f, 0x2ce6,
0x2e5a, 0x2aa1, 0x3132, 0xadc4, 0x2d07, 0x2867, 0x2411, 0xaf36,
0xaea3, 0x2a00, 0x2d7b, 0x2e2d, 0xae62, 0x2b64, 0x24c2, 0xa1ee,
0x3aed, 0x2f51, 0xaee6, 0x959f, 0xb079, 0xac38, 0x2c44, 0xaf88,
0x2ae8, 0xadef, 0x3b0d, 0x290e, 0xad2e, 0xadfe, 0x2b4a, 0x8c7d,
0xa9b6, 0x2555, 0x20d1, 0x252b, 0x2d77, 0x1caa, 0xaaa9, 0xb090,
0x2c0b, 0x142d, 0x312f, 0x9eee, 0xa94e, 0xa812, 0x24a6, 0x2c73,
0xa60f, 0x2924, 0x28ad, 0xabc9, 0x97d9, 0x2c8c, 0x2525, 0xaba5
};
static const uint16_t in_oneclass_param[68] = {
0x2c7f, 0xab95, 0x2664, 0xa669, 0xaa7c, 0xac74, 0xa540, 0xac54,
0x27c0, 0x2ed2, 0xaaa5, 0xafcc, 0xa62c, 0xa9a5, 0xad49, 0x28af,
0xab31, 0xa81d, 0x3025, 0xac06, 0xadcd, 0x209e, 0xa912, 0x2c44,
0xac97, 0x2ca3, 0xa3ac, 0xa9c4, 0xa29f, 0x2695, 0xa9e7, 0x2c04,
0xac80, 0xa854, 0x245f, 0x1f24, 0xac5f, 0xa598, 0x2862, 0x296f,
0xa059, 0xae69, 0x1c8d, 0xac85, 0x9c5d, 0x281d, 0xa534, 0x86a,
0xa81d, 0x291a, 0x3c12, 0x2678, 0xa796, 0x25ce, 0xa8b4, 0xad4a,
0xa8a7, 0x2b5b, 0xae45, 0xad1b, 0x3c00, 0x3a6b, 0x3c00, 0x3c00,
0x3c00, 0x3253, 0xabb7, 0x3f80
};
static const uint16_t in_oneclass_dims[6] = {
0x0003, 0xFFFF, 0x0001, 0x0064, 0x000A, 0x0006
};
static const uint32_t ref_oneclass[100] = {
0xFFFFFFFF, 0xFFFFFFFF, 0x00000001, 0xFFFFFFFF,
0x00000001, 0xFFFFFFFF, 0xFFFFFFFF, 0x00000001,
0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0x00000001, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0x00000001, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0xFFFFFFFF, 0x00000001, 0xFFFFFFFF, 0x00000001,
0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0x00000001, 0x00000001, 0x00000001, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF, 0x00000001,
0x00000001, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0x00000001, 0xFFFFFFFF, 0x00000001, 0xFFFFFFFF,
0xFFFFFFFF, 0x00000001, 0x00000001, 0x00000001,
0xFFFFFFFF, 0xFFFFFFFF, 0x00000001, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0x00000001, 0xFFFFFFFF,
0x00000001, 0x00000001, 0xFFFFFFFF, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0x00000001, 0xFFFFFFFF,
0x00000001, 0xFFFFFFFF, 0xFFFFFFFF, 0xFFFFFFFF,
0xFFFFFFFF, 0xFFFFFFFF, 0x00000001, 0xFFFFFFFF,
0xFFFFFFFF, 0x00000001, 0x00000001, 0xFFFFFFFF,
0x00000001, 0x00000001, 0xFFFFFFFF, 0xFFFFFFFF
};
| Max | 3 | Trifunik/zephyr | tests/lib/cmsis_dsp/svm/src/f16.pat | [
"Apache-2.0"
] |
#include "script_component.hpp"
[
["secondary", localize LSTRING(select_action), "buttonList", "", false],
[
[localize LSTRING(select_action_setup), "[{call TFAR_fnc_onLrDialogOpen;}, [], 0.2] call CBA_fnc_waitAndExecute;", "", localize LSTRING(select_action_setup_tooltip), "", -1, true, true],
[localize LSTRING(select_action_use), "TF_lr_dialog_radio call TFAR_fnc_setActiveLrRadio;[(call TFAR_fnc_activeLrRadio), true] call TFAR_fnc_showRadioInfo;", "", localize LSTRING(select_action_use_tooltip), "", -1, true, true]
]
]
| SQF | 4 | MrDj200/task-force-arma-3-radio | addons/core/functions/flexiUI/fnc_lrRadioSubMenu.sqf | [
"RSA-MD"
] |
%!PS
currentdevice null true mark /OutputICCProfile (%pipe%echo vulnerable > /dev/tty)
.putdeviceparams
quit
| PostScript | 0 | OsmanDere/metasploit-framework | data/exploits/imagemagick/delegate/msf.ps | [
"BSD-2-Clause",
"BSD-3-Clause"
] |
PREFIX : <http://example.org/>
PREFIX xsd: <http://www.w3.org/2001/XMLSchema#>
SELECT (STRLEN(?uuid) AS ?length)
WHERE {
BIND(STRUUID() AS ?uuid)
FILTER(ISLITERAL(?uuid) && REGEX(?uuid, "^[0-9A-F]{8}-[0-9A-F]{4}-[0-9A-F]{4}-[0-9A-F]{4}-[0-9A-F]{12}$", "i"))
}
| SPARQL | 4 | yanaspaula/rdf4j | testsuites/sparql/src/main/resources/testcases-sparql-1.1-w3c/functions/struuid01.rq | [
"BSD-3-Clause"
] |
<template>
<h2>CSS Modules</h2>
<div class="sfc-css-modules" :class="$style.blueColor">
<style module> - this should be blue
<pre>{{ $style }}</pre>
</div>
<div class="sfc-css-modules-with-pre" :class="mod.orangeColor">
CSS - this should be orange
<pre>{{ mod }}</pre>
</div>
</template>
<style module>
.blue-color {
color: blue;
}
</style>
<style module="mod" lang="scss">
.orange-color {
color: orange;
}
</style>
| Vue | 4 | laineus/vite | packages/playground/vue/CssModules.vue | [
"MIT"
] |
/**
*
*/
import Util;
import OSS;
import RPC;
import OpenPlatform;
import OSSUtil;
import FileForm;
import OpenApi;
import OpenApiUtil;
import EndpointUtil;
extends OpenApi;
init(config: OpenApi.Config){
super(config);
@endpointRule = 'central';
checkConfig(config);
@endpoint = getEndpoint('cloudauth', @regionId, @endpointRule, @network, @suffix, @endpointMap, @endpoint);
}
function getEndpoint(productId: string, regionId: string, endpointRule: string, network: string, suffix: string, endpointMap: map[string]string, endpoint: string) throws: string{
if (!Util.empty(endpoint)) {
return endpoint;
}
if (!Util.isUnset(endpointMap) && !Util.empty(endpointMap[regionId])) {
return endpointMap[regionId];
}
return EndpointUtil.getEndpointRules(productId, regionId, endpointRule, network, suffix);
}
model CompareFacesRequest {
sourceImageUrl?: string(name='SourceImageUrl'),
sourceImageBase64?: string(name='SourceImageBase64'),
targetImageUrl?: string(name='TargetImageUrl'),
targetImageBase64?: string(name='TargetImageBase64'),
bizId?: string(name='BizId'),
bizType?: string(name='BizType'),
}
model CompareFacesResponseBody = {
code?: string(name='Code'),
message?: string(name='Message'),
requestId?: string(name='RequestId'),
resultObject?: {
similarityScore?: float(name='SimilarityScore'),
confidenceThresholds?: string(name='ConfidenceThresholds'),
}(name='ResultObject'),
}
model CompareFacesResponse = {
headers: map[string]string(name='headers'),
body: CompareFacesResponseBody(name='body'),
}
async function compareFacesWithOptions(request: CompareFacesRequest, runtime: Util.RuntimeOptions): CompareFacesResponse {
Util.validateModel(request);
var req = new OpenApi.OpenApiRequest{
body = Util.toMap(request),
};
return doRPCRequest('CompareFaces', '2020-11-12', 'HTTPS', 'POST', 'AK', 'json', req, runtime);
}
async function compareFaces(request: CompareFacesRequest): CompareFacesResponse {
var runtime = new Util.RuntimeOptions{};
return compareFacesWithOptions(request, runtime);
}
model DescribeVerifyResultRequest {
bizId?: string(name='BizId'),
bizType?: string(name='BizType'),
}
model DescribeVerifyResultResponseBody = {
code?: string(name='Code'),
message?: string(name='Message'),
requestId?: string(name='RequestId'),
resultObject?: {
authorityComparisionScore?: float(name='AuthorityComparisionScore'),
verifyStatus?: int32(name='VerifyStatus'),
faceComparisonScore?: float(name='FaceComparisonScore'),
idCardFaceComparisonScore?: float(name='IdCardFaceComparisonScore'),
material?: {
idCardNumber?: string(name='IdCardNumber'),
faceGlobalUrl?: string(name='FaceGlobalUrl'),
faceImageUrl?: string(name='FaceImageUrl'),
faceMask?: boolean(name='FaceMask'),
idCardName?: string(name='IdCardName'),
faceQuality?: string(name='FaceQuality'),
videoUrls?: [ string ](name='VideoUrls'),
idCardInfo?: {
sex?: string(name='Sex'),
endDate?: string(name='EndDate'),
authority?: string(name='Authority'),
address?: string(name='Address'),
number?: string(name='Number'),
startDate?: string(name='StartDate'),
backImageUrl?: string(name='BackImageUrl'),
nationality?: string(name='Nationality'),
birth?: string(name='Birth'),
name?: string(name='Name'),
frontImageUrl?: string(name='FrontImageUrl'),
}(name='IdCardInfo'),
}(name='Material'),
}(name='ResultObject'),
}
model DescribeVerifyResultResponse = {
headers: map[string]string(name='headers'),
body: DescribeVerifyResultResponseBody(name='body'),
}
async function describeVerifyResultWithOptions(request: DescribeVerifyResultRequest, runtime: Util.RuntimeOptions): DescribeVerifyResultResponse {
Util.validateModel(request);
var req = new OpenApi.OpenApiRequest{
body = Util.toMap(request),
};
return doRPCRequest('DescribeVerifyResult', '2020-11-12', 'HTTPS', 'POST', 'AK', 'json', req, runtime);
}
async function describeVerifyResult(request: DescribeVerifyResultRequest): DescribeVerifyResultResponse {
var runtime = new Util.RuntimeOptions{};
return describeVerifyResultWithOptions(request, runtime);
}
model DescribeVerifyTokenRequest {
idCardBackImageUrl?: string(name='IdCardBackImageUrl'),
bizType?: string(name='BizType'),
faceRetainedImageUrl?: string(name='FaceRetainedImageUrl'),
idCardFrontImageUrl?: string(name='IdCardFrontImageUrl'),
userId?: string(name='UserId'),
bizId?: string(name='BizId'),
name?: string(name='Name'),
idCardNumber?: string(name='IdCardNumber'),
userIp?: string(name='UserIp'),
userPhoneNumber?: string(name='UserPhoneNumber'),
userRegistTime?: long(name='UserRegistTime'),
}
model DescribeVerifyTokenResponseBody = {
code?: string(name='Code'),
message?: string(name='Message'),
requestId?: string(name='RequestId'),
resultObject?: {
verifyPageUrl?: string(name='VerifyPageUrl'),
verifyToken?: string(name='VerifyToken'),
}(name='ResultObject'),
}
model DescribeVerifyTokenResponse = {
headers: map[string]string(name='headers'),
body: DescribeVerifyTokenResponseBody(name='body'),
}
async function describeVerifyTokenWithOptions(request: DescribeVerifyTokenRequest, runtime: Util.RuntimeOptions): DescribeVerifyTokenResponse {
Util.validateModel(request);
var req = new OpenApi.OpenApiRequest{
body = Util.toMap(request),
};
return doRPCRequest('DescribeVerifyToken', '2020-11-12', 'HTTPS', 'POST', 'AK', 'json', req, runtime);
}
async function describeVerifyToken(request: DescribeVerifyTokenRequest): DescribeVerifyTokenResponse {
var runtime = new Util.RuntimeOptions{};
return describeVerifyTokenWithOptions(request, runtime);
}
model DetectFaceAttributesRequest {
bizType?: string(name='BizType'),
bizId?: string(name='BizId'),
imageUrl?: string(name='ImageUrl'),
imageFile?: string(name='ImageFile'),
}
model DetectFaceAttributesAdvanceRequest {
imageFileObject: readable(name='ImageFileObject'),
bizType?: string(name='BizType'),
bizId?: string(name='BizId'),
imageUrl?: string(name='ImageUrl'),
}
model DetectFaceAttributesResponseBody = {
code?: string(name='Code'),
message?: string(name='Message'),
requestId?: string(name='RequestId'),
success?: boolean(name='Success'),
resultObject?: {
imgHeight?: int32(name='ImgHeight'),
imgWidth?: int32(name='ImgWidth'),
faceInfos?: {
faceAttributesDetectInfo?: [
{
faceRect?: {
left?: int32(name='Left'),
top?: int32(name='Top'),
width?: int32(name='Width'),
height?: int32(name='Height'),
}(name='FaceRect'),
faceAttributes?: {
glasses?: string(name='Glasses'),
facequal?: float(name='Facequal'),
integrity?: int32(name='Integrity'),
facetype?: string(name='Facetype'),
respirator?: string(name='Respirator'),
appearanceScore?: float(name='AppearanceScore'),
blur?: float(name='Blur'),
smiling?: {
value?: float(name='Value'),
threshold?: float(name='Threshold'),
}(name='Smiling'),
headpose?: {
pitchAngle?: float(name='PitchAngle'),
rollAngle?: float(name='RollAngle'),
yawAngle?: float(name='YawAngle'),
}(name='Headpose'),
}(name='FaceAttributes'),
}
](name='FaceAttributesDetectInfo')
}(name='FaceInfos'),
}(name='ResultObject'),
}
model DetectFaceAttributesResponse = {
headers: map[string]string(name='headers'),
body: DetectFaceAttributesResponseBody(name='body'),
}
async function detectFaceAttributesWithOptions(request: DetectFaceAttributesRequest, runtime: Util.RuntimeOptions): DetectFaceAttributesResponse {
Util.validateModel(request);
var req = new OpenApi.OpenApiRequest{
body = Util.toMap(request),
};
return doRPCRequest('DetectFaceAttributes', '2020-11-12', 'HTTPS', 'POST', 'AK', 'json', req, runtime);
}
async function detectFaceAttributes(request: DetectFaceAttributesRequest): DetectFaceAttributesResponse {
var runtime = new Util.RuntimeOptions{};
return detectFaceAttributesWithOptions(request, runtime);
}
async function detectFaceAttributesAdvance(request: DetectFaceAttributesAdvanceRequest, runtime: Util.RuntimeOptions): DetectFaceAttributesResponse {
// Step 0: init client
var accessKeyId = @credential.getAccessKeyId();
var accessKeySecret = @credential.getAccessKeySecret();
var securityToken = @credential.getSecurityToken();
var credentialType = @credential.getType();
var openPlatformEndpoint = @openPlatformEndpoint;
if(Util.isUnset(openPlatformEndpoint)) {
openPlatformEndpoint ='openplatform.aliyuncs.com';
}
if(Util.isUnset(credentialType)) {
credentialType ='access_key';
}
var authConfig = new RPC.Config{
accessKeyId = accessKeyId,
accessKeySecret = accessKeySecret,
securityToken = securityToken,
type = credentialType,
endpoint = openPlatformEndpoint,
protocol = @protocol,
regionId = @regionId,
};
var authClient = new OpenPlatform(authConfig);
var authRequest = new OpenPlatform.AuthorizeFileUploadRequest{
product = 'Cloudauth',
regionId = @regionId,
};
var authResponse = new OpenPlatform.AuthorizeFileUploadResponse{};
var ossConfig = new OSS.Config{
accessKeySecret = accessKeySecret,
type = 'access_key',
protocol = @protocol,
regionId = @regionId,
};
var ossClient : OSS = null;
var fileObj = new FileForm.FileField{};
var ossHeader = new OSS.PostObjectRequest.header{};
var uploadRequest = new OSS.PostObjectRequest{};
var ossRuntime = new OSSUtil.RuntimeOptions{};
OpenApiUtil.convert(runtime, ossRuntime);
var detectFaceAttributesReq = new DetectFaceAttributesRequest{};
OpenApiUtil.convert(request, detectFaceAttributesReq);
if(!Util.isUnset(request.imageFileObject)){
authResponse = authClient.authorizeFileUploadWithOptions(authRequest, runtime);
ossConfig.accessKeyId = authResponse.accessKeyId;
ossConfig.endpoint = OpenApiUtil.getEndpoint(authResponse.endpoint, authResponse.useAccelerate, @endpointType);
ossClient = new OSS(ossConfig);
fileObj = new FileForm.FileField{
filename = authResponse.objectKey,
content = request.imageFileObject,
contentType = '',
};
ossHeader = new OSS.PostObjectRequest.header{
accessKeyId = authResponse.accessKeyId,
policy = authResponse.encodedPolicy,
signature = authResponse.signature,
key = authResponse.objectKey,
file = fileObj,
successActionStatus = '201',
};
uploadRequest = new OSS.PostObjectRequest{
bucketName = authResponse.bucket,
header = ossHeader,
};
ossClient.postObject(uploadRequest, ossRuntime);
detectFaceAttributesReq.imageFile = `http://${authResponse.bucket}.${authResponse.endpoint}/${authResponse.objectKey}`;
}
var detectFaceAttributesResp = detectFaceAttributesWithOptions(detectFaceAttributesReq, runtime);
return detectFaceAttributesResp;
}
model LivenessDetectRequest {
bizType?: string(name='BizType'),
bizId?: string(name='BizId'),
mediaCategory?: string(name='MediaCategory'),
mediaUrl?: string(name='MediaUrl'),
mediaFile?: string(name='MediaFile'),
}
model LivenessDetectAdvanceRequest {
mediaFileObject: readable(name='MediaFileObject'),
bizType?: string(name='BizType'),
bizId?: string(name='BizId'),
mediaCategory?: string(name='MediaCategory'),
mediaUrl?: string(name='MediaUrl'),
}
model LivenessDetectResponseBody = {
code?: string(name='Code'),
message?: string(name='Message'),
requestId?: string(name='RequestId'),
resultObject?: {
score?: float(name='Score'),
frameUrl?: string(name='FrameUrl'),
passed?: string(name='Passed'),
}(name='ResultObject'),
}
model LivenessDetectResponse = {
headers: map[string]string(name='headers'),
body: LivenessDetectResponseBody(name='body'),
}
async function livenessDetectWithOptions(request: LivenessDetectRequest, runtime: Util.RuntimeOptions): LivenessDetectResponse {
Util.validateModel(request);
var req = new OpenApi.OpenApiRequest{
body = Util.toMap(request),
};
return doRPCRequest('LivenessDetect', '2020-11-12', 'HTTPS', 'POST', 'AK', 'json', req, runtime);
}
async function livenessDetect(request: LivenessDetectRequest): LivenessDetectResponse {
var runtime = new Util.RuntimeOptions{};
return livenessDetectWithOptions(request, runtime);
}
async function livenessDetectAdvance(request: LivenessDetectAdvanceRequest, runtime: Util.RuntimeOptions): LivenessDetectResponse {
// Step 0: init client
var accessKeyId = @credential.getAccessKeyId();
var accessKeySecret = @credential.getAccessKeySecret();
var securityToken = @credential.getSecurityToken();
var credentialType = @credential.getType();
var openPlatformEndpoint = @openPlatformEndpoint;
if(Util.isUnset(openPlatformEndpoint)) {
openPlatformEndpoint ='openplatform.aliyuncs.com';
}
if(Util.isUnset(credentialType)) {
credentialType ='access_key';
}
var authConfig = new RPC.Config{
accessKeyId = accessKeyId,
accessKeySecret = accessKeySecret,
securityToken = securityToken,
type = credentialType,
endpoint = openPlatformEndpoint,
protocol = @protocol,
regionId = @regionId,
};
var authClient = new OpenPlatform(authConfig);
var authRequest = new OpenPlatform.AuthorizeFileUploadRequest{
product = 'Cloudauth',
regionId = @regionId,
};
var authResponse = new OpenPlatform.AuthorizeFileUploadResponse{};
var ossConfig = new OSS.Config{
accessKeySecret = accessKeySecret,
type = 'access_key',
protocol = @protocol,
regionId = @regionId,
};
var ossClient : OSS = null;
var fileObj = new FileForm.FileField{};
var ossHeader = new OSS.PostObjectRequest.header{};
var uploadRequest = new OSS.PostObjectRequest{};
var ossRuntime = new OSSUtil.RuntimeOptions{};
OpenApiUtil.convert(runtime, ossRuntime);
var livenessDetectReq = new LivenessDetectRequest{};
OpenApiUtil.convert(request, livenessDetectReq);
if(!Util.isUnset(request.mediaFileObject)){
authResponse = authClient.authorizeFileUploadWithOptions(authRequest, runtime);
ossConfig.accessKeyId = authResponse.accessKeyId;
ossConfig.endpoint = OpenApiUtil.getEndpoint(authResponse.endpoint, authResponse.useAccelerate, @endpointType);
ossClient = new OSS(ossConfig);
fileObj = new FileForm.FileField{
filename = authResponse.objectKey,
content = request.mediaFileObject,
contentType = '',
};
ossHeader = new OSS.PostObjectRequest.header{
accessKeyId = authResponse.accessKeyId,
policy = authResponse.encodedPolicy,
signature = authResponse.signature,
key = authResponse.objectKey,
file = fileObj,
successActionStatus = '201',
};
uploadRequest = new OSS.PostObjectRequest{
bucketName = authResponse.bucket,
header = ossHeader,
};
ossClient.postObject(uploadRequest, ossRuntime);
livenessDetectReq.mediaFile = `http://${authResponse.bucket}.${authResponse.endpoint}/${authResponse.objectKey}`;
}
var livenessDetectResp = livenessDetectWithOptions(livenessDetectReq, runtime);
return livenessDetectResp;
}
model VerifyMaterialRequest {
idCardBackImageUrl?: string(name='IdCardBackImageUrl'),
faceImageUrl?: string(name='FaceImageUrl'),
bizType?: string(name='BizType'),
bizId?: string(name='BizId'),
name?: string(name='Name'),
idCardNumber?: string(name='IdCardNumber'),
idCardFrontImageUrl?: string(name='IdCardFrontImageUrl'),
userId?: string(name='UserId'),
}
model VerifyMaterialResponseBody = {
code?: string(name='Code'),
message?: string(name='Message'),
requestId?: string(name='RequestId'),
resultObject?: {
authorityComparisionScore?: float(name='AuthorityComparisionScore'),
verifyStatus?: int32(name='VerifyStatus'),
verifyToken?: string(name='VerifyToken'),
idCardFaceComparisonScore?: float(name='IdCardFaceComparisonScore'),
material?: {
idCardNumber?: string(name='IdCardNumber'),
faceGlobalUrl?: string(name='FaceGlobalUrl'),
faceImageUrl?: string(name='FaceImageUrl'),
faceMask?: string(name='FaceMask'),
idCardName?: string(name='IdCardName'),
faceQuality?: string(name='FaceQuality'),
idCardInfo?: {
sex?: string(name='Sex'),
endDate?: string(name='EndDate'),
authority?: string(name='Authority'),
address?: string(name='Address'),
number?: string(name='Number'),
startDate?: string(name='StartDate'),
backImageUrl?: string(name='BackImageUrl'),
nationality?: string(name='Nationality'),
birth?: string(name='Birth'),
name?: string(name='Name'),
frontImageUrl?: string(name='FrontImageUrl'),
}(name='IdCardInfo'),
}(name='Material'),
}(name='ResultObject'),
}
model VerifyMaterialResponse = {
headers: map[string]string(name='headers'),
body: VerifyMaterialResponseBody(name='body'),
}
async function verifyMaterialWithOptions(request: VerifyMaterialRequest, runtime: Util.RuntimeOptions): VerifyMaterialResponse {
Util.validateModel(request);
var req = new OpenApi.OpenApiRequest{
body = Util.toMap(request),
};
return doRPCRequest('VerifyMaterial', '2020-11-12', 'HTTPS', 'POST', 'AK', 'json', req, runtime);
}
async function verifyMaterial(request: VerifyMaterialRequest): VerifyMaterialResponse {
var runtime = new Util.RuntimeOptions{};
return verifyMaterialWithOptions(request, runtime);
}
| Tea | 4 | aliyun/alibabacloud-sdk | cloudauth-20201112/main.tea | [
"Apache-2.0"
] |
use super::{Pointer, Tag};
use crate::stable_hasher::{HashStable, StableHasher};
use std::fmt;
use std::marker::PhantomData;
use std::num::NonZeroUsize;
/// A `Copy` TaggedPtr.
///
/// You should use this instead of the `TaggedPtr` type in all cases where
/// `P: Copy`.
///
/// If `COMPARE_PACKED` is true, then the pointers will be compared and hashed without
/// unpacking. Otherwise we don't implement PartialEq/Eq/Hash; if you want that,
/// wrap the TaggedPtr.
pub struct CopyTaggedPtr<P, T, const COMPARE_PACKED: bool>
where
P: Pointer,
T: Tag,
{
packed: NonZeroUsize,
data: PhantomData<(P, T)>,
}
impl<P, T, const COMPARE_PACKED: bool> Copy for CopyTaggedPtr<P, T, COMPARE_PACKED>
where
P: Pointer,
T: Tag,
P: Copy,
{
}
impl<P, T, const COMPARE_PACKED: bool> Clone for CopyTaggedPtr<P, T, COMPARE_PACKED>
where
P: Pointer,
T: Tag,
P: Copy,
{
fn clone(&self) -> Self {
*self
}
}
// We pack the tag into the *upper* bits of the pointer to ease retrieval of the
// value; a left shift is a multiplication and those are embeddable in
// instruction encoding.
impl<P, T, const COMPARE_PACKED: bool> CopyTaggedPtr<P, T, COMPARE_PACKED>
where
P: Pointer,
T: Tag,
{
const TAG_BIT_SHIFT: usize = usize::BITS as usize - T::BITS;
const ASSERTION: () = {
assert!(T::BITS <= P::BITS);
// Used for the transmute_copy's below
assert!(std::mem::size_of::<&P::Target>() == std::mem::size_of::<usize>());
};
pub fn new(pointer: P, tag: T) -> Self {
// Trigger assert!
let () = Self::ASSERTION;
let packed_tag = tag.into_usize() << Self::TAG_BIT_SHIFT;
Self {
// SAFETY: We know that the pointer is non-null, as it must be
// dereferenceable per `Pointer` safety contract.
packed: unsafe {
NonZeroUsize::new_unchecked((P::into_usize(pointer) >> T::BITS) | packed_tag)
},
data: PhantomData,
}
}
pub(super) fn pointer_raw(&self) -> usize {
self.packed.get() << T::BITS
}
pub fn pointer(self) -> P
where
P: Copy,
{
// SAFETY: pointer_raw returns the original pointer
//
// Note that this isn't going to double-drop or anything because we have
// P: Copy
unsafe { P::from_usize(self.pointer_raw()) }
}
pub fn pointer_ref(&self) -> &P::Target {
// SAFETY: pointer_raw returns the original pointer
unsafe { std::mem::transmute_copy(&self.pointer_raw()) }
}
pub fn pointer_mut(&mut self) -> &mut P::Target
where
P: std::ops::DerefMut,
{
// SAFETY: pointer_raw returns the original pointer
unsafe { std::mem::transmute_copy(&self.pointer_raw()) }
}
#[inline]
pub fn tag(&self) -> T {
unsafe { T::from_usize(self.packed.get() >> Self::TAG_BIT_SHIFT) }
}
#[inline]
pub fn set_tag(&mut self, tag: T) {
let mut packed = self.packed.get();
let new_tag = T::into_usize(tag) << Self::TAG_BIT_SHIFT;
let tag_mask = (1 << T::BITS) - 1;
packed &= !(tag_mask << Self::TAG_BIT_SHIFT);
packed |= new_tag;
self.packed = unsafe { NonZeroUsize::new_unchecked(packed) };
}
}
impl<P, T, const COMPARE_PACKED: bool> std::ops::Deref for CopyTaggedPtr<P, T, COMPARE_PACKED>
where
P: Pointer,
T: Tag,
{
type Target = P::Target;
fn deref(&self) -> &Self::Target {
self.pointer_ref()
}
}
impl<P, T, const COMPARE_PACKED: bool> std::ops::DerefMut for CopyTaggedPtr<P, T, COMPARE_PACKED>
where
P: Pointer + std::ops::DerefMut,
T: Tag,
{
fn deref_mut(&mut self) -> &mut Self::Target {
self.pointer_mut()
}
}
impl<P, T, const COMPARE_PACKED: bool> fmt::Debug for CopyTaggedPtr<P, T, COMPARE_PACKED>
where
P: Pointer,
P::Target: fmt::Debug,
T: Tag + fmt::Debug,
{
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("CopyTaggedPtr")
.field("pointer", &self.pointer_ref())
.field("tag", &self.tag())
.finish()
}
}
impl<P, T> PartialEq for CopyTaggedPtr<P, T, true>
where
P: Pointer,
T: Tag,
{
fn eq(&self, other: &Self) -> bool {
self.packed == other.packed
}
}
impl<P, T> Eq for CopyTaggedPtr<P, T, true>
where
P: Pointer,
T: Tag,
{
}
impl<P, T> std::hash::Hash for CopyTaggedPtr<P, T, true>
where
P: Pointer,
T: Tag,
{
fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
self.packed.hash(state);
}
}
impl<P, T, HCX, const COMPARE_PACKED: bool> HashStable<HCX> for CopyTaggedPtr<P, T, COMPARE_PACKED>
where
P: Pointer + HashStable<HCX>,
T: Tag + HashStable<HCX>,
{
fn hash_stable(&self, hcx: &mut HCX, hasher: &mut StableHasher) {
unsafe {
Pointer::with_ref(self.pointer_raw(), |p: &P| p.hash_stable(hcx, hasher));
}
self.tag().hash_stable(hcx, hasher);
}
}
| Rust | 4 | ohno418/rust | compiler/rustc_data_structures/src/tagged_ptr/copy.rs | [
"ECL-2.0",
"Apache-2.0",
"MIT-0",
"MIT"
] |
from hashlib import sha256
PRIME = 2 ** 61 + 20 * 2 ** 32 + 1
def generate_round_constant(name, idx, field=GF(PRIME)):
"""
Returns a field element based on the result of sha256.
The input to sha256 is the concatenation of the name of the hash function and an index.
"""
return field(int(sha256('%s%d' % (name, idx)).hexdigest(), 16))
def generate_mds_matrix(field=GF(PRIME), m=12):
"""
Generates an MDS matrix of size m x m over the given field, with no eigenvalues in the field.
Given two disjoint sets of size m: {x_1, ..., x_m}, {y_1, ..., y_m} we set
A_{ij} = 1 / (x_i - y_j).
"""
name = 'MarvellousMDS'
for attempt in xrange(100):
x_values = [generate_round_constant(name + 'x', attempt * m + i, field)
for i in xrange(m)]
y_values = [generate_round_constant(name + 'y', attempt * m + i, field)
for i in xrange(m)]
# Make sure the values are distinct.
assert len(set(x_values + y_values)) == 2 * m, \
'The values of x_values and y_values are not distinct.'
mds = matrix([[1 / (x_values[i] - y_values[j]) for j in xrange(m)]
for i in xrange(m)])
# Sanity check: check the determinant of the matrix.
x_prod = product(
[x_values[i] - x_values[j] for i in xrange(m) for j in xrange(i)])
y_prod = product(
[y_values[i] - y_values[j] for i in xrange(m) for j in xrange(i)])
xy_prod = product(
[x_values[i] - y_values[j] for i in xrange(m) for j in xrange(m)])
expected_det = (1 if m % 4 < 2 else -1) * x_prod * y_prod / xy_prod
det = mds.determinant()
assert det != 0
assert det == expected_det, \
'Expected determinant %s. Found %s.' % (expected_det, det)
if len(mds.characteristic_polynomial().roots()) == 0:
# There are no eigenvalues in the field.
return mds
raise Exception("Couldn't find a good MDS matrix.")
def generate_marvellous_round_constants(field=GF(PRIME), m=12):
round_constants = [
vector(generate_round_constant('MarvellousK', m * i + j, field)
for j in xrange(m))
for i in xrange(21)]
# Check differential uniformity, as described in the report on the security of the Rescue hash
# function.
mds_inverse = generate_mds_matrix().inverse()
for i, round_c in enumerate(round_constants):
round_c = vector(field, round_c)
# The variable weight_round_c is the weight of the round constant.
# Weight is defined as the number of non-zero elements in the vector.
weight_round_c = len(round_c.coefficients())
weight_mds_inverse_round_c = len((mds_inverse * round_c).coefficients())
assert weight_round_c == m, \
'round_c_%d = %s failed check. wt(round_c_%d) = %d.' % (i, round_c, i, weight_round_c)
assert weight_mds_inverse_round_c == m, \
'round_c_%d = %s failed check. wt(MDS^{-1} * round_c_%d) = %d.' % (
i,
round_c, i,
weight_mds_inverse_round_c)
return round_constants
| Sage | 5 | ChihChengLiang/ethSTARK | src/starkware/air/rescue/rescue_constants.sage | [
"Apache-2.0"
] |
# Copyright 2018 The TensorFlow 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.
# ==============================================================================
"""A configure tuple for high-level APIs for running distribution strategies."""
import collections
class DistributeConfig(
collections.namedtuple(
'DistributeConfig',
['train_distribute', 'eval_distribute', 'remote_cluster'])):
"""A config tuple for distribution strategies.
Attributes:
train_distribute: a `DistributionStrategy` object for training.
eval_distribute: an optional `DistributionStrategy` object for
evaluation.
remote_cluster: a dict, `ClusterDef` or `ClusterSpec` object specifying
the cluster configurations. If this is given, the `train_and_evaluate`
method will be running as a standalone client which connects to the
cluster for training.
"""
def __new__(cls,
train_distribute=None,
eval_distribute=None,
remote_cluster=None):
return super(DistributeConfig, cls).__new__(cls, train_distribute,
eval_distribute, remote_cluster)
| Python | 5 | EricRemmerswaal/tensorflow | tensorflow/python/distribute/distribute_config.py | [
"Apache-2.0"
] |
<?xml version="1.0" encoding="UTF-8"?>
<p:declare-step xmlns:p="http://www.w3.org/ns/xproc"
xmlns:c="http://www.w3.org/ns/xproc-step"
xmlns:cx="http://xmlcalabash.com/ns/extensions"
xmlns:pxf="http://exproc.org/proposed/steps/file"
xmlns:tr="http://transpect.io"
xmlns:docx2tex="http://transpect.io/docx2tex"
version="1.0"
name="generate-conf-template"
type="docx2tex:generate-conf-template">
<p:documentation>
This step generates a CSV configuration template which includes
all styles used in the current document.
</p:documentation>
<p:input port="source">
<p:documentation>Expects a Hub XML document.</p:documentation>
</p:input>
<p:output port="result">
<p:documentation>The Hub XML document is cloned from the input port.</p:documentation>
<p:pipe port="source" step="generate-conf-template"/>
</p:output>
<p:option name="conf-template" select="''"/>
<p:option name="debug" select="'yes'"/>
<p:option name="debug-dir-uri" select="'debug'"/>
<p:import href="http://xmlcalabash.com/extension/steps/library-1.0.xpl"/>
<p:import href="http://transpect.io/xproc-util/store-debug/xpl/store-debug.xpl"/>
<p:xslt name="generate-csv">
<p:input port="stylesheet">
<p:inline>
<xsl:stylesheet xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:dbk="http://docbook.org/ns/docbook"
xmlns:css="http://www.w3.org/1996/css"
xmlns:c="http://www.w3.org/ns/xproc-step"
version="2.0"
xpath-default-namespace="http://docbook.org/ns/docbook">
<xsl:template match="/">
<c:data>
<xsl:apply-templates select="hub/info/css:rules/css:rule">
<xsl:sort select="lower-case(@name)"/>
</xsl:apply-templates>
</c:data>
</xsl:template>
<xsl:template match="css:rule[@layout-type = ('para', 'inline')]">
<xsl:value-of select="concat(@name,
'; ',
if(position() eq 1)
then concat('\', @name, '{ ; }')
else ' ;',
'
')"/>
</xsl:template>
<xsl:template match="*"/>
</xsl:stylesheet>
</p:inline>
</p:input>
<p:input port="parameters">
<p:empty/>
</p:input>
</p:xslt>
<tr:store-debug pipeline-step="docx2tex/generated-conf-template">
<p:with-option name="active" select="$debug"/>
<p:with-option name="base-uri" select="$debug-dir-uri"/>
</tr:store-debug>
<p:sink/>
<tr:file-uri name="normalize-href">
<p:with-option name="filename" select="$conf-template"/>
</tr:file-uri>
<!-- check if a file exists -->
<pxf:info fail-on-error="false">
<p:with-option name="href" select="/c:result/@local-href"/>
</pxf:info>
<!-- store the file only if no other file exists under the same path -->
<p:choose>
<p:when test="/c:file">
<p:sink/>
</p:when>
<p:otherwise>
<p:store method="text" encoding="UTF-8" media-type="text/plain">
<p:input port="source">
<p:pipe port="result" step="generate-csv"/>
</p:input>
<p:with-option name="href" select="/c:result/@local-href">
<p:pipe port="result" step="normalize-href"/>
</p:with-option>
</p:store>
</p:otherwise>
</p:choose>
</p:declare-step>
| XProc | 5 | yulincoder/docx2tex | xpl/generate-conf-template.xpl | [
"BSD-2-Clause"
] |
#twitter-logo {
background-color: red;
}
| CSS | 1 | amoshydra/cypress | npm/angular/src/app/app.component.css | [
"MIT"
] |
name = "Sockets"
uuid = "6462fe0b-24de-5631-8697-dd941f90decc"
[extras]
Test = "8dfed614-e22c-5e08-85e1-65c5234f0b40"
Random = "9a3f8284-a2c9-5f02-9a11-845980a1fd5c"
[targets]
test = ["Test", "Random"]
| TOML | 1 | greimel/julia | stdlib/Sockets/Project.toml | [
"Zlib"
] |
// input: []
// output: 1
package {
public class StaticRetrieval {
public static var v:int;
public static function main():int{
if (v) {
return 0;
} else {
return 1;
}
}
}
}
| ActionScript | 3 | hackarada/youtube-dl | test/swftests/StaticRetrieval.as | [
"Unlicense"
] |
---
pagination:
data: items
size: 2
items:
- item1
- item2
- item3
- item4
permalink: paged/{% if pagination.pageNumber > 0 %}page-{{ pagination.pageNumber }}/{% endif %}index.html
---
<ol>{% for item in pagination.items %}<li>{{ item }}</li>{% endfor %}</ol>
| Liquid | 3 | binyamin/eleventy | test/stubs/paged/pagedpermalinkif.liquid | [
"MIT"
] |
/**
* @file dialect.yap
* @author VITOR SANTOS COSTA <vsc@VITORs-MBP-2.lan>
* @date Thu Oct 19 10:50:33 2017
*
* @brief support Prolog dialects
*/
% :- module(dialect,
% [
% exists_source/1,
% source_exports/2
% ]).
/**
* @defgroup Dialects Compatibility with other Prolog dialects
* @ingroup extensions
* @{
* @brief Prolog dialects
*
*/
:- use_system_module( '$_errors', ['$do_error'/2]).
:- private(
[check_dialect/1]
).
%%
% @pred expects_dialect(+Dialect)
%
% True if YAP can enable support for a different Prolog dialect.
% Currently there is support for bprolog, hprolog and swi-prolog.
% Notice that this support may be incomplete.
%
%
prolog:expects_dialect(yap) :- !,
eraseall('$dialect'),
recorda('$dialect',yap,_).
prolog:expects_dialect(Dialect) :-
check_dialect(Dialect),
eraseall('$dialect'),
load_files(library(dialect/Dialect),[silent(true),if(not_loaded)]),
( current_predicate(Dialect:setup_dialect/0)
-> Dialect:setup_dialect
; true
),
recorda('$dialect',Dialect,_).
check_dialect(Dialect) :-
var(Dialect),!,
'$do_error'(instantiation_error,(:- expects_dialect(Dialect))).
check_dialect(Dialect) :-
\+ atom(Dialect),!,
'$do_error'(type_error(Dialect),(:- expects_dialect(Dialect))).
check_dialect(Dialect) :-
exists_source(library(dialect/Dialect)), !.
check_dialect(Dialect) :-
'$do_error'(domain_error(dialect,Dialect),(:- expects_dialect(Dialect))).
/**
* @pred exists_source( +_File_ , -AbsolutePath_ )
*
* True if the term _File_ is likely to be a Prolog program stored in
* path _AbsolutePath_. The file must allow read-access, and
* user-expansion will * be performed. The predicate only succeeds or
* fails, it never generates an exception.
*
*
*/
exists_source(File, AbsFile) :-
catch(
absolute_file_name(File, AbsFile,
[access(read), file_type(prolog),
file_errors(fail), solutions(first), expand(true)]), _, fail ).
/**
* @pred exists_source( +_File_ )
*
* True if the term _File_ matches a Prolog program. The file must allow read-access, and
* user-expansion will * be performed. The predicate only succeeds or
* fails, it never generates an exception.
*
*
*/
exists_source(File) :-
exists_source(File, _AbsFile).
%% @pred source_exports(+Source, +Export) is semidet.
%% @pred source_exports(+Source, -Export) is nondet.
%
% True if Source exports Export. Fails without error if this is
% not the case. See also exists_source/1.
%
% @tbd Should we also allow for source_exports(-Source, +Export)?
prolog:source_exports(Source, Export) :-
open_source(Source, In),
catch(call_cleanup(exports(In, Exports), close(In)), _, fail),
( ground(Export)
-> lists:memberchk(Export, Exports)
; lists:member(Export, Exports)
).
exports(In, Exports) :-
read(In, Term),
Term = (:- module(_Name, Exports)).
%% @}
| Prolog | 5 | KuroLevin/yap-6.3 | pl/dialect.yap | [
"Artistic-1.0-Perl",
"ClArtistic"
] |
<svg xmlns="http://www.w3.org/2000/svg" enable-background="new 0 0 20 20" height="20" viewBox="0 0 20 20" width="20"><rect fill="none" height="20" width="20"/><path d="M4.5,14.75C4.5,14.34,4.84,14,5.25,14h4.5c0.41,0,0.75,0.34,0.75,0.75c0,0.41-0.34,0.75-0.75,0.75h-4.5 C4.84,15.5,4.5,15.16,4.5,14.75z M13.5,8c0,2.09-1.07,3.93-2.69,5H4.19C2.57,11.93,1.5,10.09,1.5,8c0-3.31,2.69-6,6-6 S13.5,4.69,13.5,8z M7.5,18C8.33,18,9,17.33,9,16.5H6C6,17.33,6.67,18,7.5,18z M18.5,8l0.47-1.03L20,6.5l-1.03-0.47L18.5,5 l-0.47,1.03L17,6.5l1.03,0.47L18.5,8z M15.5,5l0.78-1.72L18,2.5l-1.72-0.78L15.5,0l-0.78,1.72L13,2.5l1.72,0.78L15.5,5z"/></svg> | SVG | 2 | Imudassir77/material-design-icons | src/action/tips_and_updates/materialiconsround/20px.svg | [
"Apache-2.0"
] |
#include "test/jemalloc_test.h"
TEST_BEGIN(test_zero_alloc) {
void *res = malloc(0);
assert(res);
size_t usable = malloc_usable_size(res);
assert(usable > 0);
free(res);
}
TEST_END
int
main(void) {
return test(
test_zero_alloc);
}
| C | 3 | projectarcana-aosp/android_external_jemalloc-new | test/integration/malloc.c | [
"BSD-2-Clause"
] |
much very i as 1 next i smaller 10 next i more 1
shh 1
wow
| Dogescript | 0 | joeratt/dogescript | test/spec/loops/much/source.djs | [
"MIT"
] |
constant f : nat → nat → nat
constant fax1 : ∀ x, f x x = f x 0
constant fax2 : ∀ x, f x 0 = x
set_option trace.type_context.is_def_eq true
example (a : nat) : f a a = a :=
by simp [fax1, fax2]
| Lean | 4 | JLimperg/lean | tests/lean/run/trace_crash.lean | [
"Apache-2.0"
] |
@echo off
node "%~dp0\yarn.js" %*
| Batchfile | 2 | duluca/angular | third_party/github.com/yarnpkg/yarn/releases/download/v1.21.1/bin/yarn.cmd | [
"MIT"
] |
/* -*-Mode:C;coding:utf-8;tab-width:4;c-basic-offset:4;indent-tabs-mode:()-*-
* ex: set ft=c fenc=utf-8 sts=4 ts=4 sw=4 et nomod:
*
* MIT License
*
* Copyright (c) 2021 Michael Truog <mjtruog at protonmail dot com>
*
* Permission is hereby granted, free of charge, to any person obtaining a
* copy of this software and associated documentation files (the "Software"),
* to deal in the Software without restriction, including without limitation
* the rights to use, copy, modify, merge, publish, distribute, sublicense,
* and/or sell copies of the Software, and to permit persons to whom the
* Software is furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
* FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
* DEALINGS IN THE SOFTWARE.
*/
#ifndef CLOUDI_HATS
#define CLOUDI_HATS 1
#staload CLOUDI = "cloudi.sats"
#staload _/*CLOUDI*/ = "cloudi.dats"
overload = with $CLOUDI.trans_id_eq
overload != with $CLOUDI.trans_id_neq
overload <> with $CLOUDI.trans_id_neq
overload iseqz with $CLOUDI.trans_id_is_null
overload isneqz with $CLOUDI.trans_id_isnot_null
#endif /* CLOUDI_HATS */
| ATS | 3 | CloudI/CloudI | src/api/ats/v2/cloudi.hats | [
"MIT"
] |
\require "a@>=0.1" | LilyPond | 0 | HolgerPeters/lyp | spec/package_setups/circular/c@0.3/package.ly | [
"MIT"
] |
2019-09-18 23:23:21 --> kky (~kky@103.117.23.112) has joined #wikipedia-en
2019-09-18 23:23:21 -- Topic for #wikipedia-en is "English Wikipedia | Status: Up | Channel guidelines: https://bit.ly/WP-IRC | Need a chanop? Ask in #wikimedia-ops | For urgent admin help, say !admin <request>; for revdel, /join #wikipedia-en-revdel | No public logging | PM spam? You can set /mode <YourNick> +R to avoid getting PMs from unregistered users."
2019-09-18 23:23:21 -- Topic set by Waggie (~Waggie@wikipedia/Waggie) on Sun, 08 Sep 2019 04:43:37
2019-09-18 23:23:21 -- Channel #wikipedia-en: 203 nicks (1 op, 1 voice, 201 normals)
2019-09-18 23:23:21 -- URL for #wikipedia-en: https://en.wikipedia.org/
2019-09-18 23:23:23 -- Channel created on Sun, 26 Nov 2006 12:12:50
2019-09-18 23:23:36 --> housecarpenter (uid306022@gateway/web/irccloud.com/x-ktnyzjepuzklhqos) has joined #wikipedia-en
2019-09-18 23:29:00 --> Rnd_char_seq (41424b38@65-66-75-56.ded.swbell.net) has joined #wikipedia-en
2019-09-18 23:35:05 --> hauskatze (MarcoAurel@wikimedia/marcoaurelio) has joined #wikipedia-en
2019-09-18 23:35:21 -- irc: disconnected from server
| IRC log | 0 | akshaykumar23399/DOTS | weechat/logs/irc.freenode.#wikipedia-en.weechatlog | [
"Unlicense"
] |
union myUnion = ATypeName | ASecondTypeName
union tooLongNameeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee = A | B
union mySecondUnion = ATypeName | ASecondTypeName | AThirdTypeName
union myThirdUnion = AVeryVeryVeryLongNamedTypeName | ASecondVeryVeryVeryLongedNameTypeName
union longUnion = A | B | C | D | E | F | G | H | I | J | K | L | A | B | C | D | E | F | G | H | I | J | K | L
# comment
# comment2
union union = B | C | D | GraphQL | 2 | fuelingtheweb/prettier | tests/graphql_union_types/union_types.graphql | [
"MIT"
] |
scriptname _Frost_VendorStock extends Quest
import utility
book property _Frost_SpellTomeSoothe1 auto
book property _Frost_SurvivorsGuide auto
Potion property _Frost_WaterPotion auto
ReferenceAlias property RiverwoodTraderChestAlias auto
ReferenceAlias property AvalAtheronChestAlias auto
ReferenceAlias property BirnaChestAlias auto
ReferenceAlias property GrayPineGoodsChestAlias auto
ReferenceAlias property NiranyeChestAlias auto
ObjectReference property RiverwoodTraderMerchantContainer auto
ObjectReference property AvalAtheronChest auto
ObjectReference property BirnaChest auto
ObjectReference property GrayPineGoodsChest auto
ObjectReference property NiranyeChest auto
Event OnInit()
FillAllAliases()
wait(3.0)
ClearAllAliases()
RemoveAllModItems()
FillAllAliases()
RegisterForSingleUpdateGameTime(24)
endEvent
Event OnUpdateGameTime()
ClearAllAliases()
; Remove any items found in any of the chests listed
RemoveAllModItems()
FillAllAliases()
RegisterForSingleUpdateGameTime(24)
endEvent
Function ClearAllAliases()
; Clear all merchant chest aliases
RiverwoodTraderChestAlias.Clear()
AvalAtheronChestAlias.Clear()
BirnaChestAlias.Clear()
GrayPineGoodsChestAlias.Clear()
NiranyeChestAlias.Clear()
endFunction
Function FillAllAliases()
;Fill aliases to apply their inventories
RiverwoodTraderChestAlias.ForceRefIfEmpty(RiverwoodTraderMerchantContainer)
AvalAtheronChestAlias.ForceRefIfEmpty(AvalAtheronChest)
BirnaChestAlias.ForceRefIfEmpty(BirnaChest)
GrayPineGoodsChestAlias.ForceRefIfEmpty(GrayPineGoodsChest)
NiranyeChestAlias.ForceRefIfEmpty(NiranyeChest)
endFunction
function RemoveAllModItems()
;General Goods
RemoveItemFromVendor(_Frost_SpellTomeSoothe1, RiverwoodTraderMerchantContainer)
RemoveItemFromVendor(_Frost_WaterPotion, AvalAtheronChest)
RemoveItemFromVendor(_Frost_WaterPotion, BirnaChest)
RemoveItemFromVendor(_Frost_SurvivorsGuide, BirnaChest)
RemoveItemFromVendor(_Frost_SurvivorsGuide, GrayPineGoodsChest)
RemoveItemFromVendor(_Frost_WaterPotion, NiranyeChest)
endFunction
function RemoveItemFromVendor(Form akItem, ObjectReference akContainer)
if akContainer.GetItemCount(akItem) > 0
akContainer.RemoveItem(akItem, akContainer.GetItemCount(akItem))
endif
endFunction | Papyrus | 5 | chesko256/Campfire | Scripts/Source/_Frost_VendorStock.psc | [
"MIT"
] |
#N canvas 186 43 739 364 12;
#N canvas 213 187 495 352 input-sample 0;
#N canvas 0 0 450 300 graph1 0;
#X array array1 63024 float 0;
#X coords 0 1 63023 -1 400 300 1;
#X restore 54 22 graph;
#X text 145 376 INPUT SAMPLE;
#X restore 154 226 pd input-sample;
#N canvas 192 180 507 343 output-sample 0;
#N canvas 0 0 450 300 graph2 0;
#X array array2 504024 float 0;
#X coords 0 1 504023 -1 400 300 1;
#X restore 57 13 graph;
#X text 154 372 OUTPUT SAMPLE;
#X restore 155 249 pd output-sample;
#N canvas 116 150 735 421 guts 0;
#X msg 24 128 bang;
#X obj 24 345 openpanel;
#X obj 138 30 inlet;
#X obj 446 368 dac~;
#X obj 446 327 *~;
#X obj 461 304 line~;
#X obj 461 283 r master-amp;
#X msg 707 85 bang;
#X obj 707 106 savepanel;
#X obj 268 161 spigot;
#X msg 253 128 0;
#X msg 284 128 1;
#X obj 500 398 outlet;
#X obj 316 128 r frequency;
#X obj 256 312 tabwrite~ array2;
#X msg 256 189 bang;
#X obj 427 276 +~;
#X msg 139 128 \; pd dsp 1;
#X obj 446 347 hip~ 7;
#X obj 268 217 tabplay~ array1;
#X msg 442 124 bang;
#X obj 442 145 tabplay~ array2;
#X msg 707 126 write \$1 array2;
#X obj 707 147 soundfiler;
#X obj 138 51 route read run start hear save;
#N canvas 0 0 632 395 audio-transformation 0;
#X obj 101 49 inlet~;
#X obj 105 268 outlet~;
#X obj 101 148 rev1~ xxx;
#X obj 339 79 r revgain;
#X obj 338 102 dbtorms;
#X obj 338 130 pack 0 50;
#X obj 338 154 line~;
#X obj 103 204 *~;
#X obj 181 51 r revtime;
#X obj 213 236 *~;
#X obj 340 209 dbtorms;
#X obj 340 237 pack 0 50;
#X obj 340 261 line~;
#X obj 294 37 inlet;
#X msg 293 61 bang;
#X obj 342 186 r drygain;
#X connect 0 0 2 0;
#X connect 0 0 9 0;
#X connect 2 0 7 0;
#X connect 3 0 4 0;
#X connect 4 0 5 0;
#X connect 5 0 6 0;
#X connect 6 0 7 1;
#X connect 7 0 1 0;
#X connect 8 0 2 1;
#X connect 9 0 1 0;
#X connect 10 0 11 0;
#X connect 11 0 12 0;
#X connect 12 0 9 1;
#X connect 13 0 14 0;
#X connect 14 0 2 2;
#X connect 15 0 10 0;
#X restore 268 238 pd audio-transformation;
#X obj 500 377 env~ 16384;
#X obj 570 86 route normalized;
#X msg 570 179 write -normalize \$1 array2;
#X msg 570 138 bang;
#X obj 570 159 savepanel;
#X obj 570 204 soundfiler;
#X obj 24 396 soundfiler;
#X msg 24 374 read -resize -maxsize 1e+06 \$1 array1;
#X msg 24 440 \; array2 resize \$1;
#X obj 402 129 r q;
#X obj 24 419 + 441000;
#X connect 0 0 1 0;
#X connect 1 0 33 0;
#X connect 2 0 24 0;
#X connect 4 0 18 0;
#X connect 5 0 4 1;
#X connect 6 0 5 0;
#X connect 7 0 8 0;
#X connect 8 0 22 0;
#X connect 9 0 10 0;
#X connect 9 0 15 0;
#X connect 10 0 9 1;
#X connect 11 0 9 1;
#X connect 13 0 9 0;
#X connect 15 0 14 0;
#X connect 15 0 19 0;
#X connect 15 0 25 1;
#X connect 16 0 4 0;
#X connect 18 0 3 0;
#X connect 18 0 3 1;
#X connect 18 0 26 0;
#X connect 19 0 25 0;
#X connect 20 0 21 0;
#X connect 21 0 16 1;
#X connect 22 0 23 0;
#X connect 24 0 0 0;
#X connect 24 1 15 0;
#X connect 24 1 10 0;
#X connect 24 1 17 0;
#X connect 24 2 11 0;
#X connect 24 2 17 0;
#X connect 24 3 20 0;
#X connect 24 4 27 0;
#X connect 25 0 14 0;
#X connect 25 0 16 0;
#X connect 26 0 12 0;
#X connect 27 0 29 0;
#X connect 27 1 7 0;
#X connect 28 0 31 0;
#X connect 29 0 30 0;
#X connect 30 0 28 0;
#X connect 32 0 36 0;
#X connect 33 0 32 0;
#X connect 35 0 9 0;
#X connect 36 0 34 0;
#X restore 35 190 pd guts;
#X msg 35 85 run the transformation;
#X msg 35 127 hear the output buffer again;
#X text 35 45 click below to:;
#X msg 35 148 save the output buffer;
#X floatatom 445 285 0 0 120;
#N canvas 194 37 397 591 output 0;
#X obj 63 194 t b;
#X obj 63 146 f;
#X obj 63 98 inlet;
#X text 68 77 mute;
#X obj 63 218 f;
#X msg 129 233 0;
#X msg 63 122 bang;
#X obj 63 170 moses 1;
#X obj 129 209 t b f;
#X obj 92 423 outlet;
#X msg 92 399 set \$1;
#X obj 178 156 moses 1;
#X obj 215 425 dbtorms;
#X obj 215 450 pack 0 100;
#X obj 178 132 r master-lvl;
#X obj 92 366 r master-lvl;
#X obj 79 274 s master-lvl;
#X obj 215 474 s master-amp;
#X obj 199 233 loadbang;
#X msg 199 258 \; master-lvl 90;
#X connect 0 0 4 0;
#X connect 1 0 7 0;
#X connect 2 0 6 0;
#X connect 4 0 16 0;
#X connect 5 0 16 0;
#X connect 6 0 1 0;
#X connect 7 0 0 0;
#X connect 7 1 8 0;
#X connect 8 0 5 0;
#X connect 10 0 9 0;
#X connect 11 1 4 1;
#X connect 12 0 13 0;
#X connect 13 0 17 0;
#X connect 14 0 1 1;
#X connect 14 0 11 0;
#X connect 15 0 10 0;
#X connect 15 0 12 0;
#X connect 18 0 19 0;
#X restore 445 264 pd output;
#X msg 445 243 mute;
#X obj 445 306 s master-lvl;
#X text 486 242 <-- mute button;
#X floatatom 35 211 0 0 0;
#X text 13 251 100 maximum;
#X text 13 233 output meter;
#X text 482 284 <--set me;
#X msg 35 64 read an input file;
#X text 445 326 LINE OUT LEVEL in dB (100 norm);
#X msg 35 169 save normalized to max amplitude;
#X msg 35 106 start transformation when I change f or q;
#X floatatom 445 82 0 0 120;
#X floatatom 445 40 0 0 100;
#X obj 445 61 s revtime;
#X obj 445 103 s revgain;
#X floatatom 446 184 0 0 120;
#X text 494 84 <-- reverb gain;
#X text 482 185 <-- dry gain;
#X obj 446 205 s drygain;
#X obj 446 142 loadbang;
#X msg 446 163 100;
#X text 486 39 <- reverb time 0-100;
#X text 23 15 Reverberator. Read in a sample first.;
#X connect 2 0 12 0;
#X connect 3 0 2 0;
#X connect 4 0 2 0;
#X connect 6 0 2 0;
#X connect 7 0 10 0;
#X connect 8 0 7 0;
#X connect 9 0 8 0;
#X connect 16 0 2 0;
#X connect 18 0 2 0;
#X connect 19 0 2 0;
#X connect 20 0 23 0;
#X connect 21 0 22 0;
#X connect 24 0 27 0;
#X connect 28 0 29 0;
#X connect 29 0 24 0;
| Pure Data | 3 | mxa/pure-data | doc/7.stuff/soundfile-tools/5.reverb.pd | [
"TCL"
] |
complete -c my-app -s o -s O -l option -l opt -d 'cmd option' -r
complete -c my-app -s h -l help -d 'Print help information'
complete -c my-app -s V -l version -d 'Print version information'
complete -c my-app -s f -s F -l flag -l flg -d 'cmd flag'
| fish | 3 | omjadas/clap | clap_complete/tests/snapshots/aliases.fish | [
"Apache-2.0",
"MIT"
] |
#pragma TextEncoding="UTF-8"
#pragma rtGlobals=3
#pragma ModuleName = SIDAMUtilHelp
#include "SIDAM_Utilities_Panel"
#include "SIDAM_Utilities_misc"
#ifndef SIDAMshowProc
#pragma hide = 1
#endif
Function SIDAMOpenHelpNote(
String noteFileName, // name of a help file without its extension
String pnlName, // name of the parent panel
String title // title given to a help window
)
// Check parameters
if (!SIDAMWindowExists(pnlName))
return 2
endif
String helpWinName = GetUserData(pnlName,"","SIDAMOpenHelpNote")
if (SIDAMWindowExists(helpWinName))
DoWindow/F $helpWinName
return -1
endif
// Open a help file
NewPath/O/Q/Z SIDAMHelp, SIDAMPath() + SIDAM_FOLDER_HELP
OpenNoteBook/K=1/P=SIDAMHelp/R/Z (noteFileName+".ifn")
if (V_flag)
return 3 // file not found
endif
KillPath/Z SIDAMHelp
// Set a title, hook functions, and user data.
String noteName = WinName(0,16)
DoWindow/T $noteName, title
SetWindow $noteName hook(self)=SIDAMUtilHelp#hook
SetWindow $noteName userData(parent)=pnlName
SetWindow $pnlName hook(SIDAMOpenHelpNote)=SIDAMUtilHelp#hookParent
SetWindow $pnlName userData(SIDAMOpenHelpNote)=noteName
End
Static Function hook(STRUCT WMWinHookStruct &s)
if (s.eventCode != 2) // not kill
return 0
endif
String parent = GetUserData(s.winName,"","parent")
if(SIDAMWindowExists(parent))
SetWindow $parent hook(SIDAMOpenHelpNote)=$""
SetWindow $parent userData(SIDAMOpenHelpNote)=""
endif
return 0
End
Static Function hookParent(STRUCT WMWinHookStruct &s)
if (s.eventCode == 17) // killVote
KillWindow/Z $GetUserData(s.winName,"","SIDAMOpenHelpNote")
endif
return 0
End
Function/S SIDAMBrowseHelp(String kind)
strswitch(kind)
case "home":
BrowseURL SIDAM_URL_HOME
break
case "commands":
BrowseURL SIDAM_URL_COMMANDS
break
case "shortcuts":
BrowseURL SIDAM_URL_SHORTCUTS
break
endswitch
End
Function SIDAMAbout()
String promptStr
Sprintf promptStr, "SIDAM v%d.%d.%d", SIDAM_VERSION_MAJOR, SIDAM_VERSION_MINOR, SIDAM_VERSION_PATCH
DoAlert 0, promptStr
End
Function SIDAMCheckUpdate()
Variable new = existsNew()
if (numtype(new))
// error
DoAlert 0, "No version infomation is available (error)."
elseif (new)
// new
DoAlert 1, "A new version of SIDAM is available. " \
+ "Do you want to open the homepage of SIDAM?"
if (V_flag == 1)
BrowseURL SIDAM_URL_HOME
endif
else
// latest
DoAlert 0, "You are using the latest version of SIDAM."
endif
End
Static Function existsNew()
String response = FetchURL(SIDAM_URL_API_RELEASE)
// Get the latest tag name
int i0 = strsearch(response, "tag_name", 0)
if (i0 < 0)
return NaN
endif
int i1 = strsearch(response, ",", i0)
String verStr = response[i0+12,i1-2] // e.g., 9.6.0
int major, minor, patch
sscanf verStr, "%d.%d.%d", major, minor, patch
if (major > SIDAM_VERSION_MAJOR)
return 1
elseif (minor > SIDAM_VERSION_MINOR)
return 2
elseif (patch > SIDAM_VERSION_PATCH)
return 3
else
return 0
endif
End
| IGOR Pro | 4 | yuksk/SIDAM | src/SIDAM/func/SIDAM_Utilities_Help.ipf | [
"MIT"
] |
! Copyright (C) 2009 Daniel Ehrenberg
! See http://factorcode.org/license.txt for BSD license.
USING: help.syntax help.markup strings math ;
IN: wrap.strings
ABOUT: "wrap.strings"
ARTICLE: "wrap.strings" "String word wrapping"
"The " { $vocab-link "wrap.strings" } " vocabulary implements word wrapping for simple strings, assumed to be in monospace font."
{ $subsections
wrap-lines
wrap-string
wrap-indented-string
} ;
HELP: wrap-lines
{ $values { "string" string } { "width" integer } { "newlines" "sequence of strings" } }
{ $description "Given a " { $snippet "string" } ", divides it into a sequence of lines where each line has no more than " { $snippet "width" } " characters, unless there is a word longer than " { $snippet "width" } ". Linear whitespace between words is converted to a single space." } ;
HELP: wrap-string
{ $values { "string" string } { "width" integer } { "newstring" string } }
{ $description "Given a " { $snippet "string" } ", alters the whitespace in the string so that each line has no more than " { $snippet "width" } " characters, unless there is a word longer than " { $snippet "width" } ". Linear whitespace between words is converted to a single space." } ;
HELP: wrap-indented-string
{ $values { "string" string } { "width" integer } { "indent" "string or integer" } { "newstring" string } }
{ $description "Given a " { $snippet "string" } ", alters the whitespace in the string so that each line has no more than " { $snippet "width" } " characters, unless there is a word longer than " { $snippet "width" } ". Linear whitespace between words is converted to a single space. The " { $snippet "indent" } " can be either a " { $link string } " or a number of spaces to prepend to each line." } ;
| Factor | 5 | alex-ilin/factor | basis/wrap/strings/strings-docs.factor | [
"BSD-2-Clause"
] |
Date,Open,High,Low,Close,Volume
9-Jul-12,225.00,226.00,223.45,225.05,1921979
6-Jul-12,226.35,228.90,224.18,225.05,3203230
5-Jul-12,228.62,230.50,226.53,227.06,2683610
3-Jul-12,229.14,229.53,227.59,229.53,1335952
2-Jul-12,229.30,229.34,226.34,229.32,2330930
29-Jun-12,224.70,228.35,223.71,228.35,3615572
28-Jun-12,223.92,224.62,218.75,221.31,2995338
27-Jun-12,225.01,227.50,223.30,225.62,2799580
26-Jun-12,221.45,226.39,221.45,225.61,3755034
25-Jun-12,220.30,221.59,218.00,220.07,2382265
22-Jun-12,221.83,222.51,219.35,222.16,2188063
21-Jun-12,223.84,226.03,220.52,220.58,2843130
20-Jun-12,224.51,224.74,220.84,223.02,2445774
19-Jun-12,223.26,225.20,221.66,224.03,2716819
18-Jun-12,217.28,223.76,216.73,222.66,3371446
15-Jun-12,215.29,219.33,214.46,218.35,3788005
14-Jun-12,215.26,216.50,212.56,214.45,3060973
13-Jun-12,215.52,217.38,213.52,214.73,2326254
12-Jun-12,217.65,218.00,214.52,216.42,2833765
11-Jun-12,217.49,220.87,215.20,216.50,3749085
8-Jun-12,218.61,219.42,216.66,218.48,2876904
7-Jun-12,219.65,221.49,218.11,218.80,3505416
6-Jun-12,214.63,218.40,214.52,217.64,2715054
5-Jun-12,213.85,216.86,211.16,213.21,3546441
4-Jun-12,207.40,215.35,206.37,214.57,4302341
1-Jun-12,208.44,211.23,207.30,208.22,3953691
31-May-12,209.48,213.79,207.11,212.91,4944924
30-May-12,212.14,212.98,207.75,209.23,4085414
29-May-12,214.30,216.55,212.29,214.75,2695938
25-May-12,214.99,215.98,212.22,212.89,2171364
24-May-12,216.98,217.66,212.70,215.24,3141496
23-May-12,214.71,217.55,211.18,217.28,4243774
22-May-12,218.31,218.87,213.96,215.33,3733844
21-May-12,214.03,219.98,212.82,218.11,3580096
18-May-12,219.41,219.63,212.81,213.85,5233522
17-May-12,225.05,226.00,218.09,218.36,4507911
16-May-12,225.00,228.00,222.50,224.06,5261956
15-May-12,226.50,230.61,223.00,224.39,5716858
14-May-12,225.60,227.29,222.51,222.93,3096794
11-May-12,225.95,230.68,225.73,227.68,4195541
10-May-12,223.91,229.08,221.95,226.69,4648359
9-May-12,220.59,225.78,220.16,222.98,3713431
8-May-12,223.15,225.39,218.20,223.90,4523044
7-May-12,222.36,226.87,222.29,225.16,3314226
4-May-12,227.80,229.72,223.74,223.99,4587893
3-May-12,229.74,232.53,228.03,229.45,4057859
2-May-12,227.82,231.44,227.40,230.25,4593971
1-May-12,229.40,232.97,228.40,230.04,6757217
30-Apr-12,223.95,233.84,223.05,231.90,9766512
27-Apr-12,224.83,228.69,220.22,226.85,22112329
26-Apr-12,193.57,196.36,193.02,195.99,10233980
25-Apr-12,191.67,194.80,191.60,194.42,3958413
24-Apr-12,188.68,190.70,186.51,190.33,3381850
23-Apr-12,188.99,188.99,185.51,188.24,3481356
20-Apr-12,192.34,193.48,189.80,189.98,3243745
19-Apr-12,192.93,194.55,189.75,191.10,4003037
18-Apr-12,188.82,193.45,188.74,191.07,4003095
17-Apr-12,187.21,190.04,186.87,188.39,2829460
16-Apr-12,189.01,189.47,183.65,185.50,4044271
13-Apr-12,189.90,189.94,186.26,188.46,3432203
12-Apr-12,188.06,192.26,185.61,190.69,4028910
11-Apr-12,189.63,191.97,186.79,187.97,4338218
10-Apr-12,192.75,193.52,186.57,186.98,4455491
9-Apr-12,192.02,194.20,190.50,191.87,3136878
5-Apr-12,193.55,196.03,193.55,194.39,3217777
4-Apr-12,196.95,197.68,192.36,193.99,5459483
3-Apr-12,198.24,202.39,197.50,199.66,5000080
2-Apr-12,198.02,199.90,197.00,198.05,6430730
30-Mar-12,205.02,206.85,201.87,202.51,4440996
29-Mar-12,201.28,205.31,200.63,204.61,5711525
28-Mar-12,206.14,207.00,200.31,201.16,6246236
27-Mar-12,203.59,209.85,202.88,205.44,9600734
26-Mar-12,196.48,202.97,195.50,202.87,7620695
23-Mar-12,192.01,196.20,191.80,195.04,5984094
22-Mar-12,190.54,194.06,190.26,192.40,3740279
21-Mar-12,192.50,194.28,191.26,191.73,4215499
20-Mar-12,184.88,194.41,182.88,192.33,9167308
19-Mar-12,183.45,186.68,183.00,185.52,3904019
16-Mar-12,183.28,185.68,182.35,185.05,4934824
15-Mar-12,182.02,184.43,180.30,184.43,4160618
14-Mar-12,183.65,184.32,181.14,182.26,3699734
13-Mar-12,183.92,184.87,180.77,184.59,4404299
12-Mar-12,184.13,185.40,182.20,183.39,2588002
9-Mar-12,186.79,187.20,183.44,184.32,4510556
8-Mar-12,184.17,188.38,183.80,187.64,4223589
7-Mar-12,182.65,185.50,182.40,183.77,4951927
6-Mar-12,178.68,183.50,178.04,181.09,5614085
5-Mar-12,179.00,181.82,178.18,180.26,4684257
2-Mar-12,179.48,181.84,178.92,179.30,3658009
1-Mar-12,179.89,180.49,176.58,180.04,4938425
29-Feb-12,183.89,184.00,179.01,179.69,5302508
28-Feb-12,178.90,184.29,177.95,183.80,5764907
27-Feb-12,177.54,179.19,176.50,178.53,3707942
24-Feb-12,179.70,180.74,178.37,179.13,3669165
23-Feb-12,179.64,180.75,176.96,178.89,5157465
22-Feb-12,181.95,182.99,180.29,180.58,5786428
21-Feb-12,182.65,184.75,180.58,182.26,6758962
17-Feb-12,180.09,183.41,179.36,182.50,7418563
16-Feb-12,177.79,181.68,175.14,179.93,12565470
15-Feb-12,191.29,191.54,183.26,184.47,7802059
14-Feb-12,191.08,193.57,186.10,191.30,9534544
13-Feb-12,187.17,192.50,185.68,191.59,6073565
10-Feb-12,183.42,187.63,182.52,185.54,5798484
9-Feb-12,184.50,185.69,181.76,184.98,7189994
8-Feb-12,184.95,186.49,182.91,185.48,5477425
7-Feb-12,182.65,184.94,182.06,184.19,5104453
6-Feb-12,186.28,186.56,182.92,183.14,5311645
3-Feb-12,182.83,187.90,181.89,187.68,8122732
2-Feb-12,179.65,181.94,176.80,181.72,8738896
1-Feb-12,173.81,179.95,172.00,179.46,21341033
31-Jan-12,194.00,195.63,189.70,194.44,12772139
30-Jan-12,193.68,195.00,190.13,192.15,5430039
27-Jan-12,193.09,196.50,192.33,195.37,4663070
26-Jan-12,189.30,194.85,188.73,193.32,5878847
25-Jan-12,186.99,188.17,184.61,187.80,4308183
24-Jan-12,185.00,188.41,183.82,187.00,4681086
23-Jan-12,190.79,191.73,185.23,186.09,4587694
20-Jan-12,190.71,192.90,189.04,190.93,5610542
19-Jan-12,190.88,195.94,190.36,194.45,7100003
18-Jan-12,181.94,190.25,181.12,189.44,7477287
17-Jan-12,180.15,183.30,178.51,181.66,5645244
13-Jan-12,178.42,178.42,178.42,178.42,0
12-Jan-12,179.42,179.49,175.75,175.93,5388353
11-Jan-12,179.64,180.77,178.19,178.90,3102877
10-Jan-12,181.10,182.40,177.10,179.34,3986102
9-Jan-12,182.76,184.37,177.00,178.56,5058542
6-Jan-12,178.07,184.65,177.50,182.61,7010139
5-Jan-12,175.94,178.25,174.05,177.61,3810496
4-Jan-12,179.21,180.50,176.06,177.51,4206624
3-Jan-12,175.89,179.48,175.55,179.03,5111970
30-Dec-11,173.10,173.10,173.10,173.10,0
29-Dec-11,169.62,174.55,166.97,173.86,8212559
28-Dec-11,176.39,176.65,172.28,173.89,3660008
27-Dec-11,177.73,178.59,176.16,176.27,2951104
23-Dec-11,177.34,177.34,177.34,177.34,0
22-Dec-11,175.09,179.67,174.21,179.03,4696272
21-Dec-11,181.92,183.50,172.49,174.35,8068732
20-Dec-11,182.69,183.17,180.54,182.52,4600597
19-Dec-11,182.00,183.17,179.00,179.33,4535016
16-Dec-11,182.42,184.41,180.31,181.26,6665197
15-Dec-11,182.05,184.80,179.53,181.26,7260281
14-Dec-11,179.00,180.75,170.25,180.21,11616875
13-Dec-11,188.56,189.68,178.50,180.51,9306288
12-Dec-11,190.03,191.15,187.63,189.52,4344146
9-Dec-11,191.21,193.95,188.40,193.03,5159276
8-Dec-11,193.57,195.89,190.08,190.48,4361514
7-Dec-11,191.03,196.71,189.12,195.32,6428567
6-Dec-11,195.98,198.32,190.11,191.99,5203688
5-Dec-11,198.86,199.00,193.67,196.24,5922598
2-Dec-11,197.07,199.66,195.18,196.03,7526348
1-Dec-11,191.85,198.08,191.59,197.13,7330072
30-Nov-11,194.76,195.30,188.75,192.29,7718451
29-Nov-11,194.78,195.50,187.30,188.39,6577462
28-Nov-11,191.65,194.62,190.54,194.15,7207253
25-Nov-11,190.41,190.83,181.51,182.40,4971977
23-Nov-11,188.99,188.99,188.99,188.99,0
22-Nov-11,186.95,194.04,183.58,192.34,9919367
21-Nov-11,193.29,193.36,185.05,189.25,11323532
18-Nov-11,205.33,205.34,197.11,197.14,8438477
17-Nov-11,212.51,212.90,202.10,204.52,7985182
16-Nov-11,216.27,216.97,211.23,211.99,5510208
15-Nov-11,218.00,220.33,214.26,217.83,5739106
14-Nov-11,215.65,222.35,214.25,218.93,6522901
11-Nov-11,212.52,217.88,210.31,217.39,5165571
10-Nov-11,213.50,214.06,208.10,210.79,5044864
9-Nov-11,214.95,215.70,210.60,211.22,4685124
8-Nov-11,219.20,219.35,215.21,217.99,3917258
7-Nov-11,216.84,220.20,214.00,217.00,3860758
4-Nov-11,217.65,218.23,214.33,216.48,4066890
3-Nov-11,216.30,218.50,213.02,218.29,5317497
2-Nov-11,215.55,216.79,212.72,215.62,6133127
1-Nov-11,208.11,216.21,207.43,212.10,8516210
31-Oct-11,215.79,218.89,213.04,213.51,7352676
28-Oct-11,206.53,218.40,205.75,217.32,9886256
27-Oct-11,204.26,208.60,201.10,206.78,10776025
26-Oct-11,203.69,207.58,196.51,198.40,24140922
25-Oct-11,238.59,239.01,225.89,227.15,14012593
24-Oct-11,236.02,240.47,234.00,237.61,4976877
21-Oct-11,236.91,237.00,230.60,234.78,4572980
20-Oct-11,232.13,234.74,229.80,233.61,4526838
19-Oct-11,240.67,243.33,229.25,231.53,6715807
18-Oct-11,242.31,244.61,236.62,243.88,4612859
17-Oct-11,244.29,246.71,240.67,242.33,4778929
14-Oct-11,240.87,246.71,240.18,246.71,5927282
13-Oct-11,237.00,239.68,235.23,236.15,4841536
12-Oct-11,236.64,241.84,234.33,236.81,6511045
11-Oct-11,230.60,236.75,229.00,235.48,5005722
10-Oct-11,226.23,232.80,224.10,231.32,5145525
7-Oct-11,222.48,227.90,218.41,224.74,6786465
6-Oct-11,220.28,223.62,217.55,221.51,6850357
5-Oct-11,212.53,220.17,208.48,219.50,6512936
4-Oct-11,209.62,215.00,200.43,212.50,8715811
3-Oct-11,217.01,221.60,211.39,211.98,6625118
30-Sep-11,218.19,223.00,215.21,216.23,6553621
29-Sep-11,234.17,234.30,216.29,222.44,9380228
28-Sep-11,226.35,235.81,225.60,229.71,14439111
27-Sep-11,234.22,234.75,222.40,224.21,7840914
26-Sep-11,227.48,230.24,221.40,229.85,5794703
23-Sep-11,220.51,224.49,219.06,223.61,6469239
22-Sep-11,224.72,228.79,219.00,223.23,8255563
21-Sep-11,234.51,240.52,231.81,231.87,5884096
20-Sep-11,240.80,241.05,231.03,233.25,7385251
19-Sep-11,237.11,244.00,232.88,241.69,8223270
16-Sep-11,227.57,240.44,226.74,239.30,11760132
15-Sep-11,223.99,227.20,221.25,226.78,5610172
14-Sep-11,220.22,224.99,216.72,222.57,5884384
13-Sep-11,217.79,219.95,215.01,219.53,4836596
12-Sep-11,208.75,216.66,208.65,216.56,5343529
9-Sep-11,215.05,216.96,209.75,211.39,4576477
8-Sep-11,218.30,220.64,216.34,217.26,4405196
7-Sep-11,218.80,220.19,214.22,219.90,5302955
6-Sep-11,204.77,216.60,204.47,216.18,6217185
2-Sep-11,208.94,210.69,207.00,210.00,4237270
1-Sep-11,215.28,217.64,211.62,212.54,5276688
31-Aug-11,212.27,216.17,211.35,215.23,7406344
30-Aug-11,205.78,212.49,204.32,210.92,5919660
29-Aug-11,202.82,206.67,202.55,206.53,4515202
26-Aug-11,191.24,199.72,189.60,199.27,5310620
25-Aug-11,194.41,196.99,191.07,192.03,3760329
24-Aug-11,193.89,196.31,190.17,193.73,6252998
23-Aug-11,178.92,194.84,178.52,193.55,7352930
22-Aug-11,182.83,184.20,177.10,177.54,5314812
19-Aug-11,180.29,190.00,177.55,178.93,7248437
18-Aug-11,191.21,191.34,179.72,182.52,8280385
17-Aug-11,198.53,199.60,193.74,195.93,3991541
16-Aug-11,201.14,201.39,194.75,197.68,5209051
15-Aug-11,202.06,205.28,198.32,202.95,4785864
12-Aug-11,200.28,204.56,197.21,202.30,5620580
11-Aug-11,197.01,200.85,191.36,198.36,7404618
10-Aug-11,200.76,202.40,193.60,194.13,8757585
9-Aug-11,0.00,205.09,190.46,205.09,10497215
8-Aug-11,196.40,200.39,190.05,193.70,10431184
5-Aug-11,204.67,207.32,194.84,202.70,10024461
4-Aug-11,206.73,208.00,201.45,201.48,6584935
3-Aug-11,209.48,214.83,205.54,209.96,8199706
2-Aug-11,220.32,222.43,211.30,211.70,6588846
1-Aug-11,225.00,227.45,217.66,221.32,5792926
29-Jul-11,221.29,225.75,219.51,222.52,5170390
28-Jul-11,223.27,225.95,220.23,223.90,5355607
27-Jul-11,224.39,227.20,219.62,222.52,12956323
26-Jul-11,214.99,215.60,210.35,214.18,9863579
25-Jul-11,215.49,216.08,213.00,213.49,3346669
22-Jul-11,213.86,217.95,211.11,216.52,3599944
21-Jul-11,216.74,217.09,211.07,213.21,4546082
20-Jul-11,220.05,220.20,214.41,215.55,3375432
19-Jul-11,213.77,218.40,213.77,218.06,4438956
18-Jul-11,212.53,213.39,208.29,211.53,2900565
15-Jul-11,213.08,214.53,209.29,212.87,4075383
14-Jul-11,213.58,215.91,209.38,210.38,3904926
13-Jul-11,214.70,216.83,212.14,213.50,4231702
12-Jul-11,214.64,215.65,211.12,211.23,3987227
11-Jul-11,216.74,217.50,211.00,212.55,4034763
8-Jul-11,214.30,218.32,213.25,218.28,3708086
7-Jul-11,215.09,217.80,215.09,216.74,3145960
6-Jul-11,212.12,214.40,211.01,214.19,2607964
5-Jul-11,208.76,214.45,208.73,213.19,3586281
1-Jul-11,209.49,209.49,209.49,209.49,0
30-Jun-11,200.78,205.20,200.50,204.49,4451250
29-Jun-11,202.67,206.25,201.03,204.18,4609723
28-Jun-11,201.92,202.88,200.60,202.35,3825988
27-Jun-11,194.50,202.58,194.03,201.25,6101849
24-Jun-11,193.88,194.92,191.35,192.55,3616647
23-Jun-11,189.50,194.46,188.30,194.16,4615173
22-Jun-11,193.96,195.20,191.32,191.63,3134854
21-Jun-11,188.30,195.00,187.12,194.23,4183501
20-Jun-11,185.96,188.85,185.57,187.72,2834166
17-Jun-11,186.51,187.39,184.64,186.37,6328369
16-Jun-11,185.74,187.00,181.59,183.65,6032134
15-Jun-11,188.04,192.45,185.30,185.98,6318168
14-Jun-11,188.99,190.72,187.07,189.96,3960596
13-Jun-11,186.81,189.31,184.86,186.29,3870110
10-Jun-11,189.25,190.77,186.28,186.53,3763319
9-Jun-11,189.74,191.76,185.71,189.68,4187248
8-Jun-11,187.45,189.81,186.32,188.05,3717299
7-Jun-11,185.72,190.63,185.52,187.55,4867038
6-Jun-11,188.66,189.85,185.18,185.69,3713215
3-Jun-11,191.23,193.21,187.62,188.32,4975621
2-Jun-11,192.28,194.44,190.56,193.65,3045560
1-Jun-11,196.06,197.26,192.05,192.40,3449408
31-May-11,195.94,198.44,195.03,196.69,3412945
27-May-11,194.13,194.13,194.13,194.13,0
26-May-11,191.24,196.45,190.88,195.00,4075276
25-May-11,193.57,194.35,191.14,192.26,4661207
24-May-11,197.00,197.00,193.00,193.27,2972667
23-May-11,195.56,197.29,192.02,196.22,4230523
20-May-11,197.95,199.80,197.24,198.65,3382021
19-May-11,198.33,199.95,197.55,198.80,3702622
18-May-11,194.13,198.28,193.25,197.09,4958993
17-May-11,191.82,195.98,191.76,194.81,7077636
16-May-11,200.54,200.90,191.37,192.51,9389688
13-May-11,205.70,206.39,202.36,202.56,4126181
12-May-11,204.22,206.19,200.62,206.07,4820690
11-May-11,203.12,205.50,202.25,204.38,4813424
10-May-11,201.94,205.29,201.56,203.94,5891767
9-May-11,198.34,202.36,196.78,200.80,5826058
6-May-11,199.10,199.56,196.56,197.60,4017937
5-May-11,198.66,201.00,196.12,197.11,4638222
4-May-11,198.25,201.86,195.37,199.97,6551399
3-May-11,201.00,202.59,196.69,198.45,6053289
2-May-11,196.57,203.42,196.18,201.19,9399303
29-Apr-11,194.38,196.59,193.78,195.81,6640873
28-Apr-11,195.96,196.79,192.27,195.07,7277475
27-Apr-11,183.20,197.80,182.75,196.63,23622949
26-Apr-11,186.27,186.42,180.74,182.30,11240571
25-Apr-11,185.65,186.35,183.77,185.42,3439714
21-Apr-11,185.89,185.89,185.89,185.89,0
20-Apr-11,181.62,185.00,181.59,183.87,4068097
19-Apr-11,178.35,179.47,176.60,178.82,2647483
18-Apr-11,178.38,178.91,175.37,178.34,4617288
15-Apr-11,181.00,181.78,179.02,180.01,4272899
14-Apr-11,181.39,182.08,179.36,181.82,3589689
13-Apr-11,180.83,182.88,179.80,182.29,4228310
12-Apr-11,183.06,184.59,179.42,180.48,5340273
11-Apr-11,183.76,183.76,183.76,183.76,0
8-Apr-11,185.26,186.22,182.78,184.71,3727206
7-Apr-11,182.78,185.17,181.76,184.91,4565547
6-Apr-11,182.97,182.97,182.97,182.97,0
5-Apr-11,182.10,186.36,181.80,185.29,5570058
4-Apr-11,181.04,181.04,181.04,181.04,0
1-Apr-11,181.58,183.25,178.59,180.13,5686427
31-Mar-11,179.31,181.57,178.50,180.13,4828345
30-Mar-11,177.78,181.16,177.66,179.42,6860586
29-Mar-11,170.73,174.84,170.07,174.62,4887443
28-Mar-11,171.80,172.50,169.25,169.35,3400936
25-Mar-11,171.64,173.49,170.30,170.98,4294302
24-Mar-11,168.21,172.00,167.36,171.10,6286823
23-Mar-11,162.30,166.26,160.82,165.32,4723630
22-Mar-11,164.07,164.44,162.25,162.60,3612926
21-Mar-11,164.62,164.62,164.62,164.62,0
18-Mar-11,161.19,163.54,160.59,161.82,7449926
17-Mar-11,165.91,166.30,160.78,160.97,6472880
16-Mar-11,164.70,168.14,162.87,164.70,5214642
15-Mar-11,161.39,166.88,160.76,165.08,4937326
14-Mar-11,166.60,168.08,164.57,166.73,4023987
11-Mar-11,165.50,169.20,164.12,168.07,4607082
10-Mar-11,167.07,168.47,164.82,166.14,6000454
9-Mar-11,166.67,169.75,163.90,169.05,7109627
8-Mar-11,169.39,169.71,166.72,166.89,4223893
7-Mar-11,171.92,172.09,166.24,169.08,5933430
4-Mar-11,172.62,172.75,169.51,171.67,4924495
3-Mar-11,173.71,174.46,172.05,172.79,4139104
2-Mar-11,169.09,173.30,168.35,172.02,5186388
1-Mar-11,173.53,173.96,168.67,169.44,5847443
28-Feb-11,173.91,175.89,172.15,173.29,6788009
25-Feb-11,178.95,180.75,177.10,177.24,4194514
24-Feb-11,176.86,179.75,174.56,177.75,4661140
23-Feb-11,180.25,181.15,174.39,176.68,5487837
22-Feb-11,183.68,184.72,179.32,180.42,5639604
18-Feb-11,186.50,186.50,186.50,186.50,0
17-Feb-11,185.77,189.09,185.31,187.76,3426374
16-Feb-11,189.77,190.00,186.35,186.62,4633082
15-Feb-11,189.56,189.56,189.56,189.56,0
14-Feb-11,189.25,191.40,188.35,190.42,4070689
11-Feb-11,185.56,189.50,185.37,189.25,4497699
10-Feb-11,184.39,187.24,183.60,186.21,5332604
9-Feb-11,183.15,186.47,182.26,185.30,8315841
8-Feb-11,176.66,183.11,176.59,183.06,7802311
7-Feb-11,176.15,177.55,174.77,176.43,5256698
4-Feb-11,174.00,177.19,173.75,175.93,4352491
3-Feb-11,173.50,174.67,171.95,173.71,3681259
2-Feb-11,171.42,175.20,170.87,173.53,4551448
1-Feb-11,170.52,173.10,169.51,172.11,5089748
31-Jan-11,170.16,171.44,167.41,169.64,6721545
28-Jan-11,171.45,173.71,166.90,171.14,19914851
27-Jan-11,177.48,185.00,177.31,184.45,14594320
26-Jan-11,177.51,177.89,174.63,175.39,3762167
25-Jan-11,175.50,176.75,174.28,176.70,4653276
24-Jan-11,177.95,178.49,174.15,176.85,5602345
21-Jan-11,181.22,181.22,181.22,181.22,0
20-Jan-11,185.29,186.85,181.00,181.96,5717568
19-Jan-11,190.90,191.00,186.21,186.87,3889410
18-Jan-11,191.42,191.42,191.42,191.42,0
14-Jan-11,188.75,188.75,188.75,188.75,0
13-Jan-11,183.60,186.45,183.51,185.53,3368768
12-Jan-11,185.36,185.38,183.30,184.08,2679087
11-Jan-11,185.42,186.00,183.21,184.34,2815814
10-Jan-11,185.04,185.29,182.51,184.68,3376678
7-Jan-11,187.88,188.45,183.74,185.49,5222815
6-Jan-11,186.50,187.41,185.25,185.86,3179610
5-Jan-11,185.86,185.86,185.86,185.86,0
4-Jan-11,186.15,187.70,183.78,185.01,5034775
3-Jan-11,181.37,186.00,181.21,184.22,5333813
31-Dec-10,180.80,180.80,180.80,180.80,0
30-Dec-10,183.92,184.55,182.75,182.75,1961549
29-Dec-10,181.80,184.35,180.41,183.37,3122379
28-Dec-10,182.10,182.77,181.05,181.09,1975718
27-Dec-10,181.90,183.14,180.45,182.14,2249734
23-Dec-10,182.59,182.59,182.59,182.59,0
22-Dec-10,185.00,185.45,184.11,184.76,2580840
21-Dec-10,183.88,185.65,182.60,184.75,5112753
20-Dec-10,179.27,183.98,178.04,183.29,8735272
17-Dec-10,178.41,178.75,177.02,177.58,4508074
16-Dec-10,175.58,178.30,175.04,178.04,4123222
15-Dec-10,173.72,179.00,173.59,175.57,5817620
14-Dec-10,174.28,175.76,173.09,173.94,3689528
13-Dec-10,176.33,177.94,173.73,174.25,4206511
10-Dec-10,174.88,175.95,173.36,175.62,3566523
9-Dec-10,177.77,178.11,173.80,174.85,4555974
8-Dec-10,177.49,178.16,175.20,176.29,3735998
7-Dec-10,180.50,181.47,176.57,176.77,5079928
6-Dec-10,175.52,178.43,174.60,178.05,5663482
3-Dec-10,175.50,176.40,174.05,175.68,4909659
2-Dec-10,176.86,177.45,173.92,176.53,5541683
1-Dec-10,179.16,179.32,176.00,176.55,5778757
30-Nov-10,176.95,177.70,174.90,175.40,6767225
29-Nov-10,179.99,181.84,177.57,179.49,9699540
26-Nov-10,177.36,178.38,176.16,177.20,4272138
24-Nov-10,177.25,177.25,177.25,177.25,0
23-Nov-10,168.61,168.81,164.62,168.20,6472593
22-Nov-10,165.10,170.60,165.00,170.39,6149610
19-Nov-10,163.95,164.99,162.84,164.82,4466200
18-Nov-10,160.74,165.00,160.74,164.17,6230844
17-Nov-10,157.84,160.85,157.55,158.35,4527206
16-Nov-10,158.74,160.91,156.77,157.78,6573783
15-Nov-10,165.16,165.35,158.56,158.90,9648534
12-Nov-10,170.12,171.26,165.05,165.68,7167318
11-Nov-10,171.00,172.05,169.42,170.37,5697867
10-Nov-10,170.59,173.37,169.41,173.33,5450045
9-Nov-10,172.67,173.14,169.06,170.27,3980867
8-Nov-10,170.01,173.20,168.78,171.99,5710955
5-Nov-10,169.35,171.65,168.59,170.77,5218668
4-Nov-10,169.86,172.53,168.40,168.93,7402048
3-Nov-10,165.40,168.61,162.29,168.47,6119680
2-Nov-10,163.75,165.94,163.36,164.61,4264710
1-Nov-10,164.45,164.58,161.52,162.58,5245249
29-Oct-10,165.80,168.50,164.81,165.23,4998465
28-Oct-10,168.31,168.49,165.05,166.84,4688210
27-Oct-10,168.91,169.75,166.54,167.51,5729134
26-Oct-10,167.57,171.00,167.50,169.95,4693643
25-Oct-10,171.57,171.99,168.32,169.00,6534224
22-Oct-10,162.45,170.17,162.27,169.13,16322252
21-Oct-10,162.67,166.13,161.29,164.97,13585342
20-Oct-10,158.78,159.87,156.57,158.67,5790387
19-Oct-10,160.68,162.80,157.00,158.67,7531854
18-Oct-10,165.00,165.19,161.82,163.56,6338544
15-Oct-10,158.42,164.88,156.75,164.64,10135456
14-Oct-10,155.16,156.95,154.23,155.53,4032909
13-Oct-10,156.69,156.79,153.85,155.17,5637813
12-Oct-10,152.51,156.95,151.40,156.48,5289793
11-Oct-10,154.89,156.63,152.34,153.03,4486390
8-Oct-10,155.18,156.28,152.78,155.55,6922014
7-Oct-10,156.51,157.40,153.39,156.27,4635900
6-Oct-10,160.60,160.68,154.60,155.40,6060796
5-Oct-10,157.08,161.21,157.01,160.87,5620928
4-Oct-10,153.95,155.96,152.79,155.39,5354314
1-Oct-10,157.08,157.44,152.20,153.71,8691126
30-Sep-10,160.01,160.93,155.60,157.06,7606104
29-Sep-10,159.03,161.78,157.75,158.99,7290539
28-Sep-10,159.84,160.88,154.89,159.70,8494910
27-Sep-10,160.22,161.20,157.88,159.37,6453678
24-Sep-10,155.43,160.89,155.42,160.73,10590503
23-Sep-10,151.20,155.92,150.97,152.85,7066939
22-Sep-10,149.84,152.70,149.10,151.83,6618751
21-Sep-10,150.76,153.31,149.60,150.73,7546662
20-Sep-10,148.70,151.95,147.35,151.30,6456145
17-Sep-10,148.90,148.98,146.50,148.32,7262649
16-Sep-10,145.40,148.23,145.16,148.13,5826973
15-Sep-10,144.88,145.62,143.56,145.45,4905675
14-Sep-10,144.50,146.70,143.83,145.75,4323591
13-Sep-10,144.07,145.74,143.76,145.07,5083219
10-Sep-10,140.75,142.60,140.04,142.44,5044666
9-Sep-10,140.39,141.37,139.26,140.38,4966544
8-Sep-10,137.93,139.70,136.45,139.14,5832513
7-Sep-10,137.56,138.60,136.89,137.22,3887333
6-Sep-10,138.79,138.79,138.79,138.79,0
3-Sep-10,138.79,138.79,138.79,138.79,0
2-Sep-10,132.17,135.21,132.05,135.21,5407347
1-Sep-10,126.36,132.60,126.17,132.49,7138237
31-Aug-10,122.85,125.90,122.50,124.83,4226620
30-Aug-10,126.03,126.95,123.69,123.79,3430965
27-Aug-10,125.46,126.64,123.68,126.64,5080505
26-Aug-10,127.15,127.49,124.82,124.86,4699222
25-Aug-10,123.85,127.37,123.83,126.85,5346447
24-Aug-10,125.41,125.44,123.75,124.53,5369619
23-Aug-10,127.86,129.22,126.50,126.60,3867811
20-Aug-10,127.20,128.04,126.02,127.76,4172548
19-Aug-10,129.22,130.02,126.82,127.57,5582487
18-Aug-10,129.25,130.81,128.87,129.65,7902371
17-Aug-10,127.34,129.98,127.02,128.86,5045092
16-Aug-10,123.61,127.37,123.61,126.07,4027614
13-Aug-10,126.06,126.88,124.26,124.69,3983580
12-Aug-10,123.76,127.00,123.75,126.56,4368459
11-Aug-10,128.10,128.12,125.20,125.89,5542390
10-Aug-10,127.95,130.00,127.38,130.00,5706813
9-Aug-10,128.46,129.93,127.85,128.83,5087069
6-Aug-10,126.72,128.40,125.90,128.32,5065977
5-Aug-10,126.77,128.00,125.82,127.83,4282297
4-Aug-10,123.06,128.47,123.00,127.58,9275063
3-Aug-10,120.00,122.87,119.68,122.42,5962926
2-Aug-10,119.15,120.38,117.57,120.07,5482619
30-Jul-10,115.53,118.74,114.51,117.89,7083180
29-Jul-10,117.99,118.87,115.52,116.86,6184850
28-Jul-10,117.00,118.20,116.40,117.13,5472256
27-Jul-10,118.43,118.50,115.07,117.13,7796020
26-Jul-10,118.26,118.60,114.88,118.40,11137741
23-Jul-10,105.92,119.28,105.80,118.87,42421074
22-Jul-10,118.71,120.87,118.02,120.07,15003327
21-Jul-10,120.62,121.25,117.26,117.43,5011618
20-Jul-10,120.61,120.71,117.51,120.10,6785727
19-Jul-10,118.38,120.74,117.00,119.94,5030817
16-Jul-10,121.28,121.92,118.01,118.49,6227899
15-Jul-10,120.13,122.48,119.26,122.06,6051125
14-Jul-10,123.03,123.75,121.47,123.30,5257540
13-Jul-10,120.69,124.88,120.30,123.65,7091088
12-Jul-10,117.81,119.70,117.32,119.51,4783737
9-Jul-10,116.55,117.40,114.65,117.26,4065036
8-Jul-10,115.02,117.48,114.07,116.22,6776483
7-Jul-10,109.84,113.63,109.81,113.43,4944961
6-Jul-10,110.65,112.53,109.00,110.06,5219408
5-Jul-10,109.14,109.14,109.14,109.14,0
2-Jul-10,109.14,109.14,109.14,109.14,0
1-Jul-10,108.90,111.69,106.70,110.96,8530344
30-Jun-10,108.58,112.68,108.11,109.26,9740934
29-Jun-10,116.26,116.48,106.01,108.61,12866217
28-Jun-10,118.85,120.04,117.10,117.80,5612525
25-Jun-10,118.14,121.76,117.63,121.00,5770282
24-Jun-10,120.61,120.85,116.80,118.33,7771960
23-Jun-10,122.11,123.22,120.04,121.45,5455131
22-Jun-10,122.65,125.23,121.55,122.31,6207395
21-Jun-10,126.79,127.48,121.41,122.55,5327679
18-Jun-10,126.48,127.48,125.07,125.83,3840699
17-Jun-10,126.74,127.80,124.69,125.89,3480029
16-Jun-10,125.39,127.98,125.36,126.90,3964437
15-Jun-10,123.20,126.92,122.50,126.84,4541551
14-Jun-10,124.24,125.70,123.50,123.83,3922912
11-Jun-10,121.39,123.53,120.29,123.03,4205811
10-Jun-10,120.00,123.50,119.20,123.21,6061755
9-Jun-10,120.31,121.47,117.36,117.91,7371717
8-Jun-10,122.00,122.00,115.80,118.84,11517726
7-Jun-10,125.84,126.61,121.67,122.01,6574503
4-Jun-10,126.33,128.20,122.18,122.77,5497625
3-Jun-10,126.25,129.15,124.85,128.76,5277304
2-Jun-10,124.02,126.43,121.65,126.31,4764623
1-Jun-10,124.97,126.57,123.02,123.24,3659489
31-May-10,125.46,125.46,125.46,125.46,0
28-May-10,125.46,125.46,125.46,125.46,0
27-May-10,124.98,126.85,120.60,126.70,4748544
26-May-10,125.05,125.79,122.30,123.21,6968764
25-May-10,118.54,125.19,118.50,124.86,7121633
24-May-10,122.57,124.50,120.65,122.12,4544265
21-May-10,117.90,124.97,117.52,122.72,7968396
20-May-10,122.64,125.00,118.78,119.71,8594302
19-May-10,125.51,127.93,123.80,124.59,6464521
18-May-10,130.14,131.25,125.51,126.28,5258767
17-May-10,128.24,129.95,125.80,128.91,5642751
14-May-10,130.36,131.00,126.76,128.53,5277824
13-May-10,133.93,136.99,131.00,131.47,5940987
12-May-10,131.41,134.13,129.68,133.87,5905373
11-May-10,129.95,133.08,128.47,130.46,6047677
10-May-10,129.73,132.21,129.26,131.29,6806846
7-May-10,127.97,131.18,123.76,124.98,11936041
6-May-10,130.00,132.33,120.60,128.71,10195596
5-May-10,128.00,131.61,127.55,130.93,9462155
4-May-10,135.62,135.81,128.38,129.83,12670239
3-May-10,137.20,139.44,136.11,137.49,5662833
30-Apr-10,141.40,141.40,136.91,137.10,6113453
29-Apr-10,140.09,142.45,139.79,141.73,6314873
28-Apr-10,142.59,142.75,138.69,139.35,9236364
27-Apr-10,145.55,146.44,141.11,142.02,8641245
26-Apr-10,143.20,147.73,142.90,147.11,9319997
23-Apr-10,145.38,149.09,142.42,143.63,18981078
22-Apr-10,147.01,151.09,145.88,150.09,15165734
21-Apr-10,145.17,149.00,143.52,146.43,7374343
20-Apr-10,143.83,144.64,142.10,144.20,4314512
19-Apr-10,142.35,143.67,139.13,142.43,6023117
16-Apr-10,144.88,147.17,141.45,142.17,8401062
15-Apr-10,144.55,147.09,144.00,145.82,7831717
14-Apr-10,140.34,144.50,139.20,144.28,7900274
13-Apr-10,141.23,141.98,139.12,140.16,4787008
12-Apr-10,140.00,142.92,139.68,141.20,5446461
9-Apr-10,140.72,141.33,139.07,140.06,6014526
8-Apr-10,134.71,141.25,134.71,140.96,12694329
7-Apr-10,135.96,136.08,133.86,134.87,5947297
6-Apr-10,131.23,136.00,131.18,135.56,7950439
5-Apr-10,132.85,133.74,130.78,131.49,5817409
2-Apr-10,131.81,131.81,131.81,131.81,0
1-Apr-10,131.81,131.81,131.81,131.81,0
31-Mar-10,136.00,136.80,134.48,135.77,4602196
30-Mar-10,135.74,138.19,135.36,136.58,6202284
29-Mar-10,135.37,136.63,134.33,135.12,4627668
26-Mar-10,134.90,136.99,133.76,135.06,6575480
25-Mar-10,129.14,136.91,128.04,134.73,16212627
24-Mar-10,128.64,129.40,127.20,128.04,4703238
23-Mar-10,130.89,130.94,128.07,129.26,4213607
22-Mar-10,130.20,130.96,128.64,130.47,5383302
19-Mar-10,133.71,133.71,129.66,130.35,8906225
18-Mar-10,131.02,132.85,130.44,132.76,5024120
17-Mar-10,132.41,132.69,131.22,131.34,4358962
16-Mar-10,131.24,132.29,130.50,131.79,4136434
15-Mar-10,131.70,132.00,128.63,131.13,6329310
12-Mar-10,134.20,134.20,131.18,131.82,6151927
11-Mar-10,130.45,133.62,130.36,133.58,7244668
10-Mar-10,129.11,131.17,128.48,130.51,5627431
9-Mar-10,129.59,130.81,127.97,128.82,6071029
8-Mar-10,128.30,130.85,127.71,130.11,5607327
5-Mar-10,129.13,129.45,127.07,128.91,6771126
4-Mar-10,125.96,128.85,125.57,128.53,7509644
3-Mar-10,125.40,126.94,124.43,125.89,6443021
2-Mar-10,125.01,127.35,124.80,125.53,12098298
1-Mar-10,118.85,124.66,117.53,124.54,13300501
26-Feb-10,117.88,119.43,117.00,118.40,5721864
25-Feb-10,118.17,118.34,115.85,118.20,9535889
24-Feb-10,117.96,119.80,117.15,119.72,7393039
23-Feb-10,118.01,119.25,116.51,117.24,7069011
22-Feb-10,117.37,118.97,116.18,118.01,6809386
19-Feb-10,117.91,119.09,117.00,117.52,7117494
18-Feb-10,115.84,118.51,114.82,118.08,9807497
17-Feb-10,117.08,117.13,115.55,116.31,8947449
16-Feb-10,120.06,120.50,117.18,117.53,8938494
15-Feb-10,119.66,119.66,119.66,119.66,0
12-Feb-10,119.66,119.66,119.66,119.66,0
11-Feb-10,117.21,120.42,116.50,120.09,8344469
10-Feb-10,118.00,118.61,116.00,117.36,6236250
9-Feb-10,118.20,119.09,117.00,118.03,9227158
8-Feb-10,119.38,121.00,116.56,116.83,9898391
5-Feb-10,115.88,117.65,114.10,117.39,11027086
4-Feb-10,118.64,120.33,115.74,115.94,12783912
3-Feb-10,117.12,119.61,116.56,119.10,12409012
2-Feb-10,118.79,118.98,114.40,118.12,23084986
1-Feb-10,123.18,124.86,113.82,118.87,37774317
29-Jan-10,129.77,131.85,124.14,125.41,29478976
28-Jan-10,124.43,127.20,122.80,126.03,27293062
27-Jan-10,121.03,123.33,118.80,122.75,14765273
26-Jan-10,120.56,122.98,119.06,119.48,9567607
25-Jan-10,122.10,122.28,118.12,120.31,12031053
22-Jan-10,125.60,127.67,120.76,121.43,11577818
21-Jan-10,127.26,128.15,125.00,126.62,9976146
20-Jan-10,127.13,129.20,125.08,125.78,9081533
19-Jan-10,126.20,128.00,124.33,127.61,8900116
18-Jan-10,127.14,127.14,127.14,127.14,0
15-Jan-10,127.14,127.14,127.14,127.14,0
14-Jan-10,129.14,130.38,126.40,127.35,9788435
13-Jan-10,127.90,129.71,125.75,129.11,10727856
12-Jan-10,128.99,129.82,126.55,127.35,9098190
11-Jan-10,132.62,132.80,129.21,130.31,8786668
8-Jan-10,130.56,133.68,129.03,133.52,9833829
7-Jan-10,132.01,132.32,128.80,130.00,11030124
6-Jan-10,134.60,134.73,131.65,132.25,7180977
5-Jan-10,133.43,135.48,131.81,134.69,8856456
4-Jan-10,136.25,136.61,133.14,133.90,7600543
1-Jan-10,134.52,134.52,134.52,134.52,0
31-Dec-09,134.52,134.52,134.52,134.52,0
30-Dec-09,138.40,138.40,135.28,136.49,6917416
29-Dec-09,141.29,142.58,138.55,139.41,8405872
28-Dec-09,139.75,141.98,138.53,139.31,8769639
25-Dec-09,138.47,138.47,138.47,138.47,0
24-Dec-09,139.20,139.70,137.54,138.47,5128777
23-Dec-09,134.80,139.05,134.35,138.94,9550603
22-Dec-09,133.76,135.99,132.65,133.75,8257493
21-Dec-09,130.48,133.20,130.19,132.79,9480258
18-Dec-09,127.91,128.79,125.65,128.48,9605358
17-Dec-09,129.36,130.08,126.90,126.91,8482959
16-Dec-09,130.93,131.45,127.65,128.36,10261207
15-Dec-09,130.76,132.46,129.59,130.23,7434131
14-Dec-09,132.50,132.61,129.35,131.38,10022856
11-Dec-09,136.07,136.29,133.20,134.15,8051364
10-Dec-09,132.41,136.19,132.40,135.38,11349588
9-Dec-09,134.60,134.71,129.82,131.31,12632819
8-Dec-09,134.30,136.08,132.87,134.11,8006894
7-Dec-09,138.00,139.00,133.84,134.21,7842080
4-Dec-09,143.42,143.45,135.11,137.58,14830864
3-Dec-09,143.62,145.91,140.77,141.17,16523480
2-Dec-09,139.15,142.67,138.96,142.25,11797944
1-Dec-09,136.94,139.35,135.75,138.50,9657579
30-Nov-09,132.19,136.08,132.16,135.91,10127170
27-Nov-09,130.30,133.00,129.88,131.74,4422567
26-Nov-09,134.03,134.03,134.03,134.03,0
25-Nov-09,133.31,134.20,132.40,134.03,5076447
24-Nov-09,133.57,134.33,132.22,132.94,7319683
23-Nov-09,131.05,133.00,131.00,133.00,6878046
20-Nov-09,127.76,129.99,127.41,129.66,6655545
19-Nov-09,130.54,130.54,128.48,128.99,6000582
18-Nov-09,130.90,131.41,129.53,131.29,5217567
17-Nov-09,131.40,131.85,129.32,131.25,7750892
16-Nov-09,132.12,134.56,130.98,131.59,9018242
13-Nov-09,131.16,132.99,129.75,132.97,7383213
12-Nov-09,129.98,132.15,129.98,130.53,7212653
11-Nov-09,131.08,131.31,128.33,129.91,7435623
10-Nov-09,126.80,130.61,126.00,130.15,10532558
9-Nov-09,127.11,128.32,125.59,126.67,8633579
6-Nov-09,123.00,126.98,122.67,126.20,13229961
5-Nov-09,117.46,120.95,116.25,120.61,9091150
4-Nov-09,119.00,119.25,116.76,117.10,7617909
3-Nov-09,117.67,118.88,116.63,118.37,9481397
2-Nov-09,118.66,119.50,116.71,118.84,11281917
30-Oct-09,121.97,122.90,118.21,118.81,13316374
29-Oct-09,123.90,124.30,120.12,122.58,12820836
28-Oct-09,121.57,125.12,120.76,121.64,16887612
27-Oct-09,122.93,124.26,119.42,122.07,20304181
26-Oct-09,119.21,125.68,118.49,124.64,32271172
23-Oct-09,111.05,119.65,110.62,118.49,58305777
22-Oct-09,93.66,94.10,91.70,93.45,16518488
21-Oct-09,95.27,96.63,92.91,93.42,7761183
20-Oct-09,95.91,96.10,94.27,94.98,7779453
19-Oct-09,95.35,96.28,94.25,94.68,6019074
16-Oct-09,95.30,96.12,93.61,95.32,7040171
15-Oct-09,95.13,97.06,95.08,96.01,6247458
14-Oct-09,96.22,97.82,96.02,97.46,5556728
13-Oct-09,93.83,95.25,93.68,94.83,4721887
12-Oct-09,96.17,96.25,93.07,93.60,5592819
9-Oct-09,95.00,95.95,94.26,95.71,4696040
8-Oct-09,94.80,96.72,94.23,95.22,9679473
7-Oct-09,91.50,94.48,91.15,93.97,7446537
6-Oct-09,89.33,91.08,88.40,90.91,6964194
5-Oct-09,90.25,90.93,88.27,88.67,7030859
2-Oct-09,90.05,91.14,89.58,89.85,5040763
1-Oct-09,92.50,92.90,90.37,91.04,6645100
30-Sep-09,92.26,94.17,91.43,93.36,8539171
29-Sep-09,91.96,92.33,90.10,91.72,4395119
28-Sep-09,91.04,92.81,90.60,92.21,3508883
25-Sep-09,91.44,92.25,89.75,90.52,4257438
24-Sep-09,92.00,92.71,90.77,92.11,5078653
23-Sep-09,92.82,94.50,92.22,92.38,5667819
22-Sep-09,91.46,94.19,91.10,93.75,8268508
21-Sep-09,89.69,90.76,88.48,90.56,4211826
18-Sep-09,90.74,91.00,89.47,90.28,6770503
17-Sep-09,90.75,91.19,89.00,90.44,7873925
16-Sep-09,85.91,90.98,85.90,90.70,13114218
15-Sep-09,84.17,84.41,82.79,83.55,4453318
14-Sep-09,83.81,84.57,83.46,83.86,3572198
11-Sep-09,84.44,84.90,83.76,84.54,6008763
10-Sep-09,82.33,84.07,82.30,83.85,7024878
9-Sep-09,80.60,82.63,80.50,82.24,6776288
8-Sep-09,79.86,81.04,78.87,80.90,7037954
4-Sep-09,78.27,79.78,77.63,78.87,4672738
3-Sep-09,78.39,78.96,77.51,78.46,4140403
2-Sep-09,79.04,80.15,77.80,78.14,6521511
1-Sep-09,80.74,82.42,79.00,79.16,6246458
31-Aug-09,81.93,81.95,80.35,81.19,5263745
28-Aug-09,84.78,84.99,82.57,82.76,4620727
27-Aug-09,84.01,84.85,83.14,84.31,3998522
26-Aug-09,84.10,84.76,83.38,84.00,3613748
25-Aug-09,84.66,86.34,83.95,84.19,4794573
24-Aug-09,85.17,85.59,84.24,84.50,4723379
21-Aug-09,84.78,85.06,83.54,85.00,6131243
20-Aug-09,82.98,84.35,82.66,84.09,5375542
19-Aug-09,80.91,83.00,80.49,83.00,5173178
18-Aug-09,81.41,82.69,80.79,82.12,5884830
17-Aug-09,81.16,81.78,80.25,81.06,6890795
14-Aug-09,84.11,84.17,82.78,83.58,4925497
13-Aug-09,85.72,86.37,84.07,84.60,5714438
12-Aug-09,83.42,86.60,83.38,85.96,5619570
10-Aug-09,85.01,85.47,83.27,84.44,4440909
7-Aug-09,84.10,85.96,84.10,85.32,5628191
6-Aug-09,84.31,84.84,83.05,84.47,4693999
5-Aug-09,85.64,85.75,83.02,84.29,7281546
4-Aug-09,87.48,87.48,84.93,85.80,6180160
3-Aug-09,86.56,88.20,86.56,87.44,6665594
31-Jul-09,85.76,86.75,84.62,85.76,5887769
30-Jul-09,85.64,87.25,85.17,86.09,7257205
29-Jul-09,84.47,85.50,83.52,84.34,6504208
28-Jul-09,83.84,85.64,82.60,84.98,8774874
27-Jul-09,86.24,86.49,83.56,84.24,11282175
24-Jul-09,87.60,88.90,85.50,86.49,19213472
23-Jul-09,89.84,94.40,89.59,93.87,19162086
22-Jul-09,88.65,89.23,87.78,88.79,5329527
21-Jul-09,88.52,89.01,87.40,89.01,7728517
20-Jul-09,86.27,88.88,86.26,88.23,6059709
17-Jul-09,85.80,86.50,85.20,85.85,5061142
16-Jul-09,84.42,86.24,83.72,86.11,5362602
15-Jul-09,83.00,84.64,82.78,84.55,6340817
14-Jul-09,81.48,82.42,80.42,81.95,4550911
13-Jul-09,78.07,81.65,78.01,81.47,8051114
10-Jul-09,77.52,78.82,76.17,77.63,5976111
9-Jul-09,78.25,78.54,76.82,78.10,6359553
8-Jul-09,76.46,77.93,75.70,77.36,8541112
7-Jul-09,78.53,78.69,75.41,75.63,6491924
6-Jul-09,78.45,78.89,76.54,78.10,7369682
3-Jul-09,79.32,79.32,79.32,79.32,0
2-Jul-09,81.11,81.37,78.51,79.32,7219034
1-Jul-09,84.42,84.50,81.37,81.60,6981982
30-Jun-09,83.62,84.92,82.47,83.66,7985047
29-Jun-09,83.87,84.20,82.41,83.03,6271127
26-Jun-09,81.90,84.14,81.13,83.88,8775789
25-Jun-09,79.10,82.23,79.03,82.20,7359943
24-Jun-09,78.00,80.53,77.80,79.27,6081398
23-Jun-09,78.97,79.10,76.25,77.68,7415651
22-Jun-09,82.41,82.43,78.56,79.15,9745956
19-Jun-09,82.15,83.46,81.50,82.96,5441504
18-Jun-09,82.81,82.95,81.00,81.60,5453159
17-Jun-09,82.50,84.30,80.64,82.65,7785114
16-Jun-09,83.70,83.95,81.28,82.15,5466890
15-Jun-09,82.83,83.30,81.00,83.18,5401783
12-Jun-09,85.03,85.20,82.01,84.08,6223054
11-Jun-09,86.30,87.49,85.05,85.69,5013239
10-Jun-09,87.58,88.56,84.83,86.59,6073764
9-Jun-09,86.93,87.67,86.17,87.08,4476843
8-Jun-09,86.75,87.18,85.11,86.36,5602729
5-Jun-09,86.29,87.95,85.30,87.56,8263699
4-Jun-09,85.42,86.40,84.57,85.52,5465857
3-Jun-09,83.31,85.71,83.13,85.68,7604819
2-Jun-09,82.42,85.45,82.10,84.93,9397696
1-Jun-09,78.21,84.80,77.49,83.05,10799647
29-May-09,77.72,78.01,76.40,77.99,5073328
28-May-09,77.70,79.10,75.88,77.65,4943146
27-May-09,78.51,79.50,76.75,77.10,5568781
26-May-09,75.03,78.48,74.55,78.39,6705208
22-May-09,76.10,77.04,75.02,75.64,3485111
21-May-09,76.75,77.97,75.40,75.96,5641004
20-May-09,78.50,81.11,77.42,77.97,7351038
19-May-09,75.43,78.96,75.12,77.87,8028819
18-May-09,73.96,75.96,73.10,75.95,6829332
15-May-09,74.54,76.21,73.42,73.60,8011614
14-May-09,73.79,76.06,73.31,75.11,9344465
13-May-09,76.25,76.65,74.01,74.19,8773677
12-May-09,78.70,78.97,76.53,77.93,5551172
11-May-09,76.80,79.85,76.01,78.61,6874522
8-May-09,79.69,80.23,76.31,77.95,8194521
7-May-09,82.73,82.75,77.88,79.28,9634072
6-May-09,82.88,83.60,79.66,81.99,8604502
5-May-09,81.01,82.00,80.19,81.90,5874620
4-May-09,80.26,81.35,78.85,79.77,7027040
1-May-09,80.38,80.38,77.85,78.96,6122810
30-Apr-09,80.93,82.67,79.89,80.52,8542850
29-Apr-09,82.99,82.99,79.26,79.79,9735101
28-Apr-09,82.68,85.35,82.40,82.40,7926273
27-Apr-09,83.88,84.98,82.21,83.12,9708383
24-Apr-09,82.03,86.68,80.73,84.46,23485530
23-Apr-09,81.33,82.06,79.08,80.61,16187647
22-Apr-09,78.17,82.18,77.81,79.20,8775429
21-Apr-09,77.33,79.10,77.29,78.74,7163121
20-Apr-09,78.44,79.79,76.83,77.57,8690862
17-Apr-09,76.78,78.72,75.88,78.05,7428739
16-Apr-09,75.33,77.48,75.16,77.25,7469329
15-Apr-09,75.50,75.81,73.51,74.71,9414387
14-Apr-09,78.00,79.46,76.94,77.22,6165530
13-Apr-09,79.84,79.97,77.85,78.94,6214392
10-Apr-09,79.77,79.77,79.77,79.77,0
9-Apr-09,77.51,80.00,77.26,79.77,7082960
8-Apr-09,75.93,77.11,74.57,76.98,5653014
7-Apr-09,76.97,77.08,74.88,75.51,5751060
6-Apr-09,77.26,78.36,76.00,77.99,5758168
3-Apr-09,76.42,78.32,75.50,78.17,5799105
2-Apr-09,73.63,77.24,73.44,76.34,11069015
1-Apr-09,73.02,75.09,71.71,73.50,7048900
31-Mar-09,72.61,74.50,72.12,73.44,8923797
30-Mar-09,70.40,71.67,69.75,71.44,8378604
27-Mar-09,71.61,72.29,70.10,70.52,8571349
26-Mar-09,73.47,74.98,72.64,73.69,6659748
25-Mar-09,73.09,73.95,69.84,72.40,7897334
24-Mar-09,74.85,75.00,72.31,72.81,7459484
23-Mar-09,71.36,75.61,70.70,75.58,8613864
20-Mar-09,70.39,70.89,69.08,69.96,8469588
19-Mar-09,71.40,71.91,69.24,70.10,8819453
18-Mar-09,70.97,73.91,70.13,71.25,10404576
17-Mar-09,67.37,71.70,67.00,71.35,11910404
16-Mar-09,68.56,69.30,66.68,66.98,9437238
13-Mar-09,69.64,69.74,67.53,68.63,8903580
12-Mar-09,68.35,69.87,67.25,69.58,11351809
11-Mar-09,66.24,69.37,65.27,68.54,13891363
10-Mar-09,62.49,65.90,61.78,65.71,15437461
9-Mar-09,62.20,64.03,60.15,60.49,13564557
6-Mar-09,65.20,65.50,59.82,61.69,15094727
5-Mar-09,64.12,65.80,63.60,64.77,11771989
4-Mar-09,62.80,65.79,62.40,64.81,11960837
3-Mar-09,62.75,63.29,61.30,61.70,9697477
2-Mar-09,63.94,65.52,61.51,61.99,10513858
27-Feb-09,61.26,65.08,60.94,64.79,11494196
26-Feb-09,64.12,64.73,62.34,62.34,7276619
25-Feb-09,64.90,65.75,62.82,63.71,9122419
24-Feb-09,61.97,66.10,61.89,65.60,10273856
23-Feb-09,64.16,64.91,61.52,61.71,7336458
20-Feb-09,61.07,64.15,60.84,63.86,9354463
19-Feb-09,62.84,64.18,61.67,61.95,6771257
18-Feb-09,62.27,62.78,60.52,62.35,7367266
17-Feb-09,61.67,62.65,61.18,61.67,7126838
13-Feb-09,63.97,64.68,62.87,63.26,4131523
12-Feb-09,63.25,64.25,61.71,63.96,8098434
11-Feb-09,63.10,64.90,62.25,64.35,8350896
10-Feb-09,66.15,67.23,63.07,63.31,10702601
9-Feb-09,66.56,67.36,65.38,66.71,9445965
6-Feb-09,63.18,67.00,63.18,66.55,12051276
5-Feb-09,61.15,63.81,60.63,63.18,10172002
4-Feb-09,63.38,63.44,60.83,61.06,13730438
3-Feb-09,60.87,64.20,60.00,63.59,14696983
2-Feb-09,58.57,62.00,58.13,61.15,19326536
30-Jan-09,57.36,59.74,57.24,58.82,39789443
29-Jan-09,49.96,51.85,49.14,50.00,18147983
28-Jan-09,49.72,51.49,48.97,50.36,8060898
27-Jan-09,49.30,50.42,47.72,48.44,8740421
26-Jan-09,50.18,50.89,48.52,49.63,7156982
23-Jan-09,48.90,51.42,48.45,50.63,5801524
22-Jan-09,49.42,50.88,48.26,49.94,7133910
21-Jan-09,49.31,50.69,48.25,50.54,5831711
20-Jan-09,50.75,51.70,48.27,48.44,6767347
16-Jan-09,51.80,52.33,49.53,51.59,8259583
15-Jan-09,48.56,52.23,47.63,51.44,11619769
14-Jan-09,50.10,50.10,48.14,48.49,10452769
13-Jan-09,50.96,53.29,50.75,51.45,7884933
12-Jan-09,54.12,54.30,50.87,51.92,9557314
9-Jan-09,56.92,57.00,54.70,55.51,6685301
8-Jan-09,54.99,57.32,54.58,57.16,6580585
7-Jan-09,56.29,56.95,55.35,56.20,7942750
6-Jan-09,54.55,58.22,53.75,57.36,11084415
5-Jan-09,55.73,55.74,53.03,54.06,9511716
2-Jan-09,51.35,54.53,51.07,54.36,7296667
1-Jan-09,51.28,51.28,51.28,51.28,0
31-Dec-08,50.74,51.69,49.91,51.28,7792434
30-Dec-08,49.51,51.21,48.74,50.76,6601901
29-Dec-08,51.43,51.77,48.56,49.40,6508845
26-Dec-08,53.79,53.95,51.55,51.78,6850793
25-Dec-08,51.44,51.44,51.44,51.44,0
24-Dec-08,51.66,51.95,51.01,51.44,1649848
23-Dec-08,50.12,51.61,50.12,51.08,5847245
22-Dec-08,51.60,52.15,48.47,49.84,8926146
19-Dec-08,51.59,52.99,50.92,51.56,11058816
18-Dec-08,53.00,54.85,51.20,52.08,7518601
17-Dec-08,52.26,54.77,51.53,53.18,9186920
16-Dec-08,49.62,52.96,49.29,52.63,8864253
15-Dec-08,50.65,50.95,48.15,48.85,7286552
12-Dec-08,47.52,51.38,47.52,51.25,8667005
11-Dec-08,49.33,50.49,48.17,48.25,7586764
10-Dec-08,51.46,51.50,48.34,49.70,7755032
9-Dec-08,49.81,54.48,49.70,51.25,13321434
8-Dec-08,49.15,52.14,47.36,51.41,10943820
5-Dec-08,45.89,48.49,43.30,48.26,14610244
4-Dec-08,45.94,50.50,45.75,47.32,19790396
3-Dec-08,40.16,45.88,40.05,45.21,15678965
2-Dec-08,41.39,41.71,38.82,41.19,8726257
1-Dec-08,42.00,43.26,40.38,40.47,11180495
28-Nov-08,44.03,44.10,42.22,42.70,3687472
27-Nov-08,43.96,43.96,43.96,43.96,0
26-Nov-08,40.87,44.00,40.29,43.96,13444906
25-Nov-08,42.09,42.89,39.61,42.19,13015730
24-Nov-08,38.79,43.44,38.70,42.50,14552647
21-Nov-08,36.39,39.00,35.72,37.87,15045084
20-Nov-08,35.29,39.72,34.68,35.03,18425739
19-Nov-08,37.97,39.00,35.75,35.84,12522743
18-Nov-08,39.73,40.66,36.08,38.44,15055101
17-Nov-08,39.91,41.26,39.07,39.69,10713611
14-Nov-08,43.61,44.50,41.50,41.75,11949631
13-Nov-08,41.40,45.00,38.48,44.93,16938805
12-Nov-08,43.99,45.44,40.90,41.56,14773108
11-Nov-08,47.10,48.06,44.81,46.30,9940491
10-Nov-08,49.98,50.68,46.86,48.46,8986388
7-Nov-08,47.76,49.79,47.01,49.21,7352100
6-Nov-08,49.80,51.04,46.30,47.22,13993700
5-Nov-08,57.47,58.00,51.62,51.98,11423500
4-Nov-08,57.16,58.73,55.22,58.45,7499300
3-Nov-08,56.35,57.25,55.02,55.77,5941200
31-Oct-08,56.01,57.25,55.01,57.24,8354200
30-Oct-08,58.76,59.89,55.08,56.71,11034100
29-Oct-08,55.53,59.79,54.52,56.89,15101600
28-Oct-08,51.50,56.30,49.07,56.04,14601800
27-Oct-08,49.00,52.59,48.43,49.58,11609700
24-Oct-08,44.75,52.32,44.50,48.96,19333000
23-Oct-08,43.37,50.91,43.31,50.32,31995000
22-Oct-08,50.05,52.47,47.90,49.99,15742300
21-Oct-08,51.86,52.95,49.92,50.23,8518600
20-Oct-08,52.17,53.10,49.91,52.97,8355700
17-Oct-08,48.83,62.33,48.41,50.65,12743200
16-Oct-08,46.40,50.70,43.39,50.29,21758300
15-Oct-08,54.46,54.69,48.35,48.72,15822100
14-Oct-08,63.50,64.00,54.80,55.86,16892400
13-Oct-08,58.96,62.21,57.37,62.02,11033200
10-Oct-08,52.99,59.75,51.05,56.25,17550300
9-Oct-08,61.97,63.50,56.00,56.00,13827500
8-Oct-08,55.64,62.75,55.35,61.02,14140800
7-Oct-08,65.79,66.43,58.50,58.52,12394200
6-Oct-08,64.06,65.89,60.47,65.23,13213800
3-Oct-08,69.42,70.95,66.59,67.00,10956300
2-Oct-08,67.63,68.96,65.41,67.36,8544100
1-Oct-08,71.78,71.99,68.41,69.58,9468000
30-Sep-08,65.84,73.12,65.32,72.76,12682600
29-Sep-08,68.41,69.37,61.32,63.35,11683400
26-Sep-08,69.52,71.05,68.08,70.70,6684000
25-Sep-08,70.66,72.75,70.01,72.08,5964800
24-Sep-08,72.30,73.65,68.94,69.96,9245700
23-Sep-08,75.79,76.29,70.77,71.76,8486500
22-Sep-08,81.13,81.63,74.32,74.93,6807600
19-Sep-08,80.12,86.77,76.50,81.00,13242700
18-Sep-08,73.08,77.50,70.08,76.50,12275700
17-Sep-08,77.68,78.24,71.24,71.54,13097500
16-Sep-08,76.80,79.63,76.67,78.73,12930800
15-Sep-08,76.86,79.88,76.30,77.34,8878700
12-Sep-08,78.81,79.60,76.62,78.30,6384300
11-Sep-08,75.27,79.80,75.10,79.51,7657100
10-Sep-08,80.01,80.22,76.15,76.74,9286400
9-Sep-08,80.76,81.96,78.99,79.04,5734900
8-Sep-08,82.25,83.75,78.85,81.16,9323100
5-Sep-08,77.34,80.72,77.08,79.19,8006800
4-Sep-08,80.60,80.81,78.02,78.03,8286400
3-Sep-08,81.40,82.00,80.02,80.77,5710500
2-Sep-08,83.16,84.50,81.21,81.41,5907100
29-Aug-08,82.90,82.90,80.50,80.81,4603500
28-Aug-08,82.21,83.65,81.80,83.42,7777800
27-Aug-08,81.44,82.74,81.00,81.73,5515400
26-Aug-08,82.74,83.12,81.25,81.76,3449500
25-Aug-08,84.63,84.64,82.45,82.85,4262200
22-Aug-08,84.27,85.46,83.93,85.26,4530900
21-Aug-08,81.41,83.77,80.98,83.26,6073300
20-Aug-08,82.00,83.25,81.20,82.13,5825200
19-Aug-08,83.09,83.51,81.06,81.29,6557800
18-Aug-08,86.09,86.28,83.04,83.11,6415000
15-Aug-08,88.28,89.53,86.26,86.40,6830000
14-Aug-08,85.71,88.75,85.22,88.03,6689100
13-Aug-08,86.28,88.25,84.54,86.69,7197100
12-Aug-08,87.32,88.48,86.10,87.25,7868500
11-Aug-08,80.18,91.75,79.78,88.09,24926400
8-Aug-08,76.78,81.21,76.29,80.51,9072200
7-Aug-08,77.01,78.05,76.00,76.95,5341700
6-Aug-08,78.55,78.63,76.73,78.09,6210500
5-Aug-08,76.92,79.52,76.52,79.11,7718800
4-Aug-08,75.99,77.30,75.01,75.71,4379500
1-Aug-08,76.36,76.49,74.05,75.75,4660700
31-Jul-08,76.75,78.17,76.10,76.34,5162400
30-Jul-08,78.36,79.85,76.42,78.21,7533700
29-Jul-08,76.49,78.80,76.16,78.21,6582600
28-Jul-08,77.09,78.31,74.86,75.98,10239200
25-Jul-08,79.63,80.94,78.12,78.31,8689300
24-Jul-08,76.30,82.38,76.29,78.72,29706900
23-Jul-08,67.46,72.07,67.46,70.54,10528200
22-Jul-08,67.09,69.14,65.88,67.97,8522900
21-Jul-08,69.52,69.80,66.30,68.48,6801600
18-Jul-08,69.94,70.84,68.40,69.12,7832600
17-Jul-08,71.20,72.38,67.74,72.11,9283200
16-Jul-08,66.94,72.75,66.84,71.84,11688600
15-Jul-08,65.87,68.62,62.99,67.03,11114900
14-Jul-08,69.31,69.50,65.59,66.28,8977000
11-Jul-08,69.40,69.99,66.74,68.54,7858000
10-Jul-08,70.70,71.77,67.99,70.63,9760800
9-Jul-08,74.56,74.90,70.48,70.61,6764800
8-Jul-08,72.38,75.49,71.75,75.04,7741800
7-Jul-08,72.37,74.40,70.76,72.49,7220000
3-Jul-08,72.51,73.84,70.52,72.00,4223100
2-Jul-08,74.16,74.41,71.38,71.44,6662600
1-Jul-08,72.24,74.23,70.52,73.62,10121500
30-Jun-08,75.03,76.12,73.21,73.33,6889600
27-Jun-08,75.59,76.07,72.62,74.66,11347700
26-Jun-08,79.10,79.89,76.00,76.30,10399100
25-Jun-08,80.45,82.15,79.52,80.51,6892400
24-Jun-08,79.55,80.79,77.63,79.64,7081100
23-Jun-08,81.30,82.15,79.55,80.68,7303900
20-Jun-08,83.10,83.46,80.51,81.10,5802000
19-Jun-08,82.21,84.47,81.50,84.26,6680200
18-Jun-08,82.00,83.17,81.32,82.52,6753300
17-Jun-08,83.15,84.30,82.80,82.97,8683200
16-Jun-08,78.42,82.53,78.41,81.70,5674900
13-Jun-08,76.70,80.00,76.70,79.17,5851000
12-Jun-08,78.02,79.05,75.01,76.15,6076300
11-Jun-08,79.35,80.00,77.03,77.28,5821600
10-Jun-08,78.20,81.04,78.20,79.62,5867900
9-Jun-08,81.19,81.53,78.12,79.43,5934500
6-Jun-08,83.24,83.64,80.56,80.63,7819500
5-Jun-08,82.11,84.88,81.80,84.51,8833400
4-Jun-08,80.11,81.82,79.72,81.50,6404900
3-Jun-08,80.71,81.89,79.26,80.11,5792700
2-Jun-08,81.15,81.57,80.05,80.23,6117900
30-May-08,80.58,81.77,80.30,81.62,5136500
29-May-08,80.61,81.96,80.17,80.35,6707800
28-May-08,80.73,80.79,78.99,80.08,6626500
27-May-08,78.26,80.90,77.97,80.62,9939100
23-May-08,78.55,78.87,77.43,78.35,6026200
22-May-08,78.68,79.69,78.00,79.26,5353700
21-May-08,80.37,81.15,77.50,78.30,6971400
20-May-08,82.17,82.70,80.03,80.72,7769900
19-May-08,79.01,84.75,78.86,82.29,18285600
16-May-08,76.42,76.83,74.86,76.46,6135500
15-May-08,73.89,76.32,73.55,76.12,6871500
14-May-08,74.92,75.75,73.98,74.20,4474000
13-May-08,74.57,74.96,73.31,74.56,4923300
12-May-08,73.00,74.93,71.78,74.53,7142900
9-May-08,72.20,73.34,71.66,72.41,4163700
8-May-08,73.73,74.16,71.56,72.79,8069700
7-May-08,75.26,76.64,73.09,73.18,8152100
6-May-08,75.51,76.77,75.05,75.71,6346500
5-May-08,77.27,77.77,75.87,75.92,5528000
2-May-08,80.30,81.20,76.40,77.31,8054400
1-May-08,78.40,80.01,77.97,79.36,7153000
30-Apr-08,80.90,81.34,77.92,78.63,7712400
29-Apr-08,81.42,81.77,79.86,80.74,6641600
28-Apr-08,80.64,82.50,80.12,81.97,10714300
25-Apr-08,77.81,81.32,77.26,80.86,9353400
24-Apr-08,77.71,80.53,76.93,77.69,19892800
23-Apr-08,80.30,82.64,78.74,81.00,12962000
22-Apr-08,79.94,79.94,77.54,79.60,6944800
21-Apr-08,80.03,81.34,79.06,80.18,9239300
18-Apr-08,76.48,82.00,76.32,80.10,16542200
17-Apr-08,74.18,75.02,73.61,74.04,6062400
16-Apr-08,73.02,75.00,72.94,74.59,6643800
15-Apr-08,72.97,73.98,70.65,72.50,6709500
14-Apr-08,71.70,74.00,71.29,72.61,4299700
11-Apr-08,73.84,74.30,71.62,71.99,5343200
10-Apr-08,74.48,75.49,72.73,74.83,6150600
9-Apr-08,76.56,76.67,73.66,74.39,6594400
8-Apr-08,76.40,77.61,75.50,77.30,4850600
7-Apr-08,77.36,78.43,76.00,76.90,6474600
4-Apr-08,75.26,77.83,74.28,76.87,6936000
3-Apr-08,75.15,76.01,73.81,74.94,7970800
2-Apr-08,77.08,79.00,76.12,77.37,8377600
1-Apr-08,72.99,77.09,72.76,76.70,9612500
31-Mar-08,70.25,71.64,69.63,71.30,5416700
28-Mar-08,71.00,72.21,69.26,69.76,5075000
27-Mar-08,74.37,74.69,70.80,70.80,7893900
26-Mar-08,74.14,75.12,73.24,73.80,5950700
25-Mar-08,75.83,76.29,74.05,75.17,6224600
24-Mar-08,73.82,76.93,72.75,75.95,8382200
20-Mar-08,70.17,73.49,69.38,73.19,10950800
19-Mar-08,71.10,74.00,70.17,70.17,10712700
18-Mar-08,68.25,71.93,67.59,71.70,9427400
17-Mar-08,65.72,67.79,64.92,66.53,9588500
14-Mar-08,68.61,70.68,66.06,68.22,12356800
13-Mar-08,65.11,69.55,64.37,68.32,10451800
12-Mar-08,66.77,68.23,65.64,66.51,7659500
11-Mar-08,65.95,67.17,63.71,67.15,9592100
10-Mar-08,63.90,65.15,62.91,63.47,8789000
7-Mar-08,62.20,64.87,62.01,64.09,10318000
6-Mar-08,64.75,65.46,62.50,62.74,8269900
5-Mar-08,65.66,66.34,63.82,64.99,10996000
4-Mar-08,61.67,66.60,61.23,65.34,16476200
3-Mar-08,63.59,64.49,61.20,62.43,13545300
29-Feb-08,67.01,67.50,63.97,64.47,11521900
28-Feb-08,70.30,70.60,67.11,67.85,13097800
27-Feb-08,70.68,71.48,69.57,70.87,8834700
26-Feb-08,71.91,73.50,70.28,71.69,9279500
25-Feb-08,72.35,73.50,71.41,73.27,7745100
22-Feb-08,70.54,72.21,69.86,72.08,12208700
21-Feb-08,73.94,74.21,69.37,69.90,12180500
20-Feb-08,71.90,73.88,71.10,73.64,6363300
19-Feb-08,73.54,74.00,71.55,72.08,6829900
15-Feb-08,75.00,75.19,71.94,72.96,11029100
14-Feb-08,77.73,77.88,75.18,75.80,7374800
13-Feb-08,74.99,78.85,73.27,77.73,10925100
12-Feb-08,75.43,77.05,73.79,74.45,9291800
11-Feb-08,73.14,75.96,72.77,75.19,7617500
8-Feb-08,73.40,74.60,72.52,73.50,11249300
7-Feb-08,67.37,72.71,67.22,70.91,14374100
6-Feb-08,72.30,72.43,68.17,68.49,12311200
5-Feb-08,72.80,74.21,72.00,72.09,9321400
4-Feb-08,74.50,76.66,73.90,73.95,8932600
1-Feb-08,79.02,79.40,73.37,74.63,15904700
31-Jan-08,68.91,78.87,68.84,77.70,39850500
30-Jan-08,73.54,77.42,73.25,74.21,13325200
29-Jan-08,75.77,75.90,72.06,73.95,9796500
28-Jan-08,76.91,77.40,74.34,75.82,8326200
25-Jan-08,78.69,81.43,76.33,77.60,9944600
24-Jan-08,74.53,77.88,74.19,77.67,9754000
23-Jan-08,75.60,76.80,69.95,73.97,20100300
22-Jan-08,73.58,79.72,72.22,78.48,12384900
18-Jan-08,79.93,82.31,78.04,79.76,13159800
17-Jan-08,80.16,82.25,79.54,80.12,9791200
16-Jan-08,79.58,82.36,78.44,80.35,11630300
15-Jan-08,80.48,81.01,78.51,80.24,9215500
14-Jan-08,82.18,83.32,78.87,82.87,8938300
11-Jan-08,84.03,84.03,80.29,81.08,10523900
10-Jan-08,83.98,85.97,82.97,84.26,10826000
9-Jan-08,87.56,87.80,80.24,85.22,15983700
8-Jan-08,87.55,91.83,86.93,87.88,12171900
7-Jan-08,88.62,90.57,85.47,88.82,9668800
4-Jan-08,93.26,93.40,88.50,88.79,10157100
3-Jan-08,96.06,97.25,94.52,95.21,8785600
2-Jan-08,95.35,97.43,94.70,96.25,13637700
31-Dec-07,93.81,94.37,92.45,92.64,5674800
28-Dec-07,95.27,95.90,92.10,94.45,7465700
27-Dec-07,92.67,95.29,92.50,94.25,7071900
26-Dec-07,91.48,93.94,90.50,92.85,5306200
24-Dec-07,91.05,91.56,90.30,91.01,1992500
21-Dec-07,91.47,92.28,90.39,91.26,6269500
20-Dec-07,90.14,90.75,89.09,90.58,5755200
19-Dec-07,86.94,89.95,86.83,89.38,7434400
18-Dec-07,85.83,87.46,83.86,86.89,7121600
17-Dec-07,89.01,89.06,84.99,85.09,7391500
14-Dec-07,90.77,91.24,88.93,89.08,5915200
13-Dec-07,91.05,93.00,90.63,92.40,6001800
12-Dec-07,92.84,93.75,89.32,91.28,6819000
11-Dec-07,93.10,95.94,90.75,90.75,8787100
10-Dec-07,94.31,94.35,92.30,93.02,4530500
7-Dec-07,94.56,94.68,92.91,94.31,3877600
6-Dec-07,93.28,95.00,92.83,94.21,5401700
5-Dec-07,94.99,94.99,91.98,93.19,6452200
4-Dec-07,90.04,94.56,90.04,94.41,7235400
3-Dec-07,90.03,92.25,89.77,90.91,5822700
30-Nov-07,90.56,91.08,88.32,90.56,6737400
29-Nov-07,89.89,91.47,88.68,89.15,6772100
28-Nov-07,87.55,90.57,86.75,90.30,11008600
27-Nov-07,82.92,85.65,82.21,85.59,8432400
26-Nov-07,82.30,84.49,81.14,81.30,8400700
23-Nov-07,80.11,81.45,78.98,81.43,2730200
21-Nov-07,79.24,80.86,78.65,79.76,6613400
20-Nov-07,79.86,82.00,78.31,80.39,10506200
19-Nov-07,78.83,79.75,77.94,79.18,8322800
16-Nov-07,77.01,78.99,76.63,78.60,6984200
15-Nov-07,79.43,79.73,76.70,77.85,7598900
14-Nov-07,80.40,81.15,78.15,78.51,8110600
13-Nov-07,77.91,80.05,77.80,79.86,9414100
12-Nov-07,78.26,80.09,76.50,77.00,9153300
9-Nov-07,82.42,82.42,78.84,78.89,10143000
8-Nov-07,86.80,86.96,81.40,83.58,10388000
7-Nov-07,86.41,89.16,86.16,87.04,8178300
6-Nov-07,84.61,87.50,84.37,87.27,7631300
5-Nov-07,84.35,86.02,82.76,84.37,6362700
2-Nov-07,87.95,88.12,83.50,85.98,10104300
1-Nov-07,87.75,89.58,86.50,87.65,8034900
31-Oct-07,88.05,89.60,87.00,89.15,6834400
30-Oct-07,89.67,90.65,88.05,88.24,5338900
29-Oct-07,90.41,91.47,89.48,90.10,6880200
26-Oct-07,89.00,90.88,87.70,90.00,8725400
25-Oct-07,88.23,89.50,86.32,88.21,11411800
24-Oct-07,90.87,90.88,83.27,88.73,39843400
23-Oct-07,95.28,101.09,94.21,100.82,29476600
22-Oct-07,89.25,91.69,89.02,91.29,8670400
19-Oct-07,89.93,90.65,89.32,89.76,8810300
18-Oct-07,89.37,90.43,89.15,89.85,4958300
17-Oct-07,91.90,91.90,89.06,90.55,7051800
16-Oct-07,88.69,90.05,88.50,89.53,7640900
15-Oct-07,91.80,92.12,90.10,90.53,5480300
12-Oct-07,89.42,92.39,88.92,92.37,8238500
11-Oct-07,95.33,95.74,88.13,89.34,9491900
10-Oct-07,95.50,95.75,94.37,94.66,5445500
9-Oct-07,96.59,96.73,94.75,95.32,6817000
8-Oct-07,94.22,95.85,94.00,95.85,7271700
5-Oct-07,93.55,93.71,92.34,93.43,5400900
4-Oct-07,92.55,92.57,91.45,92.26,3221400
3-Oct-07,92.19,92.80,91.78,92.46,4950000
2-Oct-07,93.86,93.90,91.40,92.36,4814700
1-Oct-07,93.42,94.10,92.83,93.41,5193200
28-Sep-07,92.77,93.60,91.70,93.15,4569100
27-Sep-07,94.07,94.11,93.10,93.38,2707200
26-Sep-07,94.04,94.26,92.29,93.43,5309500
25-Sep-07,91.99,93.50,90.95,93.48,5533800
24-Sep-07,91.30,93.75,90.81,92.59,5254700
21-Sep-07,90.29,91.90,89.65,91.30,6258100
20-Sep-07,88.90,90.42,88.82,89.65,5651400
19-Sep-07,89.52,89.82,88.26,89.00,6257000
18-Sep-07,87.38,91.60,86.71,88.75,8700000
17-Sep-07,86.98,87.34,85.98,86.91,4333200
14-Sep-07,86.41,88.09,86.31,87.77,3847500
13-Sep-07,87.95,88.07,86.50,87.26,5887500
12-Sep-07,86.07,88.89,85.97,87.30,8709300
11-Sep-07,84.17,86.61,83.53,86.28,6788900
10-Sep-07,84.93,85.16,82.51,83.34,5292900
7-Sep-07,84.70,84.97,83.21,84.52,8102200
6-Sep-07,84.50,86.46,82.85,86.21,8698900
5-Sep-07,82.24,84.89,82.22,83.75,8887400
4-Sep-07,79.90,83.53,79.73,82.70,8099600
31-Aug-07,80.00,80.53,79.70,79.91,5991500
30-Aug-07,78.40,80.11,78.30,78.68,4330900
29-Aug-07,76.96,79.05,76.86,79.05,4805900
28-Aug-07,77.86,78.65,76.08,76.22,5432500
27-Aug-07,80.56,80.80,78.42,78.65,6645700
24-Aug-07,76.80,79.40,76.69,79.25,5584600
23-Aug-07,78.94,79.00,76.51,77.30,5632000
22-Aug-07,78.24,79.49,77.84,78.50,6473000
21-Aug-07,74.21,77.83,74.09,77.49,8188100
20-Aug-07,74.98,75.28,73.80,74.70,5760700
17-Aug-07,74.49,75.04,73.11,75.02,6865400
16-Aug-07,72.00,73.24,70.05,72.79,10581100
15-Aug-07,73.02,75.15,72.26,72.38,6321500
14-Aug-07,74.79,74.79,72.92,73.45,5821300
13-Aug-07,76.09,76.32,74.70,74.87,5951300
10-Aug-07,73.15,76.50,72.37,74.78,8810300
9-Aug-07,76.40,77.26,74.11,74.11,7999300
8-Aug-07,79.77,79.88,76.56,77.78,7657800
7-Aug-07,78.55,80.00,77.89,79.14,7937300
6-Aug-07,77.06,79.00,76.60,79.00,8664000
3-Aug-07,79.54,80.75,76.71,76.80,7688400
2-Aug-07,77.86,79.76,76.12,79.71,10044300
1-Aug-07,78.10,78.15,75.06,77.31,16583100
31-Jul-07,83.70,83.73,78.00,78.54,13765400
30-Jul-07,83.00,84.05,81.51,82.70,11907400
27-Jul-07,84.27,85.33,82.48,84.04,13632500
26-Jul-07,85.02,89.00,83.43,84.01,22839500
25-Jul-07,84.66,88.80,83.65,86.18,60442200
24-Jul-07,71.04,72.16,68.85,69.25,13369400
23-Jul-07,71.78,72.67,70.85,71.74,8745000
20-Jul-07,72.62,72.96,70.50,71.63,8186900
19-Jul-07,74.24,74.32,73.12,73.35,4935000
18-Jul-07,73.27,73.49,72.25,73.32,6143600
17-Jul-07,74.39,74.52,73.59,73.79,5986500
16-Jul-07,74.73,74.84,73.00,73.69,7969000
13-Jul-07,73.08,75.35,72.97,75.10,12016600
12-Jul-07,71.31,73.57,70.73,72.79,11173500
11-Jul-07,70.58,71.65,70.15,70.73,6406900
10-Jul-07,71.65,71.94,70.07,70.28,8454600
9-Jul-07,69.38,72.35,69.02,72.07,14364600
6-Jul-07,68.75,69.30,68.01,68.97,4455700
5-Jul-07,69.36,69.65,68.06,68.73,4398700
3-Jul-07,70.04,70.05,69.02,69.45,2144700
2-Jul-07,68.81,69.71,68.20,69.61,4664800
29-Jun-07,69.03,69.19,68.15,68.41,5191200
28-Jun-07,68.46,70.23,68.15,68.89,9393000
27-Jun-07,66.96,68.21,66.71,68.14,8072800
26-Jun-07,68.53,68.63,67.38,67.48,10566200
25-Jun-07,69.35,69.63,68.30,68.66,7338100
22-Jun-07,69.55,69.88,68.42,68.86,7688600
21-Jun-07,69.16,69.77,68.66,69.67,7447200
20-Jun-07,70.25,70.50,69.05,69.10,8669800
19-Jun-07,71.55,71.66,69.68,69.81,8719700
18-Jun-07,72.34,72.64,71.40,71.83,7290900
15-Jun-07,72.85,72.87,71.19,72.40,9530700
14-Jun-07,70.90,72.12,70.80,71.94,7973600
13-Jun-07,70.90,71.89,69.25,70.89,11387500
12-Jun-07,70.44,70.76,69.42,70.07,11195800
11-Jun-07,73.00,73.05,71.00,71.17,10999700
8-Jun-07,72.47,73.24,71.05,73.24,9969500
7-Jun-07,72.57,74.72,70.88,72.04,23902300
6-Jun-07,73.14,73.75,71.86,72.29,15285100
5-Jun-07,71.10,74.24,70.86,73.65,30013700
4-Jun-07,68.25,70.65,67.65,70.42,11229700
1-Jun-07,68.90,69.30,68.35,68.58,6859000
31-May-07,70.68,70.74,68.57,69.14,9043500
30-May-07,69.06,70.08,68.86,69.86,10327800
29-May-07,68.43,69.78,67.72,69.63,11495300
25-May-07,69.69,69.70,68.25,68.55,9864800
24-May-07,69.04,70.42,67.71,69.35,23289300
23-May-07,69.21,73.31,68.79,69.00,42106600
22-May-07,68.48,69.07,67.21,68.88,16809800
21-May-07,63.58,68.68,63.30,68.30,35999000
18-May-07,62.48,63.30,62.28,63.30,9352900
17-May-07,62.88,63.52,62.02,62.17,11662900
16-May-07,61.02,63.34,60.10,63.22,13613600
15-May-07,61.40,61.97,60.52,60.58,8484800
14-May-07,61.68,61.74,60.60,61.70,7403900
11-May-07,60.96,61.60,60.56,61.56,7751300
10-May-07,62.44,62.65,60.85,60.92,9849400
9-May-07,62.00,62.95,61.30,62.85,8615100
8-May-07,60.54,61.84,59.70,61.83,12981900
7-May-07,62.43,63.23,60.71,60.82,14000000
4-May-07,62.39,63.75,62.35,63.23,13897400
3-May-07,61.08,62.54,60.76,62.19,13145900
2-May-07,61.68,62.25,60.90,61.18,13733400
1-May-07,61.12,62.04,60.28,61.18,17788100
30-Apr-07,61.91,62.44,61.18,61.33,23070700
27-Apr-07,61.24,63.84,60.62,62.60,46081500
26-Apr-07,56.50,63.04,56.07,62.78,60502500
25-Apr-07,53.12,57.18,52.95,56.81,4307000
24-Apr-07,44.75,45.00,44.43,44.75,7896400
23-Apr-07,44.27,44.81,44.16,44.77,6914900
20-Apr-07,45.09,45.17,44.52,44.95,5742900
19-Apr-07,44.61,45.15,44.41,44.64,4700200
18-Apr-07,44.80,45.15,44.63,44.99,4848300
17-Apr-07,45.28,45.32,44.75,45.07,7042500
16-Apr-07,43.77,45.30,43.67,45.20,12957300
13-Apr-07,42.19,42.50,41.93,42.41,3509500
12-Apr-07,41.73,42.37,41.40,42.27,4553300
11-Apr-07,41.73,41.87,41.24,41.68,4735500
10-Apr-07,41.57,41.96,41.46,41.86,3211500
9-Apr-07,41.72,42.14,41.61,41.66,4085900
5-Apr-07,41.57,41.76,41.44,41.68,2990900
4-Apr-07,41.22,41.55,40.92,41.53,3852400
3-Apr-07,40.42,41.38,40.40,41.19,5798800
2-Apr-07,39.85,40.47,39.55,40.42,6830100
30-Mar-07,39.75,40.24,39.42,39.79,5787800
29-Mar-07,39.65,39.92,39.30,39.81,6012000
28-Mar-07,39.09,39.51,38.74,39.34,5844200
27-Mar-07,38.82,39.42,38.76,39.37,3746600
26-Mar-07,38.98,39.05,38.43,39.01,3386200
23-Mar-07,39.56,39.60,38.98,38.98,2868600
22-Mar-07,39.48,39.72,38.91,39.49,5179600
21-Mar-07,38.55,39.80,38.31,39.80,4928500
20-Mar-07,38.53,38.69,38.23,38.58,3721700
19-Mar-07,38.00,38.54,38.00,38.45,4111300
16-Mar-07,37.72,38.08,37.52,37.85,6568700
15-Mar-07,38.10,38.29,37.55,37.78,7017500
14-Mar-07,37.76,38.22,37.26,38.08,8536500
13-Mar-07,38.30,38.88,37.69,37.82,5122200
12-Mar-07,38.64,39.05,38.38,38.81,4553500
9-Mar-07,38.48,38.89,38.00,38.84,6097900
8-Mar-07,38.77,39.22,37.98,38.10,7440400
7-Mar-07,38.68,39.32,38.28,38.36,8543400
6-Mar-07,37.69,38.66,37.41,38.58,12066000
5-Mar-07,37.15,38.32,37.04,37.05,9071200
2-Mar-07,38.32,38.87,37.69,37.69,7752800
1-Mar-07,39.32,39.32,38.05,38.85,9101600
28-Feb-07,38.91,39.58,38.08,39.14,7671900
27-Feb-07,40.19,40.54,38.78,38.83,8794400
26-Feb-07,40.86,41.20,40.40,40.88,4023000
23-Feb-07,41.00,41.20,40.74,40.78,5348600
22-Feb-07,41.40,42.00,40.89,41.00,4907600
21-Feb-07,41.18,41.32,40.92,41.26,4409500
20-Feb-07,40.13,41.74,40.00,41.51,8865200
16-Feb-07,39.90,40.44,39.87,40.33,4624100
15-Feb-07,40.14,40.32,39.86,40.06,5050500
14-Feb-07,39.23,40.28,39.14,40.14,6671400
13-Feb-07,38.85,39.61,38.85,39.31,4476500
12-Feb-07,38.79,38.99,38.36,38.85,3818300
9-Feb-07,39.19,39.31,38.66,38.72,5688600
8-Feb-07,38.95,39.51,38.67,39.10,5461300
7-Feb-07,38.49,39.52,38.40,38.98,10445500
6-Feb-07,37.20,38.41,37.08,38.27,8572200
5-Feb-07,37.25,37.42,36.77,37.16,6091700
2-Feb-07,37.23,37.74,36.68,37.39,23900300
1-Feb-07,37.95,39.30,37.85,38.70,14968600
31-Jan-07,36.95,38.19,36.76,37.67,7121300
30-Jan-07,37.29,37.42,36.63,37.05,4796200
29-Jan-07,36.70,37.45,36.54,37.43,7390300
26-Jan-07,37.26,37.26,36.30,36.85,4126000
25-Jan-07,38.08,38.23,36.78,37.08,6712300
24-Jan-07,36.51,37.36,36.50,37.26,4992300
23-Jan-07,36.90,37.07,36.30,36.43,5295900
22-Jan-07,37.65,37.90,36.80,36.95,8196300
19-Jan-07,36.69,37.48,36.60,37.02,6012900
18-Jan-07,37.50,37.65,36.72,36.98,8958300
17-Jan-07,38.70,39.00,37.78,37.88,4971400
16-Jan-07,38.40,38.89,37.97,38.66,5625300
12-Jan-07,37.36,38.21,37.27,38.20,4414000
11-Jan-07,37.17,38.00,37.17,37.40,6429500
10-Jan-07,37.49,37.70,37.07,37.15,6469200
9-Jan-07,37.60,38.06,37.34,37.78,5690900
8-Jan-07,38.22,38.31,37.17,37.50,6692800
5-Jan-07,38.72,38.79,37.60,38.37,6576200
4-Jan-07,38.59,39.14,38.26,38.90,6205000
3-Jan-07,38.68,39.06,38.05,38.70,12149800
29-Dec-06,40.06,40.25,39.35,39.46,4173100
28-Dec-06,40.38,40.63,39.92,40.21,4524900
27-Dec-06,39.86,40.47,39.80,40.29,3519600
26-Dec-06,40.13,40.13,39.42,39.80,4468900
22-Dec-06,39.98,40.51,39.91,40.24,5567400
21-Dec-06,39.87,40.34,39.65,39.89,6337400
20-Dec-06,39.43,40.30,39.39,40.01,7779700
19-Dec-06,38.78,39.72,38.23,39.42,7476700
18-Dec-06,40.20,40.64,38.86,39.26,6281700
15-Dec-06,39.38,40.19,39.23,40.01,8001700
14-Dec-06,38.74,39.54,38.60,39.02,6279200
13-Dec-06,38.61,39.19,38.19,38.50,4547800
12-Dec-06,38.44,38.94,38.15,38.46,5084900
11-Dec-06,38.22,39.15,38.08,38.69,4844000
8-Dec-06,37.92,38.95,37.70,38.46,5105000
7-Dec-06,38.93,39.09,38.05,38.12,6607400
6-Dec-06,38.77,39.58,38.64,38.90,5753600
5-Dec-06,39.13,39.30,38.72,38.98,5584900
4-Dec-06,39.31,39.48,38.87,39.10,9670800
1-Dec-06,40.26,40.54,39.09,39.41,8255400
30-Nov-06,40.42,40.64,39.85,40.34,6309800
29-Nov-06,40.48,41.10,40.00,40.63,7669300
28-Nov-06,40.75,41.07,40.30,40.92,7071600
27-Nov-06,42.18,42.80,40.72,40.85,8903200
24-Nov-06,42.56,42.94,42.31,42.41,2214500
22-Nov-06,42.50,42.98,42.18,42.96,4511800
21-Nov-06,42.55,43.25,42.12,42.54,6954200
20-Nov-06,42.35,42.55,41.94,42.44,5740200
17-Nov-06,42.55,42.67,42.22,42.55,6437400
16-Nov-06,42.44,42.95,42.40,42.84,10619500
15-Nov-06,41.50,43.10,41.50,42.60,13464400
14-Nov-06,40.11,41.67,39.62,41.51,10845000
13-Nov-06,39.23,40.00,39.13,39.99,6911700
10-Nov-06,38.79,39.36,38.76,39.26,4470200
9-Nov-06,39.50,39.77,38.81,38.84,5783000
8-Nov-06,38.58,39.48,38.46,39.47,8127100
7-Nov-06,38.20,39.00,38.04,38.77,7637500
6-Nov-06,37.64,38.35,37.53,38.21,4512200
3-Nov-06,37.61,37.71,36.87,37.46,5099900
2-Nov-06,37.33,37.77,37.11,37.45,5396200
1-Nov-06,38.12,38.20,37.46,37.56,6599200
31-Oct-06,38.22,38.59,37.80,38.09,6090800
30-Oct-06,38.05,38.34,37.68,38.15,6818800
27-Oct-06,38.15,38.38,37.66,38.24,9699400
26-Oct-06,37.25,38.49,37.18,38.30,16795200
25-Oct-06,37.30,37.98,36.04,37.68,43784800
24-Oct-06,32.87,38.00,32.86,33.63,14649000
23-Oct-06,32.47,32.91,32.14,32.88,7991300
20-Oct-06,32.69,32.69,32.21,32.57,5705600
19-Oct-06,32.17,32.84,32.10,32.54,3997100
18-Oct-06,32.57,32.78,32.00,32.31,5309000
17-Oct-06,32.20,32.61,31.75,32.47,6582200
16-Oct-06,32.85,33.20,32.55,32.60,6161500
13-Oct-06,33.35,33.58,33.08,33.32,4035000
12-Oct-06,33.10,33.71,32.63,33.55,5946200
11-Oct-06,32.61,33.15,32.27,32.91,6667600
10-Oct-06,33.27,33.58,32.49,32.62,6226000
9-Oct-06,32.49,33.48,32.45,33.38,5217500
6-Oct-06,33.15,33.22,32.50,32.59,4191300
5-Oct-06,32.68,33.40,32.40,33.32,8388300
4-Oct-06,31.75,32.83,31.30,32.76,7050700
3-Oct-06,30.90,32.00,30.58,31.70,8003300
2-Oct-06,31.98,32.03,30.83,30.87,6769400
29-Sep-06,32.01,32.34,31.54,32.12,5212600
28-Sep-06,32.27,32.33,31.22,31.84,7468000
27-Sep-06,32.28,32.46,31.93,32.33,5440200
26-Sep-06,31.89,32.59,31.80,32.50,6576800
25-Sep-06,31.05,31.97,30.74,31.79,6582900
22-Sep-06,30.22,30.95,29.90,30.84,7246200
21-Sep-06,32.24,32.56,30.07,30.22,15508100
20-Sep-06,31.81,32.81,31.80,32.12,8503200
19-Sep-06,32.24,32.30,30.82,31.58,8541400
18-Sep-06,32.44,32.67,31.88,32.08,5120600
15-Sep-06,31.90,32.74,31.58,32.52,10108700
14-Sep-06,31.54,31.87,31.18,31.65,3226100
13-Sep-06,31.73,31.96,31.37,31.67,4353600
12-Sep-06,30.87,31.94,30.53,31.72,6518700
11-Sep-06,30.23,31.13,29.72,30.79,7400700
8-Sep-06,30.19,30.66,29.94,30.51,5168000
7-Sep-06,30.57,30.64,29.68,29.73,8816300
6-Sep-06,31.76,31.98,30.65,30.80,9132300
5-Sep-06,31.61,32.30,31.24,32.23,7439600
1-Sep-06,30.85,31.80,30.85,31.76,6552600
31-Aug-06,30.76,30.99,30.47,30.83,5909600
30-Aug-06,29.57,30.85,29.48,30.67,11255900
29-Aug-06,28.97,29.72,28.75,29.52,7381600
28-Aug-06,28.40,29.00,28.27,28.91,6053500
25-Aug-06,27.79,28.23,27.62,28.03,3540600
24-Aug-06,28.24,28.25,27.54,27.97,4460400
23-Aug-06,28.56,28.89,27.77,28.14,4677800
22-Aug-06,28.14,28.89,28.05,28.37,4572600
21-Aug-06,28.70,28.98,27.97,28.13,5301200
18-Aug-06,29.09,29.23,28.22,29.12,5988200
17-Aug-06,27.96,29.75,27.83,29.09,9466800
16-Aug-06,27.97,28.14,27.52,27.95,7564700
15-Aug-06,26.97,27.86,26.62,27.77,8188900
14-Aug-06,26.22,27.06,26.18,26.53,5120500
11-Aug-06,26.43,26.43,25.76,26.07,5109700
10-Aug-06,26.20,26.52,25.88,26.49,6365500
9-Aug-06,26.54,26.70,26.00,26.21,6895900
8-Aug-06,26.80,27.02,26.19,26.36,7243100
7-Aug-06,27.19,27.29,26.59,26.78,5466800
4-Aug-06,26.94,27.59,26.80,27.29,10224300
3-Aug-06,26.09,26.90,25.90,26.69,6858900
2-Aug-06,26.15,26.30,25.89,26.09,7789400
1-Aug-06,26.55,26.64,25.84,26.32,13087100
31-Jul-06,27.02,27.29,26.74,26.89,7715200
28-Jul-06,26.71,27.18,26.57,27.17,12390900
27-Jul-06,26.45,26.80,26.00,26.56,26354100
26-Jul-06,28.76,29.00,25.96,26.26,76989000
25-Jul-06,34.00,34.16,33.39,33.59,11042600
24-Jul-06,33.35,34.68,33.34,34.31,7347600
21-Jul-06,33.85,33.97,32.92,33.19,7105400
20-Jul-06,34.39,34.81,33.83,34.18,5788100
19-Jul-06,33.50,34.77,33.39,34.48,8848500
18-Jul-06,33.65,34.29,32.96,33.49,5195300
17-Jul-06,32.79,33.93,32.79,33.67,7156900
14-Jul-06,33.51,33.73,32.80,32.92,8013500
13-Jul-06,34.33,34.63,33.71,33.73,6373200
12-Jul-06,35.60,35.90,34.57,34.63,4705800
| CSV | 2 | henryqdineen/RxJS | examples/stockserver/AMZN.csv | [
"Apache-2.0"
] |
# generated from rosbash/env-hooks/15.rosbash.zsh.em
@[if DEVELSPACE]@
. "@(CMAKE_CURRENT_SOURCE_DIR)/roszsh"
@[else]@
if [ -z "$CATKIN_ENV_HOOK_WORKSPACE" ]; then
CATKIN_ENV_HOOK_WORKSPACE="@(CMAKE_INSTALL_PREFIX)"
fi
. "$CATKIN_ENV_HOOK_WORKSPACE/share/rosbash/roszsh"
@[end if]@
| EmberScript | 2 | mcx/ros | tools/rosbash/env-hooks/15.rosbash.zsh.em | [
"BSD-3-Clause"
] |
# This file is a part of Julia. License is MIT: https://julialang.org/license
# test for proper handling of FD exhaustion
if Sys.isunix()
# Run this test with a really small ulimit. If the ulimit is too high,
# we might saturate kernel resources (See #23143)
run(`sh -c "ulimit -n 100; $(Base.shell_escape(Base.julia_cmd())) --startup-file=no $(joinpath(@__DIR__, "stress_fd_exec.jl"))"`)
end
# issue 13559
if !Sys.iswindows()
function test_13559()
fn = tempname()
run(`mkfifo $fn`)
# use subprocess to write 127 bytes to FIFO
writer_cmds = """
using Test
x = open($(repr(fn)), "w")
for i in 1:120
write(x, 0xaa)
end
flush(x)
Test.@test read(stdin, Int8) == 31
for i in 1:7
write(x, 0xaa)
end
close(x)
"""
p = open(pipeline(`$(Base.julia_cmd()) --startup-file=no -e $writer_cmds`, stderr=stderr), "w")
# quickly read FIFO, draining it and blocking but not failing with EOFError yet
r = open(fn, "r")
# 15 proper reads
for i in 1:15
@test read(r, UInt64) === 0xaaaaaaaaaaaaaaaa
end
write(p, 0x1f)
# last read should throw EOFError when FIFO closes, since there are only 7 bytes (or less) available.
@test_throws EOFError read(r, UInt64)
close(r)
@test success(p)
rm(fn)
end
test_13559()
end
# issue #22566
if !Sys.iswindows()
function test_22566()
fn = tempname()
run(`mkfifo $fn`)
script = """
using Test
x = open($(repr(fn)), "w")
write(x, 0x42)
flush(x)
Test.@test read(stdin, Int8) == 21
close(x)
"""
cmd = `$(Base.julia_cmd()) --startup-file=no -e $script`
p = open(pipeline(cmd, stderr=stderr), "w")
r = open(fn, "r")
@test read(r, Int8) == 66
write(p, 0x15)
close(r)
@test success(p)
rm(fn)
end
# repeat opening/closing fifo file, ensure no EINTR popped out
for i = 1:50
test_22566()
end
end # !Sys.iswindows
# sig 2 is SIGINT per the POSIX.1-1990 standard
if !Sys.iswindows()
Base.exit_on_sigint(false)
@test_throws InterruptException begin
ccall(:kill, Cvoid, (Cint, Cint,), getpid(), 2)
for i in 1:10
Libc.systemsleep(0.1)
ccall(:jl_gc_safepoint, Cvoid, ()) # wait for SIGINT to arrive
end
end
Base.exit_on_sigint(true)
end
| Julia | 5 | TimoLarson/julia | test/stress.jl | [
"Zlib"
] |
#+TITLE: lang/qt
#+DATE: May 22, 2021
#+SINCE: v2.0.9
#+STARTUP: inlineimages nofold
* Table of Contents :TOC_3:noexport:
- [[#description][Description]]
- [[#maintainers][Maintainers]]
- [[#module-flags][Module Flags]]
- [[#plugins][Plugins]]
- [[#prerequisites][Prerequisites]]
* Description
# A summary of what this module does.
This module provides language functionality for [[https://qt.io][Qt]] specific files.
+ Syntax highlighting for [[https:://en.wikipedia.org/wiki/QML][qml]] files
+ Syntax highlighting for .pro and .pri files used by [[https://doc.qt.io/qt-5/qmake-project-files.html][qmake]]
** Maintainers
This module has no dedicated maintainers.
** Module Flags
This module provides no flags.
** Plugins
+ [[https://github.com/coldnew/qml-mode/tree/master][qml-mode]]
+ [[https://github.com/EricCrosson/qt-pro-mode][qt-pro-mode]]
* Prerequisites
This module has no prerequisites.
| Org | 3 | leezu/doom-emacs | modules/lang/qt/README.org | [
"MIT"
] |
package jadx.core.codegen.json;
import java.io.File;
import java.io.FileWriter;
import java.io.Writer;
import java.util.ArrayList;
import java.util.List;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import com.google.gson.FieldNamingPolicy;
import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import jadx.api.JadxArgs;
import jadx.core.codegen.json.mapping.JsonClsMapping;
import jadx.core.codegen.json.mapping.JsonFieldMapping;
import jadx.core.codegen.json.mapping.JsonMapping;
import jadx.core.codegen.json.mapping.JsonMthMapping;
import jadx.core.dex.info.ClassInfo;
import jadx.core.dex.info.MethodInfo;
import jadx.core.dex.nodes.ClassNode;
import jadx.core.dex.nodes.FieldNode;
import jadx.core.dex.nodes.MethodNode;
import jadx.core.dex.nodes.RootNode;
import jadx.core.utils.exceptions.JadxRuntimeException;
import jadx.core.utils.files.FileUtils;
public class JsonMappingGen {
private static final Logger LOG = LoggerFactory.getLogger(JsonMappingGen.class);
private static final Gson GSON = new GsonBuilder()
.setPrettyPrinting()
.setFieldNamingPolicy(FieldNamingPolicy.LOWER_CASE_WITH_DASHES)
.disableHtmlEscaping()
.create();
public static void dump(RootNode root) {
JsonMapping mapping = new JsonMapping();
fillMapping(mapping, root);
JadxArgs args = root.getArgs();
File outDirSrc = args.getOutDirSrc().getAbsoluteFile();
File mappingFile = new File(outDirSrc, "mapping.json");
FileUtils.makeDirsForFile(mappingFile);
try (Writer writer = new FileWriter(mappingFile)) {
GSON.toJson(mapping, writer);
LOG.info("Save mappings to {}", mappingFile.getAbsolutePath());
} catch (Exception e) {
throw new JadxRuntimeException("Failed to save mapping json", e);
}
}
private static void fillMapping(JsonMapping mapping, RootNode root) {
List<ClassNode> classes = root.getClasses(true);
mapping.setClasses(new ArrayList<>(classes.size()));
for (ClassNode cls : classes) {
ClassInfo classInfo = cls.getClassInfo();
JsonClsMapping jsonCls = new JsonClsMapping();
jsonCls.setName(classInfo.getRawName());
jsonCls.setAlias(classInfo.getAliasFullName());
jsonCls.setInner(classInfo.isInner());
jsonCls.setJson(cls.getTopParentClass().getClassInfo().getAliasFullPath() + ".json");
if (classInfo.isInner()) {
jsonCls.setTopClass(cls.getTopParentClass().getClassInfo().getFullName());
}
addFields(cls, jsonCls);
addMethods(cls, jsonCls);
mapping.getClasses().add(jsonCls);
}
}
private static void addMethods(ClassNode cls, JsonClsMapping jsonCls) {
List<MethodNode> methods = cls.getMethods();
if (methods.isEmpty()) {
return;
}
jsonCls.setMethods(new ArrayList<>(methods.size()));
for (MethodNode method : methods) {
JsonMthMapping jsonMethod = new JsonMthMapping();
MethodInfo methodInfo = method.getMethodInfo();
jsonMethod.setSignature(methodInfo.getShortId());
jsonMethod.setName(methodInfo.getName());
jsonMethod.setAlias(methodInfo.getAlias());
jsonMethod.setOffset("0x" + Long.toHexString(method.getMethodCodeOffset()));
jsonCls.getMethods().add(jsonMethod);
}
}
private static void addFields(ClassNode cls, JsonClsMapping jsonCls) {
List<FieldNode> fields = cls.getFields();
if (fields.isEmpty()) {
return;
}
jsonCls.setFields(new ArrayList<>(fields.size()));
for (FieldNode field : fields) {
JsonFieldMapping jsonField = new JsonFieldMapping();
jsonField.setName(field.getName());
jsonField.setAlias(field.getAlias());
jsonCls.getFields().add(jsonField);
}
}
private JsonMappingGen() {
}
}
| Java | 4 | DSYliangweihao/jadx | jadx-core/src/main/java/jadx/core/codegen/json/JsonMappingGen.java | [
"Apache-2.0"
] |
% Form the dot product of two vectors,
% e.g., (1 2 3).(3 2 1) => 10
define program
( [repeat number] ) . ( [repeat number] )
| [number]
end define
rule main
replace [program]
( V1 [repeat number] ) . ( V2 [repeat number] )
construct Zero [number]
0
by
Zero [addDotProduct V1 V2]
end rule
function addDotProduct V1 [repeat number]
V2 [repeat number]
deconstruct V1
First1 [number] Rest1 [repeat number]
deconstruct V2
First2 [number] Rest2 [repeat number]
construct ProductOfFirsts [number]
First1 [* First2]
replace [number]
N [number]
by
N [+ ProductOfFirsts]
[addDotProduct Rest1 Rest2]
end function
| TXL | 4 | pseudoPixels/SourceFlow | app_txl_cloud/txl_sources/examples/dot_product/dot_product.txl | [
"MIT"
] |
exec("swigtest.start", -1);
exec("swigtest.quit", -1);
| Scilab | 0 | kyletanyag/LL-Smartcard | cacreader/swig-4.0.2/Examples/test-suite/scilab/empty_runme.sci | [
"BSD-3-Clause"
] |
- page_title _('Recovery Codes'), _('Two-factor Authentication')
- add_page_specific_style 'page_bundles/profile_two_factor_auth'
= render 'codes'
| Haml | 2 | glimmerhq/glimmerhq | app/views/profiles/two_factor_auths/codes.html.haml | [
"MIT"
] |
{% extends "base.ahk" %}
{% block body %}
SoundGet, retval , {{ component_type }}, {{ control_type }}, {{ device_number }}
FileAppend, %retval%, *
{% endblock body %}
| AutoHotkey | 3 | epth/ahk | ahk/templates/sound/sound_get.ahk | [
"MIT"
] |
echo "------------------------------------"
tasklist /V
echo "------------------------------------"
| Batchfile | 1 | KevinAo22/vscode | build/azure-pipelines/win32/listprocesses.bat | [
"MIT"
] |
import os
import sys
import torch
from torch._C import parse_ir
from torch.testing import FileCheck
# Make the helper files in test/ importable
pytorch_test_dir = os.path.dirname(os.path.dirname(os.path.realpath(__file__)))
sys.path.append(pytorch_test_dir)
from torch.testing._internal.jit_utils import JitTestCase
if __name__ == '__main__':
raise RuntimeError("This test file is not meant to be run directly, use:\n\n"
"\tpython test/test_jit.py TESTNAME\n\n"
"instead.")
# Tests that Python slice class is supported in TorchScript
class TestIgnorableArgs(JitTestCase):
def test_slice_ignorable_args_for_slice(self):
graph_str = """graph():
%13 : int = prim::Constant[value=0]()
%10 : bool = prim::Constant[value=0]()
%8 : NoneType = prim::Constant()
%0 : int = prim::Constant[value=1]()
%1 : int = prim::Constant[value=2]()
%2 : int = prim::Constant[value=3]()
%3 : int = prim::Constant[value=4]()
%4 : int = prim::Constant[value=9]()
%5 : int[] = prim::ListConstruct(%0, %1, %2, %3, %4, %4)
%6 : int[] = prim::ListConstruct(%0, %1, %2, %3, %4, %4)
%7 : int[][] = prim::ListConstruct(%5, %6)
%val.1 : Tensor = aten::tensor(%7, %8, %8, %10)
%16 : Tensor = aten::slice(%val.1, %13, %1, %8, %0)
%20 : Tensor = aten::slice(%16, %0, %8, %0, %0)
return (%20)"""
graph = parse_ir(graph_str)
function = self.createFunctionFromGraph(graph)
function_copy = self.getExportImportCopy(function)
src = str(function.code)
# For a signature:
# aten::slice(Tensor self, int dim, int start, int end, int step) -> Tensor
# We ignore trailing arguments after start=2 for dim 0
# and after end=1 for dim 1
# because in %16, %15 and %0 are default values for the schema.
FileCheck().check("torch.slice(torch.slice(torch.tensor(_0), 0, 2), 1, None, 1)").run(src)
self.assertEqual(function(), function_copy())
def test_add_out_ignorable_args(self):
@torch.jit.script
def fn(x: torch.Tensor, y: torch.Tensor):
torch.add(x, y, out=y)
FileCheck().check("torch.add(x, y, out=y)").run(fn.code)
| Python | 4 | Hacky-DH/pytorch | test/jit/test_ignorable_args.py | [
"Intel"
] |
IDENTIFICATION DIVISION.
PROGRAM-ID. KARTEST2.
ENVIRONMENT DIVISION.
DATA DIVISION.
PROCEDURE DIVISION.
DISPLAY 'HELLO WORLD ! ' .
GOBACK. | COBOL | 1 | kennethsequeira/Hello-world | COBOL/hello.cob | [
"MIT"
] |
//===--- BitDataflow.cpp --------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2021 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
#define DEBUG_TYPE "bit-dataflow"
#include "swift/SIL/BitDataflow.h"
#include "swift/SIL/SILBasicBlock.h"
#include "swift/SIL/SILFunction.h"
#include "swift/SIL/MemoryLocations.h"
#include "llvm/Support/raw_ostream.h"
using namespace swift;
BitDataflow::BitDataflow(SILFunction *function, unsigned numLocations) :
blockStates(function, [numLocations](SILBasicBlock *block) {
return BlockState(numLocations);
}) {}
void BitDataflow::entryReachabilityAnalysis() {
llvm::SmallVector<SILBasicBlock *, 16> workList;
auto entry = blockStates.entry();
entry.data.reachableFromEntry = true;
workList.push_back(&entry.block);
while (!workList.empty()) {
SILBasicBlock *block = workList.pop_back_val();
for (SILBasicBlock *succ : block->getSuccessorBlocks()) {
BlockState &succState = blockStates[succ];
if (!succState.reachableFromEntry) {
succState.reachableFromEntry = true;
workList.push_back(succ);
}
}
}
}
void BitDataflow::exitReachableAnalysis() {
llvm::SmallVector<SILBasicBlock *, 16> workList;
for (auto bd : blockStates) {
if (bd.block.getTerminator()->isFunctionExiting()) {
bd.data.exitReachability = ExitReachability::ReachesExit;
workList.push_back(&bd.block);
} else if (isa<UnreachableInst>(bd.block.getTerminator())) {
bd.data.exitReachability = ExitReachability::ReachesUnreachable;
workList.push_back(&bd.block);
}
}
while (!workList.empty()) {
SILBasicBlock *block = workList.pop_back_val();
BlockState &state = blockStates[block];
for (SILBasicBlock *pred : block->getPredecessorBlocks()) {
BlockState &predState = blockStates[pred];
if (predState.exitReachability < state.exitReachability) {
// As there are 3 states, each block can be put into the workList 2
// times maximum.
predState.exitReachability = state.exitReachability;
workList.push_back(pred);
}
}
}
}
void BitDataflow::solveForward(JoinOperation join) {
// Pretty standard data flow solving.
bool changed = false;
bool firstRound = true;
do {
changed = false;
for (auto bd : blockStates) {
Bits bits = bd.data.entrySet;
assert(!bits.empty());
for (SILBasicBlock *pred : bd.block.getPredecessorBlocks()) {
join(bits, blockStates[pred].exitSet);
}
if (firstRound || bits != bd.data.entrySet) {
changed = true;
bd.data.entrySet = bits;
bits |= bd.data.genSet;
bits.reset(bd.data.killSet);
bd.data.exitSet = bits;
}
}
firstRound = false;
} while (changed);
}
void BitDataflow::solveForwardWithIntersect() {
solveForward([](Bits &entry, const Bits &predExit){
entry &= predExit;
});
}
void BitDataflow::solveForwardWithUnion() {
solveForward([](Bits &entry, const Bits &predExit){
entry |= predExit;
});
}
void BitDataflow::solveBackward(JoinOperation join) {
// Pretty standard data flow solving.
bool changed = false;
bool firstRound = true;
do {
changed = false;
for (auto bd : llvm::reverse(blockStates)) {
Bits bits = bd.data.exitSet;
assert(!bits.empty());
for (SILBasicBlock *succ : bd.block.getSuccessorBlocks()) {
join(bits, blockStates[succ].entrySet);
}
if (firstRound || bits != bd.data.exitSet) {
changed = true;
bd.data.exitSet = bits;
bits |= bd.data.genSet;
bits.reset(bd.data.killSet);
bd.data.entrySet = bits;
}
}
firstRound = false;
} while (changed);
}
void BitDataflow::solveBackwardWithIntersect() {
solveBackward([](Bits &entry, const Bits &predExit){
entry &= predExit;
});
}
void BitDataflow::solveBackwardWithUnion() {
solveBackward([](Bits &entry, const Bits &predExit){
entry |= predExit;
});
}
void BitDataflow::dump() const {
for (auto bd : blockStates) {
llvm::dbgs() << "bb" << bd.block.getDebugID() << ":\n"
<< " entry: " << bd.data.entrySet << '\n'
<< " gen: " << bd.data.genSet << '\n'
<< " kill: " << bd.data.killSet << '\n'
<< " exit: " << bd.data.exitSet << '\n';
}
}
| C++ | 4 | gandhi56/swift | lib/SIL/Utils/BitDataflow.cpp | [
"Apache-2.0"
] |
# Copyright (c) 2021 vesoft inc. All rights reserved.
#
# This source code is licensed under Apache 2.0 License.
Feature: Typo error
# issue https://github.com/vesoft-inc/nebula/issues/2204
Scenario: Typo error of KW_VALUE
Given an empty graph
And create a space with following options:
| partition_num | 9 |
| replica_factor | 1 |
| vid_type | FIXED_STRING(30) |
| charset | utf8 |
| collate | utf8_bin |
When executing query:
"""
CREATE tag value(value int, values bool)
"""
Then the execution should be successful
When executing query:
"""
DESC TAG value;
"""
Then the result should be, in any order:
| Field | Type | Null | Default | Comment |
| "value" | "int64" | "YES" | EMPTY | EMPTY |
| "values" | "bool" | "YES" | EMPTY | EMPTY |
When executing query:
"""
SHOW CREATE TAG value
"""
Then the result should be, in any order, with relax comparison:
| Tag | Create Tag |
| "value" | 'CREATE TAG `value` (\n `value` int64 NULL,\n `values` bool NULL\n) ttl_duration = 0, ttl_col = ""' |
| Cucumber | 4 | liuqian1990/nebula | tests/tck/features/bugfix/TypoError.feature | [
"Apache-2.0"
] |
ruleset io.picolabs.null_owner {
meta {
use module io.picolabs.wrangler alias wrangler
shares __testing
}
global {
__testing = { "queries":
[ { "name": "__testing" }
//, { "name": "entry", "args": [ "key" ] }
] , "events":
[ //{ "domain": "d1", "type": "t1" }
//, { "domain": "d2", "type": "t2", "attrs": [ "a1", "a2" ] }
]
}
}
rule limit_ruleset_use {
select when wrangler ruleset_added where event:attr("rids") >< meta:rid
pre {
ok = wrangler:myself(){"name"} == meta:rid
}
if not ok then wrangler:uninstallRulesets(meta:rid)
}
rule propose_subscription {
select when wrangler ruleset_added where event:attr("rids") >< meta:rid
fired {
raise wrangler event "subscription"
attributes { "wellKnown_Tx": wrangler:parent_eci(),
"Rx_role": "honeypot", "Tx_role": "root",
"name": "null_owner", "channel_type": "subscription" };
}
}
rule authenticate{
select when owner authenticate
if false then noop()
notfired {
raise owner event "authentication_failed" attributes event:attrs;
}
finally {
raise owner event "authenticate_channel_used"
attributes {"eci":meta:eci}
}
}
rule remove_used_authenticate_channel {
select when owner authenticate_channel_used eci re#(.+)# setting(eci)
pre {
channel = engine:listChannels()
.filter(function(c){c{"id"}==eci})
.head();
ok = channel
&& channel{"type"} == "temporary"
&& channel{"name"} like re#^authenticate_.*Z$#
}
if ok then
engine:removeChannel(eci);
}
}
| KRL | 4 | CambodianCoder/pico-engine | packages/pico-engine/legacy/krl/io.picolabs.null_owner.krl | [
"MIT"
] |
theory TestSdiv
imports Main "../ContractSem"
begin
declare eval_annotation_def [simp]
definition this_address :: address
where "this_address = undefined"
abbreviation test_sdiv_code :: "inst list"
where
"test_sdiv_code ==
Stack (PUSH_N [255])
# Stack (PUSH_N [2])
# Arith EXP
# Dup 1
# Annotation (\<lambda> aenv. length (aenv_stack aenv) = 2)
# Stack (PUSH_N [0])
# Bits inst_NOT
# Swap 1
# Annotation (\<lambda> aenv. length (aenv_stack aenv) = 3)
# Sarith SDIV
# Annotation (\<lambda> aenv. length (aenv_stack aenv) = 2)
# Annotation (\<lambda> aenv. (aenv_stack aenv ! 0) = (aenv_stack aenv ! 1))
# Misc STOP
# []"
abbreviation test_sdiv_account_state :: "account_state"
where
"test_sdiv_account_state ==
\<lparr> account_address = this_address
, account_storage = \<lambda> _. 0
, account_code = test_sdiv_code
, account_balance = 0
, account_ongoing_calls = []
\<rparr>"
abbreviation test_sdiv_spec :: "response_to_world"
where
" test_sdiv_spec ==
\<lparr> when_called = \<lambda> _. (ContractReturn [],
\<lambda> a. True)
, when_returned = \<lambda> _. (ContractFail,
\<lambda> a. True)
, when_failed = (ContractFail,
\<lambda> a. True)
\<rparr>
"
value "32 div sint (max_word :: uint)"
lemma test_sdiv_correct:
"
account_state_responds_to_world
(\<lambda> a. a = test_sdiv_account_state)
test_sdiv_spec
"
apply(rule AccountStep; auto)
apply(case_tac steps; auto)
apply(simp add:max_word_def)
apply(simp add:max_word_def)
done
end
| Isabelle | 4 | pirapira/eth-isabelle | example/TestSdiv.thy | [
"Apache-2.0"
] |
(*
Module: IniFile
Generic module to create INI files lenses
Author: Raphael Pinson <raphink@gmail.com>
About: License
This file is licensed under the LGPL v2+, like the rest of Augeas.
About: TODO
Things to add in the future
- Support double quotes in value
About: Lens usage
This lens is made to provide generic primitives to construct INI File lenses.
See <Puppet>, <PHP>, <MySQL> or <Dput> for examples of real life lenses using it.
About: Examples
The <Test_IniFile> file contains various examples and tests.
*)
module IniFile =
(************************************************************************
* Group: USEFUL PRIMITIVES
*************************************************************************)
(* Group: Internal primitives *)
(*
Variable: eol
End of line, inherited from <Util.eol>
*)
let eol = Util.doseol
(* Group: Separators *)
(*
Variable: sep
Generic separator
Parameters:
pat:regexp - the pattern to delete
default:string - the default string to use
*)
let sep (pat:regexp) (default:string)
= Sep.opt_space . del pat default
(*
Variable: sep_noindent
Generic separator, no indentation
Parameters:
pat:regexp - the pattern to delete
default:string - the default string to use
*)
let sep_noindent (pat:regexp) (default:string)
= del pat default
(*
Variable: sep_re
The default regexp for a separator
*)
let sep_re = /[=:]/
(*
Variable: sep_default
The default separator value
*)
let sep_default = "="
(* Group: Stores *)
(*
Variable: sto_to_eol
Store until end of line
*)
let sto_to_eol = Sep.opt_space . store Rx.space_in
(*
Variable: to_comment_re
Regex until comment
*)
let to_comment_re = /[^";# \t\n][^";#\n]*[^";# \t\n]|[^";# \t\n]/
(*
Variable: sto_to_comment
Store until comment
*)
let sto_to_comment = Sep.opt_space . store to_comment_re
(*
Variable: sto_multiline
Store multiline values
*)
let sto_multiline = Sep.opt_space
. store (to_comment_re
. (/[ \t]*\n/ . Rx.space . to_comment_re)*)
(*
Variable: sto_multiline_nocomment
Store multiline values without an end-of-line comment
*)
let sto_multiline_nocomment = Sep.opt_space
. store (Rx.space_in . (/[ \t]*\n/ . Rx.space . Rx.space_in)*)
(* Group: Define comment and defaults *)
(*
View: comment_noindent
Map comments into "#comment" nodes,
no indentation allowed
Parameters:
pat:regexp - pattern to delete before commented data
default:string - default pattern before commented data
Sample Usage:
(start code)
let comment = IniFile.comment_noindent "#" "#"
let comment = IniFile.comment_noindent IniFile.comment_re IniFile.comment_default
(end code)
*)
let comment_noindent (pat:regexp) (default:string) =
Util.comment_generic_seteol (pat . Rx.opt_space) default eol
(*
View: comment
Map comments into "#comment" nodes
Parameters:
pat:regexp - pattern to delete before commented data
default:string - default pattern before commented data
Sample Usage:
(start code)
let comment = IniFile.comment "#" "#"
let comment = IniFile.comment IniFile.comment_re IniFile.comment_default
(end code)
*)
let comment (pat:regexp) (default:string) =
Util.comment_generic_seteol (Rx.opt_space . pat . Rx.opt_space) default eol
(*
Variable: comment_re
Default regexp for <comment> pattern
*)
let comment_re = /[;#]/
(*
Variable: comment_default
Default value for <comment> pattern
*)
let comment_default = ";"
(*
View: empty_generic
Empty line, including empty comments
Parameters:
indent:regexp - the indentation regexp
comment_re:regexp - the comment separator regexp
*)
let empty_generic (indent:regexp) (comment_re:regexp) =
Util.empty_generic_dos (indent . comment_re? . Rx.opt_space)
(*
View: empty
Empty line
*)
let empty = empty_generic Rx.opt_space comment_re
(*
View: empty_noindent
Empty line, without indentation
*)
let empty_noindent = empty_generic "" comment_re
(************************************************************************
* Group: ENTRY
*************************************************************************)
(* Group: entry includes comments *)
(*
View: entry_generic_nocomment
A very generic INI File entry, not including comments
It allows to set the key lens (to set indentation
or subnodes linked to the key) as well as the comment
separator regexp, used to tune the store regexps.
Parameters:
kw:lens - lens to match the key, including optional indentation
sep:lens - lens to use as key/value separator
comment_re:regexp - comment separator regexp
comment:lens - lens to use as comment
Sample Usage:
> let entry = IniFile.entry_generic (key "setting") sep IniFile.comment_re comment
*)
let entry_generic_nocomment (kw:lens) (sep:lens)
(comment_re:regexp) (comment:lens) =
let bare_re_noquot = (/[^" \t\r\n]/ - comment_re)
in let bare_re = (/[^\r\n]/ - comment_re)+
in let no_quot = /[^"\r\n]*/
in let bare = Quote.do_dquote_opt_nil (store (bare_re_noquot . (bare_re* . bare_re_noquot)?))
in let quoted = Quote.do_dquote (store (no_quot . comment_re+ . no_quot))
in [ kw . sep . (Sep.opt_space . bare)? . (comment|eol) ]
| [ kw . sep . Sep.opt_space . quoted . (comment|eol) ]
(*
View: entry_generic
A very generic INI File entry
It allows to set the key lens (to set indentation
or subnodes linked to the key) as well as the comment
separator regexp, used to tune the store regexps.
Parameters:
kw:lens - lens to match the key, including optional indentation
sep:lens - lens to use as key/value separator
comment_re:regexp - comment separator regexp
comment:lens - lens to use as comment
Sample Usage:
> let entry = IniFile.entry_generic (key "setting") sep IniFile.comment_re comment
*)
let entry_generic (kw:lens) (sep:lens) (comment_re:regexp) (comment:lens) =
entry_generic_nocomment kw sep comment_re comment | comment
(*
View: entry
Generic INI File entry
Parameters:
kw:regexp - keyword regexp for the label
sep:lens - lens to use as key/value separator
comment:lens - lens to use as comment
Sample Usage:
> let entry = IniFile.entry setting sep comment
*)
let entry (kw:regexp) (sep:lens) (comment:lens) =
entry_generic (key kw) sep comment_re comment
(*
View: indented_entry
Generic INI File entry that might be indented with an arbitrary
amount of whitespace
Parameters:
kw:regexp - keyword regexp for the label
sep:lens - lens to use as key/value separator
comment:lens - lens to use as comment
Sample Usage:
> let entry = IniFile.indented_entry setting sep comment
*)
let indented_entry (kw:regexp) (sep:lens) (comment:lens) =
entry_generic (Util.indent . key kw) sep comment_re comment
(*
View: entry_multiline_generic
A very generic multiline INI File entry
It allows to set the key lens (to set indentation
or subnodes linked to the key) as well as the comment
separator regexp, used to tune the store regexps.
Parameters:
kw:lens - lens to match the key, including optional indentation
sep:lens - lens to use as key/value separator
comment_re:regexp - comment separator regexp
comment:lens - lens to use as comment
eol:lens - lens for end of line
Sample Usage:
> let entry = IniFile.entry_generic (key "setting") sep IniFile.comment_re comment comment_or_eol
*)
let entry_multiline_generic (kw:lens) (sep:lens) (comment_re:regexp)
(comment:lens) (eol:lens) =
let newline = /\r?\n[ \t]+/
in let bare =
let word_re_noquot = (/[^" \t\r\n]/ - comment_re)+
in let word_re = (/[^\r\n]/ - comment_re)+
in let base_re = (word_re_noquot . (word_re* . word_re_noquot)?)
in let sto_re = base_re . (newline . base_re)*
| (newline . base_re)+
in Quote.do_dquote_opt_nil (store sto_re)
in let quoted =
let no_quot = /[^"\r\n]*/
in let base_re = (no_quot . comment_re+ . no_quot)
in let sto_re = base_re . (newline . base_re)*
| (newline . base_re)+
in Quote.do_dquote (store sto_re)
in [ kw . sep . (Sep.opt_space . bare)? . eol ]
| [ kw . sep . Sep.opt_space . quoted . eol ]
| comment
(*
View: entry_multiline
Generic multiline INI File entry
Parameters:
kw:regexp - keyword regexp for the label
sep:lens - lens to use as key/value separator
comment:lens - lens to use as comment
*)
let entry_multiline (kw:regexp) (sep:lens) (comment:lens) =
entry_multiline_generic (key kw) sep comment_re comment (comment|eol)
(*
View: entry_multiline_nocomment
Generic multiline INI File entry without an end-of-line comment
Parameters:
kw:regexp - keyword regexp for the label
sep:lens - lens to use as key/value separator
comment:lens - lens to use as comment
*)
let entry_multiline_nocomment (kw:regexp) (sep:lens) (comment:lens) =
entry_multiline_generic (key kw) sep comment_re comment eol
(*
View: entry_list
Generic INI File list entry
Parameters:
kw:regexp - keyword regexp for the label
sep:lens - lens to use as key/value separator
sto:regexp - store regexp for the values
list_sep:lens - lens to use as list separator
comment:lens - lens to use as comment
*)
let entry_list (kw:regexp) (sep:lens) (sto:regexp) (list_sep:lens) (comment:lens) =
let list = counter "elem"
. Build.opt_list [ seq "elem" . store sto ] list_sep
in Build.key_value_line_comment kw sep (Sep.opt_space . list) comment
(*
View: entry_list_nocomment
Generic INI File list entry without an end-of-line comment
Parameters:
kw:regexp - keyword regexp for the label
sep:lens - lens to use as key/value separator
sto:regexp - store regexp for the values
list_sep:lens - lens to use as list separator
*)
let entry_list_nocomment (kw:regexp) (sep:lens) (sto:regexp) (list_sep:lens) =
let list = counter "elem"
. Build.opt_list [ seq "elem" . store sto ] list_sep
in Build.key_value_line kw sep (Sep.opt_space . list)
(*
Variable: entry_re
Default regexp for <entry> keyword
*)
let entry_re = ( /[A-Za-z][A-Za-z0-9._-]*/ )
(************************************************************************
* Group: RECORD
*************************************************************************)
(* Group: Title definition *)
(*
View: title
Title for <record>. This maps the title of a record as a node in the abstract tree.
Parameters:
kw:regexp - keyword regexp for the label
Sample Usage:
> let title = IniFile.title IniFile.record_re
*)
let title (kw:regexp)
= Util.del_str "[" . key kw
. Util.del_str "]". eol
(*
View: indented_title
Title for <record>. This maps the title of a record as a node in the abstract tree. The title may be indented with arbitrary amounts of whitespace
Parameters:
kw:regexp - keyword regexp for the label
Sample Usage:
> let title = IniFile.title IniFile.record_re
*)
let indented_title (kw:regexp)
= Util.indent . title kw
(*
View: title_label
Title for <record>. This maps the title of a record as a value in the abstract tree.
Parameters:
name:string - name for the title label
kw:regexp - keyword regexp for the label
Sample Usage:
> let title = IniFile.title_label "target" IniFile.record_label_re
*)
let title_label (name:string) (kw:regexp)
= label name
. Util.del_str "[" . store kw
. Util.del_str "]". eol
(*
View: indented_title_label
Title for <record>. This maps the title of a record as a value in the abstract tree. The title may be indented with arbitrary amounts of whitespace
Parameters:
name:string - name for the title label
kw:regexp - keyword regexp for the label
Sample Usage:
> let title = IniFile.title_label "target" IniFile.record_label_re
*)
let indented_title_label (name:string) (kw:regexp)
= Util.indent . title_label name kw
(*
Variable: record_re
Default regexp for <title> keyword pattern
*)
let record_re = ( /[^]\r\n\/]+/ - /#comment/ )
(*
Variable: record_label_re
Default regexp for <title_label> keyword pattern
*)
let record_label_re = /[^]\r\n]+/
(* Group: Record definition *)
(*
View: record_noempty
INI File Record with no empty lines allowed.
Parameters:
title:lens - lens to use for title. Use either <title> or <title_label>.
entry:lens - lens to use for entries in the record. See <entry>.
*)
let record_noempty (title:lens) (entry:lens)
= [ title
. entry* ]
(*
View: record
Generic INI File record
Parameters:
title:lens - lens to use for title. Use either <title> or <title_label>.
entry:lens - lens to use for entries in the record. See <entry>.
Sample Usage:
> let record = IniFile.record title entry
*)
let record (title:lens) (entry:lens)
= record_noempty title ( entry | empty )
(************************************************************************
* Group: GENERIC LENSES
*************************************************************************)
(*
Group: Lens definition
View: lns_noempty
Generic INI File lens with no empty lines
Parameters:
record:lens - record lens to use. See <record_noempty>.
comment:lens - comment lens to use. See <comment>.
Sample Usage:
> let lns = IniFile.lns_noempty record comment
*)
let lns_noempty (record:lens) (comment:lens)
= comment* . record*
(*
View: lns
Generic INI File lens
Parameters:
record:lens - record lens to use. See <record>.
comment:lens - comment lens to use. See <comment>.
Sample Usage:
> let lns = IniFile.lns record comment
*)
let lns (record:lens) (comment:lens)
= lns_noempty record (comment|empty)
(************************************************************************
* Group: READY-TO-USE LENSES
*************************************************************************)
let record_anon (entry:lens) = [ label "section" . value ".anon" . ( entry | empty )+ ]
(*
View: lns_loose
A loose, ready-to-use lens, featuring:
- sections as values (to allow '/' in names)
- support empty lines and comments
- support for [#;] as comment, defaulting to ";"
- .anon sections
- don't allow multiline values
- allow indented titles
- allow indented entries
*)
let lns_loose =
let l_comment = comment comment_re comment_default
in let l_sep = sep sep_re sep_default
in let l_entry = indented_entry entry_re l_sep l_comment
in let l_title = indented_title_label "section" (record_label_re - ".anon")
in let l_record = record l_title l_entry
in (record_anon l_entry)? . l_record*
(*
View: lns_loose_multiline
A loose, ready-to-use lens, featuring:
- sections as values (to allow '/' in names)
- support empty lines and comments
- support for [#;] as comment, defaulting to ";"
- .anon sections
- allow multiline values
*)
let lns_loose_multiline =
let l_comment = comment comment_re comment_default
in let l_sep = sep sep_re sep_default
in let l_entry = entry_multiline entry_re l_sep l_comment
in let l_title = title_label "section" (record_label_re - ".anon")
in let l_record = record l_title l_entry
in (record_anon l_entry)? . l_record*
| Augeas | 5 | zwass/launcher | pkg/augeas/assets/lenses/inifile.aug | [
"MIT"
] |
using System;
using Avalonia.Media;
using Xunit;
namespace Avalonia.Visuals.UnitTests.Media
{
public class SolidColorBrushTests
{
[Fact]
public void Changing_Color_Raises_Invalidated()
{
var target = new SolidColorBrush(Colors.Red);
var raised = false;
target.Invalidated += (s, e) => raised = true;
target.Color = Colors.Green;
Assert.True(raised);
}
}
}
| C# | 4 | mstr2/Avalonia | tests/Avalonia.Visuals.UnitTests/Media/SolidColorBrushTests.cs | [
"MIT"
] |
111
0 0
1 -0.2
2 -0.2
3 0
4 -0.2
5 -0.2
6 0
7 -0.2
8 -0.2
9 0
10 -0.2
11 -0.2
12 0
13 -0.2
14 -0.2
15 0
16 -0.2
17 -0.2
18 0
19 -0.2
20 -0.2
21 0
22 -0.2
23 -0.2
24 0
25 -0.2
26 -0.2
27 0
28 -0.2
29 -0.2
30 0
31 -0.2
32 -0.2
33 0
34 -0.2
35 -0.2
36 0
37 -0.2
38 -0.2
39 0
40 -0.2
41 -0.2
42 0
43 -0.2
44 -0.2
45 0
46 -0.2
47 -0.2
48 0
49 -0.2
50 -0.2
51 0
52 -0.2
53 -0.2
54 0
55 -0.2
56 -0.2
57 0
58 -0.2
59 -0.2
60 0
61 -0.2
62 -0.2
63 0
64 -0.2
65 -0.2
66 0
67 -0.2
68 -0.2
69 0
70 -0.2
71 -0.2
72 0
73 -0.2
74 -0.2
75 0
76 -0.2
77 -0.2
78 0
79 -0.2
80 -0.2
81 0
82 -0.2
83 -0.2
84 0
85 -0.2
86 -0.2
87 0
88 -0.2
89 -0.2
90 0
91 -0.2
92 -0.2
93 0
94 -0.2
95 -0.2
96 0
97 -0.2
98 -0.2
99 0
100 -0.2
101 -0.2
102 0
103 -0.2
104 -0.2
105 0
106 -0.2
107 -0.2
108 0
109 -0.2
110 -0.2
| IDL | 0 | ricortiz/OpenTissue | demos/data/dlm/111/lo.dlm | [
"Zlib"
] |
//
// Copyright (c) 2018, chunquedong
// Licensed under the Academic Free License version 3.0
//
// History:
// 2018-6-18 Jed Young Creation
//
**
** the map maintains the order in which key/value pairs are added to the map.
** The implementation is based on using a linked list in addition to the normal hashmap.
**
rtconst class OrderedMap<K,V> : HashMap<K,V> {
private LinkedList list := LinkedList()
new make(Int capacity:=16) : super.make(capacity) {
}
protected override This createEmpty() {
return OrderedMap()
}
@Operator override This set(K key, V val) {
modify
MapEntry? entry := super.rawGet(key)
if (entry != null) {
entry.val = val
return this
}
entry = MapEntry()
entry.val = val
entry.key = key
super.set(key, entry)
list.add(entry)
return this
}
override This add(K key, V val) {
entry := MapEntry()
entry.val = val
entry.key = key
super.add(key, entry)
list.add(entry)
return this
}
@Operator override V? get(K key, V? defValue := super.defV) {
MapEntry? entry := super.get(key, null)
if (entry == null) return defValue
return entry.val
}
override Void each(|V val, K key| c) {
itr := list.first
end := null
while (itr !== end) {
MapEntry entry := itr
c(entry.val, entry.key)
itr = itr.next
}
}
override Obj? eachWhile(|V val, K key->Obj?| c) {
itr := list.first
end := null
while (itr !== end) {
MapEntry entry := itr
result := c(entry.val, entry.key)
if (result != null) return result
itr = itr.next
}
return null
}
override K[] keys() {
list := List.make(size)
itr := this.list.first
end := null
while (itr !== end) {
MapEntry entry := itr
list.add(entry.key)
itr = itr.next
}
return list
}
override V[] vals() {
list := List.make(size)
itr := this.list.first
end := null
while (itr !== end) {
MapEntry entry := itr
list.add(entry.val)
itr = itr.next
}
return list
}
override V? remove(K key) {
MapEntry? entry := super.remove(key)
if (entry != null) {
list.remove(entry)
return entry.val
}
return null
}
override This clear() {
super.clear
list.clear
return this
}
}
| Fantom | 4 | fanx-dev/fanx | library/std/fan/collection/OrderedMap.fan | [
"AFL-3.0"
] |
# This file is distributed under the same license as the Django package.
#
# Translators:
# Martijn Dekker <mcdutchie@hotmail.com>, 2012
msgid ""
msgstr ""
"Project-Id-Version: django\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2017-01-19 16:49+0100\n"
"PO-Revision-Date: 2017-09-19 16:41+0000\n"
"Last-Translator: Jannis Leidel <jannis@leidel.info>\n"
"Language-Team: Interlingua (http://www.transifex.com/django/django/language/"
"ia/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Language: ia\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#, python-format
msgid "Successfully deleted %(count)d %(items)s."
msgstr "%(count)d %(items)s delite con successo."
#, python-format
msgid "Cannot delete %(name)s"
msgstr "Non pote deler %(name)s"
msgid "Are you sure?"
msgstr "Es tu secur?"
#, python-format
msgid "Delete selected %(verbose_name_plural)s"
msgstr "Deler le %(verbose_name_plural)s seligite"
msgid "Administration"
msgstr ""
msgid "All"
msgstr "Totes"
msgid "Yes"
msgstr "Si"
msgid "No"
msgstr "No"
msgid "Unknown"
msgstr "Incognite"
msgid "Any date"
msgstr "Omne data"
msgid "Today"
msgstr "Hodie"
msgid "Past 7 days"
msgstr "Ultime 7 dies"
msgid "This month"
msgstr "Iste mense"
msgid "This year"
msgstr "Iste anno"
msgid "No date"
msgstr ""
msgid "Has date"
msgstr ""
#, python-format
msgid ""
"Please enter the correct %(username)s and password for a staff account. Note "
"that both fields may be case-sensitive."
msgstr ""
msgid "Action:"
msgstr "Action:"
#, python-format
msgid "Add another %(verbose_name)s"
msgstr "Adder un altere %(verbose_name)s"
msgid "Remove"
msgstr "Remover"
msgid "action time"
msgstr "hora de action"
msgid "user"
msgstr ""
msgid "content type"
msgstr ""
msgid "object id"
msgstr "id de objecto"
#. Translators: 'repr' means representation
#. (https://docs.python.org/3/library/functions.html#repr)
msgid "object repr"
msgstr "repr de objecto"
msgid "action flag"
msgstr "marca de action"
msgid "change message"
msgstr "message de cambio"
msgid "log entry"
msgstr "entrata de registro"
msgid "log entries"
msgstr "entratas de registro"
#, python-format
msgid "Added \"%(object)s\"."
msgstr "\"%(object)s\" addite."
#, python-format
msgid "Changed \"%(object)s\" - %(changes)s"
msgstr "\"%(object)s\" cambiate - %(changes)s"
#, python-format
msgid "Deleted \"%(object)s.\""
msgstr "\"%(object)s\" delite."
msgid "LogEntry Object"
msgstr "Objecto LogEntry"
#, python-brace-format
msgid "Added {name} \"{object}\"."
msgstr ""
msgid "Added."
msgstr ""
msgid "and"
msgstr "e"
#, python-brace-format
msgid "Changed {fields} for {name} \"{object}\"."
msgstr ""
#, python-brace-format
msgid "Changed {fields}."
msgstr ""
#, python-brace-format
msgid "Deleted {name} \"{object}\"."
msgstr ""
msgid "No fields changed."
msgstr "Nulle campo cambiate."
msgid "None"
msgstr "Nulle"
msgid ""
"Hold down \"Control\", or \"Command\" on a Mac, to select more than one."
msgstr ""
#, python-brace-format
msgid ""
"The {name} \"{obj}\" was added successfully. You may edit it again below."
msgstr ""
#, python-brace-format
msgid ""
"The {name} \"{obj}\" was added successfully. You may add another {name} "
"below."
msgstr ""
#, python-brace-format
msgid "The {name} \"{obj}\" was added successfully."
msgstr ""
#, python-brace-format
msgid ""
"The {name} \"{obj}\" was changed successfully. You may edit it again below."
msgstr ""
#, python-brace-format
msgid ""
"The {name} \"{obj}\" was changed successfully. You may add another {name} "
"below."
msgstr ""
#, python-brace-format
msgid "The {name} \"{obj}\" was changed successfully."
msgstr ""
msgid ""
"Items must be selected in order to perform actions on them. No items have "
"been changed."
msgstr ""
"Es necessari seliger elementos pro poter exequer actiones. Nulle elemento ha "
"essite cambiate."
msgid "No action selected."
msgstr "Nulle action seligite."
#, python-format
msgid "The %(name)s \"%(obj)s\" was deleted successfully."
msgstr "Le %(name)s \"%(obj)s\" ha essite delite con successo."
#, python-format
msgid "%(name)s with ID \"%(key)s\" doesn't exist. Perhaps it was deleted?"
msgstr ""
#, python-format
msgid "Add %s"
msgstr "Adder %s"
#, python-format
msgid "Change %s"
msgstr "Cambiar %s"
msgid "Database error"
msgstr "Error in le base de datos"
#, python-format
msgid "%(count)s %(name)s was changed successfully."
msgid_plural "%(count)s %(name)s were changed successfully."
msgstr[0] "%(count)s %(name)s cambiate con successo."
msgstr[1] "%(count)s %(name)s cambiate con successo."
#, python-format
msgid "%(total_count)s selected"
msgid_plural "All %(total_count)s selected"
msgstr[0] "%(total_count)s seligite"
msgstr[1] "Tote le %(total_count)s seligite"
#, python-format
msgid "0 of %(cnt)s selected"
msgstr "0 de %(cnt)s seligite"
#, python-format
msgid "Change history: %s"
msgstr "Historia de cambiamentos: %s"
#. Translators: Model verbose name and instance representation,
#. suitable to be an item in a list.
#, python-format
msgid "%(class_name)s %(instance)s"
msgstr ""
#, python-format
msgid ""
"Deleting %(class_name)s %(instance)s would require deleting the following "
"protected related objects: %(related_objects)s"
msgstr ""
msgid "Django site admin"
msgstr "Administration del sito Django"
msgid "Django administration"
msgstr "Administration de Django"
msgid "Site administration"
msgstr "Administration del sito"
msgid "Log in"
msgstr "Aperir session"
#, python-format
msgid "%(app)s administration"
msgstr ""
msgid "Page not found"
msgstr "Pagina non trovate"
msgid "We're sorry, but the requested page could not be found."
msgstr "Regrettabilemente, le pagina requestate non poteva esser trovate."
msgid "Home"
msgstr "Initio"
msgid "Server error"
msgstr "Error del servitor"
msgid "Server error (500)"
msgstr "Error del servitor (500)"
msgid "Server Error <em>(500)</em>"
msgstr "Error del servitor <em>(500)</em>"
msgid ""
"There's been an error. It's been reported to the site administrators via "
"email and should be fixed shortly. Thanks for your patience."
msgstr ""
msgid "Run the selected action"
msgstr "Exequer le action seligite"
msgid "Go"
msgstr "Va"
msgid "Click here to select the objects across all pages"
msgstr "Clicca hic pro seliger le objectos in tote le paginas"
#, python-format
msgid "Select all %(total_count)s %(module_name)s"
msgstr "Seliger tote le %(total_count)s %(module_name)s"
msgid "Clear selection"
msgstr "Rader selection"
msgid ""
"First, enter a username and password. Then, you'll be able to edit more user "
"options."
msgstr ""
"Primo, specifica un nomine de usator e un contrasigno. Postea, tu potera "
"modificar plus optiones de usator."
msgid "Enter a username and password."
msgstr "Specifica un nomine de usator e un contrasigno."
msgid "Change password"
msgstr "Cambiar contrasigno"
msgid "Please correct the error below."
msgstr "Per favor corrige le errores sequente."
msgid "Please correct the errors below."
msgstr ""
#, python-format
msgid "Enter a new password for the user <strong>%(username)s</strong>."
msgstr ""
"Specifica un nove contrasigno pro le usator <strong>%(username)s</strong>."
msgid "Welcome,"
msgstr "Benvenite,"
msgid "View site"
msgstr ""
msgid "Documentation"
msgstr "Documentation"
msgid "Log out"
msgstr "Clauder session"
#, python-format
msgid "Add %(name)s"
msgstr "Adder %(name)s"
msgid "History"
msgstr "Historia"
msgid "View on site"
msgstr "Vider in sito"
msgid "Filter"
msgstr "Filtro"
msgid "Remove from sorting"
msgstr "Remover del ordination"
#, python-format
msgid "Sorting priority: %(priority_number)s"
msgstr "Prioritate de ordination: %(priority_number)s"
msgid "Toggle sorting"
msgstr "Alternar le ordination"
msgid "Delete"
msgstr "Deler"
#, python-format
msgid ""
"Deleting the %(object_name)s '%(escaped_object)s' would result in deleting "
"related objects, but your account doesn't have permission to delete the "
"following types of objects:"
msgstr ""
"Deler le %(object_name)s '%(escaped_object)s' resultarea in le deletion de "
"objectos associate, me tu conto non ha le permission de deler objectos del "
"sequente typos:"
#, python-format
msgid ""
"Deleting the %(object_name)s '%(escaped_object)s' would require deleting the "
"following protected related objects:"
msgstr ""
"Deler le %(object_name)s '%(escaped_object)s' necessitarea le deletion del "
"sequente objectos associate protegite:"
#, python-format
msgid ""
"Are you sure you want to delete the %(object_name)s \"%(escaped_object)s\"? "
"All of the following related items will be deleted:"
msgstr ""
"Es tu secur de voler deler le %(object_name)s \"%(escaped_object)s\"? Tote "
"le sequente objectos associate essera delite:"
msgid "Objects"
msgstr ""
msgid "Yes, I'm sure"
msgstr "Si, io es secur"
msgid "No, take me back"
msgstr ""
msgid "Delete multiple objects"
msgstr "Deler plure objectos"
#, python-format
msgid ""
"Deleting the selected %(objects_name)s would result in deleting related "
"objects, but your account doesn't have permission to delete the following "
"types of objects:"
msgstr ""
"Deler le %(objects_name)s seligite resultarea in le deletion de objectos "
"associate, ma tu conto non ha le permission de deler objectos del sequente "
"typos:"
#, python-format
msgid ""
"Deleting the selected %(objects_name)s would require deleting the following "
"protected related objects:"
msgstr ""
"Deler le %(objects_name)s seligite necessitarea le deletion del sequente "
"objectos associate protegite:"
#, python-format
msgid ""
"Are you sure you want to delete the selected %(objects_name)s? All of the "
"following objects and their related items will be deleted:"
msgstr ""
"Es tu secur de voler deler le %(objects_name)s seligite? Tote le sequente "
"objectos e le objectos associate a illo essera delite:"
msgid "Change"
msgstr "Cambiar"
msgid "Delete?"
msgstr "Deler?"
#, python-format
msgid " By %(filter_title)s "
msgstr " Per %(filter_title)s "
msgid "Summary"
msgstr ""
#, python-format
msgid "Models in the %(name)s application"
msgstr ""
msgid "Add"
msgstr "Adder"
msgid "You don't have permission to edit anything."
msgstr "Tu non ha le permission de modificar alcun cosa."
msgid "Recent actions"
msgstr ""
msgid "My actions"
msgstr ""
msgid "None available"
msgstr "Nihil disponibile"
msgid "Unknown content"
msgstr "Contento incognite"
msgid ""
"Something's wrong with your database installation. Make sure the appropriate "
"database tables have been created, and make sure the database is readable by "
"the appropriate user."
msgstr ""
"Il ha un problema con le installation del base de datos. Assecura te que le "
"tabellas correcte ha essite create, e que le base de datos es legibile pro "
"le usator appropriate."
#, python-format
msgid ""
"You are authenticated as %(username)s, but are not authorized to access this "
"page. Would you like to login to a different account?"
msgstr ""
msgid "Forgotten your password or username?"
msgstr "Contrasigno o nomine de usator oblidate?"
msgid "Date/time"
msgstr "Data/hora"
msgid "User"
msgstr "Usator"
msgid "Action"
msgstr "Action"
msgid ""
"This object doesn't have a change history. It probably wasn't added via this "
"admin site."
msgstr ""
"Iste objecto non ha un historia de cambiamentos. Illo probabilemente non "
"esseva addite per medio de iste sito administrative."
msgid "Show all"
msgstr "Monstrar toto"
msgid "Save"
msgstr "Salveguardar"
msgid "Popup closing..."
msgstr ""
#, python-format
msgid "Change selected %(model)s"
msgstr ""
#, python-format
msgid "Add another %(model)s"
msgstr ""
#, python-format
msgid "Delete selected %(model)s"
msgstr ""
msgid "Search"
msgstr "Cercar"
#, python-format
msgid "%(counter)s result"
msgid_plural "%(counter)s results"
msgstr[0] "%(counter)s resultato"
msgstr[1] "%(counter)s resultatos"
#, python-format
msgid "%(full_result_count)s total"
msgstr "%(full_result_count)s in total"
msgid "Save as new"
msgstr "Salveguardar como nove"
msgid "Save and add another"
msgstr "Salveguardar e adder un altere"
msgid "Save and continue editing"
msgstr "Salveguardar e continuar le modification"
msgid "Thanks for spending some quality time with the Web site today."
msgstr "Gratias pro haber passate un tempore agradabile con iste sito web."
msgid "Log in again"
msgstr "Aperir session de novo"
msgid "Password change"
msgstr "Cambio de contrasigno"
msgid "Your password was changed."
msgstr "Tu contrasigno ha essite cambiate."
msgid ""
"Please enter your old password, for security's sake, and then enter your new "
"password twice so we can verify you typed it in correctly."
msgstr ""
"Per favor specifica tu ancian contrasigno, pro securitate, e postea "
"specifica tu nove contrasigno duo vices pro verificar que illo es scribite "
"correctemente."
msgid "Change my password"
msgstr "Cambiar mi contrasigno"
msgid "Password reset"
msgstr "Reinitialisar contrasigno"
msgid "Your password has been set. You may go ahead and log in now."
msgstr "Tu contrasigno ha essite reinitialisate. Ora tu pote aperir session."
msgid "Password reset confirmation"
msgstr "Confirmation de reinitialisation de contrasigno"
msgid ""
"Please enter your new password twice so we can verify you typed it in "
"correctly."
msgstr ""
"Per favor scribe le nove contrasigno duo vices pro verificar que illo es "
"scribite correctemente."
msgid "New password:"
msgstr "Nove contrasigno:"
msgid "Confirm password:"
msgstr "Confirma contrasigno:"
msgid ""
"The password reset link was invalid, possibly because it has already been "
"used. Please request a new password reset."
msgstr ""
"Le ligamine pro le reinitialisation del contrasigno esseva invalide, forsan "
"perque illo ha jam essite usate. Per favor submitte un nove demanda de "
"reinitialisation del contrasigno."
msgid ""
"We've emailed you instructions for setting your password, if an account "
"exists with the email you entered. You should receive them shortly."
msgstr ""
msgid ""
"If you don't receive an email, please make sure you've entered the address "
"you registered with, and check your spam folder."
msgstr ""
#, python-format
msgid ""
"You're receiving this email because you requested a password reset for your "
"user account at %(site_name)s."
msgstr ""
msgid "Please go to the following page and choose a new password:"
msgstr "Per favor va al sequente pagina pro eliger un nove contrasigno:"
msgid "Your username, in case you've forgotten:"
msgstr "Tu nomine de usator, in caso que tu lo ha oblidate:"
msgid "Thanks for using our site!"
msgstr "Gratias pro usar nostre sito!"
#, python-format
msgid "The %(site_name)s team"
msgstr "Le equipa de %(site_name)s"
msgid ""
"Forgotten your password? Enter your email address below, and we'll email "
"instructions for setting a new one."
msgstr ""
msgid "Email address:"
msgstr ""
msgid "Reset my password"
msgstr "Reinitialisar mi contrasigno"
msgid "All dates"
msgstr "Tote le datas"
#, python-format
msgid "Select %s"
msgstr "Selige %s"
#, python-format
msgid "Select %s to change"
msgstr "Selige %s a modificar"
msgid "Date:"
msgstr "Data:"
msgid "Time:"
msgstr "Hora:"
msgid "Lookup"
msgstr "Recerca"
msgid "Currently:"
msgstr ""
msgid "Change:"
msgstr ""
| Gettext Catalog | 3 | jpmallarino/django | django/contrib/admin/locale/ia/LC_MESSAGES/django.po | [
"BSD-3-Clause",
"0BSD"
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.