text stringlengths 1 22.8M |
|---|
Huérfanos Street is an east-west street in downtown Santiago, Chile. The word huérfanos is Spanish for orphans and the street is so named because an orphanage that was built here in 1758.
Description
Huérfanos Street's eastern end originates west of Santa Lucía Hill. The segment between Mac Iver and Teatinos streets is pedestrianized. Many banks, stores and cinemas operate on this segment. It is also home to the headquarters of Codelco and the Constitutional Court of Chile, which occupies the Ex Caja de Crédito Hipotecario building. At the center of this segment, Huérfanos and Paseo Ahumada form a busy pedestrian intersection.
Palacio Pereira is located at the corner of Huérfanos and San Martín Street. A block west of the palace, the street is interrupted by the east branch of the Autopista Central, however a cable-stayed footbridge gives to Huérfanos some level of continuity.
Going westward, the street is first part of the Barrio Brasil and then part of the Barrio Yungay. At the southeastern corner of Huérfanos and Almirante Barroso Street is the Basílica del Salvador. From Brasil Avenue to Maturana Street, Huérfanos borders Plaza Brasil.
Many blocks west of Brasil Avenue, Huérfanos marks the southern border of some quaint streets and alleys. A skyway that is part of the San Juan de Dios Hospital passes over the street before being interrupted by the Quinta Normal Park.
References
External links
Streets in Chile
Tourist attractions in Santiago, Chile |
USS Nelansu (SP-610) was a United States Navy patrol vessel in commission from 1917 to 1918.
Nelansu was built as a private motorboat by R. Bigelow at Monument Beach, Massachusetts. Some sources say her original name was U. S. Kent, while others state that this only was a possibility, but all agree that she was named Nelansu by 1917.
In 1917, the U.S. Navy acquired her under a free lease from her owner, John S. Kent, for use as a section patrol boat during World War I, and she was commissioned as USS Nelansu (SP-610). Sources disagree on the timing of these events, claiming acquisition dates of both 26 May and 20 July 1917; the only source to provide a commissioning date places it on 26 May 1917.
Assigned to the 1st Naval District in northern New England, Kiowa carried out patrol duties in the Boston, Massachusetts, area for the rest of World War I.
Nelansu was decommissioned on 30 November 1918 and returned to Kent the same day.
Notes
References
Department of the Navy Naval History and Heritage Command Online Library of Selected Images: Civilian Ships: Nelansu (Motor Boat, 1909). Possibly previously named U.S. Kent. Served as USS Nelansu (SP-610) in 1917–1918
NavSource Online: Section Patrol Craft Photo Archive Nelansu (SP 610)
Patrol vessels of the United States Navy
World War I patrol vessels of the United States
Ships built in Massachusetts
1917 ships |
9X Tashan is a Punjabi language music channel operated by 9X Media. Channel was launched on 31 August 2011 and is now available on major DTH and cable operators across India including Asianet Digital TV, Airtel digital TV, Tata Sky, Sun Direct, Reliance Digital TV, Dish TV and Videocon d2h.
See also
9XM
9x Jhakaas
References
External links
9X Tashan Official Website
9X Media
Punjabi-language television channels in India
Music television channels in India |
```prolog
#!/usr/bin/env perl
#
#
#
# **********
#
#
# path_to_url
#
# Unless required by applicable law or agreed to in writing, software
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
#
# **********
#
# **********
#
# 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
#
# with this program; if not, write to the Free Software Foundation, Inc.,
# 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA.
#
# **********
#
# Purpose
#
# This script migrates application source code from the mbed TLS 1.3 API to the
# mbed TLS 2.0 API.
#
# The script processes the given source code and renames identifiers - functions
# types, enums etc, as
#
# Usage: rename.pl [-f datafile] [-s] [--] [filenames...]
#
use warnings;
use strict;
use utf8;
use Path::Class;
use open qw(:std utf8);
my $usage = "Usage: $0 [-f datafile] [-s] [--] [filenames...]\n";
(my $datafile = $0) =~ s/rename.pl$/data_files\/rename-1.3-2.0.txt/;
my $do_strings = 0;
while( @ARGV && $ARGV[0] =~ /^-/ ) {
my $opt = shift;
if( $opt eq '--' ) {
last;
} elsif( $opt eq '-f' ) {
$datafile = shift;
} elsif( $opt eq '-s' ) {
$do_strings = 1; shift;
} else {
die $usage;
}
}
my %subst;
open my $nfh, '<', $datafile or die "Could not read $datafile\n";
my $ident = qr/[_A-Za-z][_A-Za-z0-9]*/;
while( my $line = <$nfh> ) {
chomp $line;
my ( $old, $new ) = ( $line =~ /^($ident)\s+($ident)$/ );
if( ! $old || ! $new ) {
die "$0: $datafile:$.: bad input '$line'\n";
}
$subst{$old} = $new;
}
close $nfh or die;
my $string = qr/"(?:\\.|[^\\"])*"/;
my $space = qr/\s+/;
my $idnum = qr/[a-zA-Z0-9_]+/;
my $symbols = qr/[-!#\$%&'()*+,.\/:;<=>?@[\\\]^_`{|}~]+|"/;
my $lib_include_dir = dir($0)->parent->parent->subdir('include', 'mbedtls');
my $lib_source_dir = dir($0)->parent->parent->subdir('library');
# if we replace inside strings, we don't consider them a token
my $token = $do_strings ? qr/$space|$idnum|$symbols/
: qr/$string|$space|$idnum|$symbols/;
my %warnings;
# If no files were passed, exit...
if ( not defined($ARGV[0]) ){ die $usage; }
while( my $filename = shift )
{
print STDERR "$filename... ";
if( dir($filename)->parent eq $lib_include_dir ||
dir($filename)->parent eq $lib_source_dir )
{
die "Script cannot be executed on the mbed TLS library itself.";
}
if( -d $filename ) { print STDERR "skip (directory)\n"; next }
open my $rfh, '<', $filename or die;
my @lines = <$rfh>;
close $rfh or die;
my @out;
for my $line (@lines) {
if( $line =~ /#include/ ) {
$line =~ s/polarssl/mbedtls/;
$line =~ s/POLARSSL/MBEDTLS/;
push( @out, $line );
next;
}
my @words = ($line =~ /$token/g);
my $checkline = join '', @words;
if( $checkline eq $line ) {
my @new = map { exists $subst{$_} ? $subst{$_} : $_ } @words;
push( @out, join '', @new );
} else {
$warnings{$filename} = [] unless $warnings{$filename};
push @{ $warnings{$filename} }, $line;
push( @out, $line );
}
}
open my $wfh, '>', $filename or die;
print $wfh $_ for @out;
close $wfh or die;
print STDERR "done\n";
}
if( %warnings ) {
print "\nWarning: lines skipped due to unexpected characters:\n";
for my $filename (sort keys %warnings) {
print "in $filename:\n";
print for @{ $warnings{$filename} };
}
}
``` |
Smart Flesh is the third studio album by American indie folk band The Low Anthem, released on February 22, 2011 on Bella Union in UK/Europe and Nonesuch Records in US. The majority of the album was recorded in an abandoned pasta sauce factory in Central Falls, Rhode Island, near the band's hometown of Providence, Rhode Island. Smart Flesh is the only album to feature multi-instrumentalist Mat Davidson, who left the band during the album's promotional tour.
A numbered, letterpress printed version of the album was issued upon release, containing an additional disc with three "passable strays that missed the cut." The bonus track, "Dreams Can Chase You Down", is written by former member Dan Lefkowitz.
Background and recording
After extensive touring in support of the band's previous album, Oh My God, Charlie Darwin, the band set up a recording studio in an abandoned pasta sauce factory, in their hometown, Providence, Rhode Island. Jeff Prystowsky states that the band "set out to make a record in a natural space, [...] a building that has its own kind of reverb, its own sound, a unique sound that we find beautiful."
The band stayed in the factory together for three months, with Prystowsky stating that "it wasn’t cushy at all." Ben Knox Miller noted that: "Obviously, there were personal tensions, you know? When you do anything intensely over a long period of time... it was like 3 months we were living in that place. This little place, as a family unit, whatever you want to call it. But yeah, we didn't picture that it would be that cold."
The environment of the factory ultimately dictated the album's overall aesthetic, with the band using different metals, woods and artifacts as percussive instruments. Prystowsky also notes that the album's emphasis on quieter songs is as a result of the recording space: "It just sounded muddy when you tried to play rowdy songs. It’s not an acoustically treated room, and [if] you get a lot of drums and electric guitar, [then] everything is muddy and you can’t hear the divisions, the timbres of the instruments. It had that kind of effect with some of those kinds of songs when we tried to play them in the factory building." Prior to the album's release, Miller remarked that "a lot of songs died in that space that would have flourished elsewhere, for musical reasons more so than lyrical reasons."
According to Miller and Prystowsky, the band recorded around thirty songs in the factory. The unreleased tracks are currently being considered for release under an "alter-ego" band, Snake Wagon.
Following the recording sessions, the band travelled to Omaha to mix the tracks with Mike Mogis, of Bright Eyes fame. Miller described the man as "a genius. He’s like the man with the Midas touch."
The band subsequently returned to the pasta sauce factory for the album's launch gig, in March 2011.
Track listing
All songs written by The Low Anthem except where noted.
"Ghost Woman Blues" (George Carter)
"Apothecary Love"
"Boeing 737"
"Love and Altar"
"Matter of Time"
"Wire" (Jocie Adams)
"Burn"
"Hey, All You Hippies!"
"I'll Take Out Your Ashes"
"Golden Cattle"
"Smart Flesh"
Limited Edition bonus disc
"Maybe So"
"Vines"
"Dreams Can Chase You Down" (Dan Lefkowitz)
"Daniel In the Lion's Den"
Personnel
The Low Anthem
Ben Knox Miller
Jeff Prystowsky
Jocie Adams
Mat Davidson
Additional musicians
Ben Pilgrim - harmonium ("Smart Flesh")
Anton Patzner - violin ("Boeing 737")
Louis Patzner - cello ("Boeing 737")
Robert Houllahan - flickering film ("Boeing 737")
Production personnel
The Low Anthem - producer
Jesse Lautner - recording, mixing ("Matter of Time", "Burn" and "Hey, All You Hippies!")
Mike Mogis - mixing
Dan Cardinal - recording ("Matter of Time", "Burn" and "Hey, All You Hippies!")
Robert C. Ludwig - mastering
Artwork
Alec Thibodeau - design
Dan Wood - design
DWRI Letterpress - printing
Ryan Mastro - pasta sauce factory photographs
References
2011 albums
Bella Union albums
The Low Anthem albums |
```java
package com.kalessil.phpStorm.phpInspectionsEA.inspectors.suspiciousAssignments.strategy;
import com.intellij.codeInspection.ProblemsHolder;
import com.intellij.psi.PsiElement;
import com.intellij.psi.util.PsiTreeUtil;
import com.jetbrains.php.codeInsight.controlFlow.instructions.PhpAccessVariableInstruction;
import com.jetbrains.php.codeInsight.controlFlow.instructions.PhpEntryPointInstruction;
import com.jetbrains.php.lang.psi.elements.*;
import com.kalessil.phpStorm.phpInspectionsEA.utils.ExpressionSemanticUtil;
import com.kalessil.phpStorm.phpInspectionsEA.utils.MessagesPresentationUtil;
import com.kalessil.phpStorm.phpInspectionsEA.utils.OpenapiControlFlowUtil;
import com.kalessil.phpStorm.phpInspectionsEA.utils.OpenapiTypesUtil;
import org.jetbrains.annotations.NotNull;
import java.util.List;
/*
* This file is part of the Php Inspections (EA Extended) package.
*
* (c) Vladimir Reznichenko <kalessil@gmail.com>
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
final public class ParameterImmediateOverrideStrategy {
private static final String message = "This variable name has already been declared previously without being used.";
static public void apply(@NotNull Function function, @NotNull ProblemsHolder holder) {
/* general requirements for a function */
final Parameter[] params = function.getParameters();
final GroupStatement body = ExpressionSemanticUtil.getGroupStatement(function);
if (body == null || params.length == 0 || ExpressionSemanticUtil.countExpressionsInGroup(body) == 0) {
return;
}
final PhpEntryPointInstruction start = function.getControlFlow().getEntryPoint();
for (final Parameter param : params) {
/* overriding params by reference is totally fine */
if (param.isPassByRef()) {
continue;
}
final String parameterName = param.getName();
List<PhpAccessVariableInstruction> uses = OpenapiControlFlowUtil.getFollowingVariableAccessInstructions(start, parameterName);
/* at least 2 uses expected: override and any other operation */
if (uses.size() < 2) {
continue;
}
/* first use should be a write directly in function body */
final PhpPsiElement expression = uses.get(0).getAnchor();
final PsiElement parent = expression.getParent();
if (OpenapiTypesUtil.isAssignment(parent) && expression == ((AssignmentExpression) parent).getVariable()) {
/* the assignment must be directly in the body, no conditional/in-loop overrides are checked */
final PsiElement grandParent = parent.getParent();
if (grandParent != null && body != grandParent.getParent()) {
continue;
}
/* count name hits, to identify if original value was considered */
int nameHits = 0;
for (final Variable variable : PsiTreeUtil.findChildrenOfType(parent, Variable.class)) {
if (parameterName.equals(variable.getName()) && ++nameHits > 1) {
break;
}
}
if (nameHits == 1) {
holder.registerProblem(
expression,
MessagesPresentationUtil.prefixWithEa(message)
);
}
}
}
}
}
``` |
```objective-c
/*your_sha256_hash------------*/
/**
* This confidential and proprietary software may be used only as
* authorised by a licensing agreement from ARM Limited
* (C) COPYRIGHT 2011-2012 ARM Limited
* ALL RIGHTS RESERVED
*
* The entire notice above must be reproduced on all authorised
* copies and copies may only be made to the extent permitted
* by a licensing agreement from ARM Limited.
*
* @brief Soft IEEE-754 floating point library.
*/
/*your_sha256_hash------------*/
#ifndef SOFTFLOAT_H_INCLUDED
#define SOFTFLOAT_H_INCLUDED
#if defined __cplusplus
extern "C"
{
#endif
#if defined __cplusplus && !defined(_MSC_VER)
/* if compiling as C++, we need to define these macros in order to obtain all the macros in stdint.h . */
#define __STDC_LIMIT_MACROS
#define __STDC_CONSTANT_MACROS
#include <stdint.h>
#else
typedef unsigned char uint8_t;
typedef signed char int8_t;
typedef unsigned short uint16_t;
typedef signed short int16_t;
typedef unsigned int uint32_t;
typedef signed int int32_t;
#endif
uint32_t clz32(uint32_t p);
/* targets that don't have UINT32_C probably don't have the rest of C99s stdint.h */
#ifndef UINT32_C
#define PASTE(a) a
#define UINT64_C(a) PASTE(a##ULL)
#define UINT32_C(a) PASTE(a##U)
#define INT64_C(a) PASTE(a##LL)
#define INT32_C(a) a
#define PRIX32 "X"
#define PRId32 "d"
#define PRIu32 "u"
#define PRIX64 "LX"
#define PRId64 "Ld"
#define PRIu64 "Lu"
#endif
/* sized soft-float types. These are mapped to the sized integer types of C99, instead of C's
floating-point types; this is because the library needs to maintain exact, bit-level control on all
operations on these data types. */
typedef uint16_t sf16;
typedef uint32_t sf32;
/* the five rounding modes that IEEE-754r defines */
typedef enum {
SF_UP = 0, /* round towards positive infinity */
SF_DOWN = 1, /* round towards negative infinity */
SF_TOZERO = 2, /* round towards zero */
SF_NEARESTEVEN = 3, /* round toward nearest value; if mid-between, round to even value */
SF_NEARESTAWAY = 4 /* round toward nearest value; if mid-between, round away from zero */
} roundmode;
/* narrowing float->float conversions */
sf16 sf32_to_sf16(sf32, roundmode);
/* widening float->float conversions */
sf32 sf16_to_sf32(sf16);
sf16 float_to_sf16(float, roundmode);
float sf16_to_float(sf16);
#if defined __cplusplus
}
#endif
#endif
``` |
Laccotriton is an extinct genus of prehistoric salamanders which lived in Eastern Asia during the Late Jurassic. A nearly complete skeleton of L. subsolanus was found at Hebei, China.
See also
List of prehistoric amphibians
References
Jurassic salamanders
Prehistoric amphibians of Asia
Late Jurassic amphibians
Fossil taxa described in 1998 |
Two If by Sea (also known in the United Kingdom as Stolen Hearts) is a 1996 American romantic comedy film directed by Bill Bennett, and starring Sandra Bullock and Denis Leary. The screenplay, written by Leary and Mike Armstrong, is based on a story by Leary, Armstrong, and Ann Lembeck.
Plot
Frank O'Brien, a small-time thief, and his longtime girlfriend Roz have stolen a Matisse painting and are bickering in their stolen getaway car as they casually evade a string of police cars pursuing them, which can be considered a miracle.
Told it is worth 100 thousand, they expect to make 10 thousand upon delivering it in two days. Hearing a train, they ditch the car for Amtrak, but it doesn't take long for the police to catch up. Frank and Roz jump a ferry to Rhode Island, where they are meant to deliver the painting.
Finding out a family is away through the weekend, they let themselves in. Soon afterward the neighbor Evan Marsh pops by, and Roz skillfully weaves a lie, dropping the names of the homeowner's son based on a postcard she saw. At ease, Evan invites them to a party the next evening.
That evening the couple are relaxing, and Roz finds the stolen painting featured in a book of art. Soon thereafter they argue over another job Frank's meant to do the following week, as he'd promised to start to earn a living to put an end to their unsteady lifestyle and just do that last job.
As Roz kicked Frank out of the bedroom, he wakes on the sofa to a local law enforcement officer. Todd, a neighbor, had contacted the station, reporting suspicious behaviour. The couple starts to answer, when Evan waltzes in and vouches for them.
At Evan's party, Roz is successfully trying to blend, while an uncomfortable Frank tags along. He had been trying to dissuade her from going, mistrustful of Evan, and uncomfortable with the high society types there. Tired of Frank spoiling Roz's attempt to interact, she stomps away from the party. She tells him she needs to move on, as their relationship is not advancing as she needs.
The next day, Roz tries out painting, as well as spends the day with Evan. They ride horses and he openly expresses his interest. Meanwhile, Todd shows Frank his footage of various neighbors. He brags that he has grabbed lots of great shots he could use as blackmail.
On sunday morning, while Roz is spending time with Evan he kisses her, making her uncomfortable. Meanwhile, Frank realises that he's seen footage from Evan's of another missing Matisse in his house, realising he is an art thief.
When the FBI swarm in to bust the couple for the Matisse, Frank leads them to Evan’s, where several extremely valuable paintings are found. Roz and Frank make up after he promises to clean up his act and settle down.
Cast
Sandra Bullock as Roz
Denis Leary as Francis "Frank" O'Brien
Stephen Dillane as Evan Marsh
Yaphet Kotto as FBI Agent O'Malley
Mike Starr as "Fitzie"
Jonathan Tucker as Todd
Wayne Robson as Beano Callahan
Michael Badalucco as Quinn
Lenny Clarke as Kelly
Production
The film was shot in locales including Chester, Lunenburg, Mahone Bay, and Riverport, Nova Scotia.
Release
Box office
Two If by Sea opened theatrically on January 12, 1996 in 1,712 venues, grossing $4,656,986 in the United States and Canada, ranking tenth for its opening weekend. At the end of its run, the film grossed $10,658,278 in the United States and Canada and an estimated $10 million internationally for a worldwide total of $21 million.
The film was Sandra Bullock's worst wide opening up until 2015, when Our Brand Is Crisis released in October, earning $3,238,433 in its first weekend.
Critical reception
The film received negative reviews from critics. On Rotten Tomatoes the film has an approval rating of 13% based on reviews from 30 critics, with an average rating of 3.9/10.
Variety wrote: "It could have been a recipe for antic fun, but the couple’s quarrelsome nature is grating, the cops are needlessly inept, the boy provides a misplaced element of creaky sentimentality, and the goons debase the hallowed cinema ground of petty crime."
Entertainment Weekly gave it a D.
Denis Leary said it was "one of the funniest scripts he had ever read" and blamed director Bill Bennett for the film's failure, saying "he destroyed it."
References
External links
1996 films
1990s crime comedy films
1996 romantic comedy films
American crime comedy films
American romantic comedy films
1990s English-language films
Films about the Federal Bureau of Investigation
Films scored by Nick Glennie-Smith
Films directed by Bill Bennett
Films shot in Nova Scotia
Morgan Creek Productions films
Films about theft
1990s American films |
```html
<meta http-equiv="refresh" content="0; url=General-Query-Packets.html#qXfer%20executable%20filename%20read">
``` |
```pascal
{$INCLUDE doomrl.inc}
unit doomgfxio;
interface
uses vglquadrenderer, vgltypes, vluaconfig, vioevent, viotypes, vuielement, vimage,
vrltools, vutil,
doomio, doomspritemap, doomanimation, dfdata;
type
{ TDoomGFXIO }
TDoomGFXIO = class( TDoomIO )
constructor Create; reintroduce;
procedure Reconfigure( aConfig : TLuaConfig ); override;
procedure Configure( aConfig : TLuaConfig; aReload : Boolean = False ); override;
procedure Update( aMSec : DWord ); override;
function RunUILoop( aElement : TUIElement = nil ) : DWord; override;
function OnEvent( const event : TIOEvent ) : Boolean; override;
procedure UpdateMinimap;
destructor Destroy; override;
function ChooseTarget( aActionName : string; aRange: byte; aLimitRange : Boolean; aTargets: TAutoTarget; aShowLast: Boolean): TCoord2D; override;
procedure WaitForAnimation; override;
function AnimationsRunning : Boolean; override;
procedure Mark( aCoord : TCoord2D; aColor : Byte; aChar : Char; aDuration : DWord; aDelay : DWord = 0 ); override;
procedure Blink( aColor : Byte; aDuration : Word = 100; aDelay : DWord = 0); override;
procedure addMoveAnimation( aDuration : DWord; aDelay : DWord; aUID : TUID; aFrom, aTo : TCoord2D; aSprite : TSprite ); override;
procedure addScreenMoveAnimation( aDuration : DWord; aDelay : DWord; aTo : TCoord2D ); override;
procedure addCellAnimation( aDuration : DWord; aDelay : DWord; aCoord : TCoord2D; aSprite : TSprite; aValue : Integer ); override;
procedure addMissileAnimation( aDuration : DWord; aDelay : DWord; aSource, aTarget : TCoord2D; aColor : Byte; aPic : Char; aDrawDelay : Word; aSprite : TSprite; aRay : Boolean = False ); override;
procedure addMarkAnimation( aDuration : DWord; aDelay : DWord; aCoord : TCoord2D; aColor : Byte; aPic : Char ); override;
procedure addSoundAnimation( aDelay : DWord; aPosition : TCoord2D; aSoundID : DWord ); override;
procedure DeviceChanged;
function DeviceCoordToConsoleCoord( aCoord : TIOPoint ) : TIOPoint; override;
function ConsoleCoordToDeviceCoord( aCoord : TIOPoint ) : TIOPoint; override;
procedure RenderUIBackground( aUL, aBR : TIOPoint ); override;
protected
procedure ExplosionMark( aCoord : TCoord2D; aColor : Byte; aDuration : DWord; aDelay : DWord ); override;
procedure SetTarget( aTarget : TCoord2D; aColor : Byte; aRange : Byte ); override;
function FullScreenCallback( aEvent : TIOEvent ) : Boolean;
procedure ResetVideoMode;
procedure ReuploadTextures;
procedure RecalculateScaling( aInitialize : Boolean );
procedure CalculateConsoleParams;
procedure SetMinimapScale( aScale : Byte );
private
FQuadSheet : TGLQuadList;
FTextSheet : TGLQuadList;
FPostSheet : TGLQuadList;
FQuadRenderer: TGLQuadRenderer;
FProjection : TMatrix44;
FFontMult : Byte;
FTileMult : Byte;
FMiniScale : Byte;
FLinespace : Word;
FVPadding : DWord;
FCellX : Integer;
FCellY : Integer;
FFontSizeX : Byte;
FFontSizeY : Byte;
FFullscreen : Boolean;
FLastMouseTime : QWord;
FMouseLock : Boolean;
FMCursor : TDoomMouseCursor;
FMinimapImage : TImage;
FMinimapTexture : DWord;
FMinimapScale : Integer;
FMinimapGLPos : TGLVec2i;
FAnimations : TAnimationManager;
public
property QuadSheet : TGLQuadList read FQuadSheet;
property TextSheet : TGLQuadList read FTextSheet;
property PostSheet : TGLQuadList read FPostSheet;
property FontMult : Byte read FFontMult;
property TileMult : Byte read FTileMult;
property MCursor : TDoomMouseCursor read FMCursor;
end;
implementation
uses {$IFDEF WINDOWS}windows,{$ENDIF}
classes, sysutils, math,
vdebug, vlog, vmath, vdf, vgl3library, vtigstyle,
vglimage, vsdlio, vbitmapfont, vcolor, vglconsole, vioconsole,
dfplayer,
doombase, doomtextures, doomconfiguration;
const ConsoleSizeX = 80;
ConsoleSizeY = 25;
procedure TDoomGFXIO.RecalculateScaling( aInitialize : Boolean );
var iWidth : Integer;
iHeight : Integer;
iOldFontMult : Integer;
iOldTileMult : Integer;
iOldMiniScale : Integer;
begin
iWidth := FIODriver.GetSizeX;
iHeight := FIODriver.GetSizeY;
iOldFontMult := FFontMult;
iOldTileMult := FTileMult;
iOldMiniScale := FMiniScale;
FFontMult := Configuration.GetInteger( 'font_multiplier' );
FTileMult := Configuration.GetInteger( 'tile_multiplier' );
FMiniScale := Configuration.GetInteger( 'minimap_multiplier' );
if FFontMult = 0 then
if (iWidth >= 1600) and (iHeight >= 900)
then FFontMult := 2
else FFontMult := 1;
if FTileMult = 0 then
if (iWidth >= 1050) and (iHeight >= 1050)
then FTileMult := 2
else FTileMult := 1;
if FMiniScale = 0 then
begin
FMiniScale := iWidth div 220;
FMiniScale := Max( 3, FMiniScale );
FMiniScale := Min( 9, FMiniScale );
end;
if aInitialize then Exit;
if FMiniScale <> iOldMiniScale then
SetMinimapScale( FMiniScale );
if FTileMult <> iOldTileMult then
begin
SpriteMap.Recalculate;
if Player <> nil then
SpriteMap.NewShift := SpriteMap.ShiftValue( Player.Position );
end;
if FFontMult <> iOldFontMult then
begin
CalculateConsoleParams;
TGLConsoleRenderer( FConsole ).SetPositionScale( (FIODriver.GetSizeX - ConsoleSizeX*FFontSizeX*FFontMult) div 2, 0, FLineSpace, FFontMult );
end;
end;
constructor TDoomGFXIO.Create;
var iCoreData : TVDataFile;
iImage : TImage;
iFontTexture: TTextureID;
iFont : TBitmapFont;
iStream : TStream;
iSDLFlags : TSDLIOFlags;
iMode : TIODisplayMode;
iFontName : Ansistring;
iWidth : Integer;
iHeight : Integer;
begin
FLastMouseTime := 0;
FMouseLock := True;
FLoading := nil;
IO := Self;
FVPadding := 0;
FFontMult := 1;
FTileMult := 1;
FMCursor := nil;
Textures := nil;
{$IFDEF WINDOWS}
if not GodMode then
begin
FreeConsole;
vdebug.DebugWriteln := nil;
end
else
begin
Logger.AddSink( TConsoleLogSink.Create( LOGDEBUG, True ) );
end;
{$ENDIF}
FFullscreen := Configuration.GetBoolean( 'fullscreen' );
iWidth := Configuration.GetInteger( 'screen_width' );
iHeight := Configuration.GetInteger( 'screen_height' );
iSDLFlags := [ SDLIO_OpenGL ];
if FFullscreen then Include( iSDLFlags, SDLIO_Fullscreen );
FIODriver := TSDLIODriver.Create( iWidth, iHeight, 32, iSDLFlags );
begin
Log('Display modes (%d)', [FIODriver.DisplayModes.Size] );
Log('-------');
for iMode in FIODriver.DisplayModes do
Log('%d x %d @%d', [ iMode.Width, iMode.Height, iMode.Refresh ] );
Log('-------');
end;
Textures := TDoomTextures.Create;
iFontName := 'font10x18.png';
FFontSizeX := 10;
FFontSizeY := 18;
if GodMode then
iImage := LoadImage(iFontName)
else
begin
iCoreData := TVDataFile.Create(DataPath+'drl.wad');
iCoreData.DKKey := LoveLace;
iStream := iCoreData.GetFile( iFontName, 'fonts' );
iImage := LoadImage( iStream, iStream.Size );
FreeAndNil( iStream );
FreeAndNil( iCoreData );
end;
iFontTexture := Textures.AddImage( iFontName, iImage, Option_Blending );
Textures[ iFontTexture ].Image.SubstituteColor( ColorBlack, ColorZero );
Textures[ iFontTexture ].Upload;
iFont := TBitmapFont.CreateFromGrid( iFontTexture, 32, 256-32, 32 );
RecalculateScaling( True );
CalculateConsoleParams;
FConsole := TGLConsoleRenderer.Create( iFont, ConsoleSizeX, ConsoleSizeY, FLineSpace, [VIO_CON_CURSOR, VIO_CON_BGCOLOR, VIO_CON_EXTCOLOR ] );
TGLConsoleRenderer( FConsole ).SetPositionScale(
(FIODriver.GetSizeX - ConsoleSizeX*FFontSizeX*FFontMult) div 2,
0,
FLineSpace,
FFontMult
);
SpriteMap := TDoomSpriteMap.Create;
FMCursor := TDoomMouseCursor.Create;
TSDLIODriver( FIODriver ).ShowMouse( False );
//RRGGBBAA
VTIGDefaultStyle.Color[ VTIG_BACKGROUND_COLOR ] := $10000000;
VTIGDefaultStyle.Color[ VTIG_SELECTED_BACKGROUND_COLOR ] := $442222FF;
VTIGDefaultStyle.Color[ VTIG_INPUT_TEXT_COLOR ] := LightGray;
VTIGDefaultStyle.Color[ VTIG_INPUT_BACKGROUND_COLOR ] := $442222FF;
inherited Create;
FQuadSheet := TGLQuadList.Create;
FTextSheet := TGLQuadList.Create;
FPostSheet := TGLQuadList.Create;
FQuadRenderer := TGLQuadRenderer.Create;
FMinimapScale := 0;
FMinimapTexture := 0;
FMinimapGLPos := TGLVec2i.Create( 0, 0 );
FMinimapImage := TImage.Create( 128, 32 );
FMinimapImage.Fill( NewColor( 0,0,0,0 ) );
SetMinimapScale( FMiniScale );
FAnimations := TAnimationManager.Create;
end;
procedure TDoomGFXIO.Reconfigure(aConfig: TLuaConfig);
var iWidth : Integer;
iHeight : Integer;
begin
iWidth := Configuration.GetInteger('screen_width');
iHeight := Configuration.GetInteger('screen_height');
if ( ( iWidth > 0 ) and ( iWidth <> FIODriver.GetSizeX ) ) or
( ( iHeight > 0 ) and ( iHeight <> FIODriver.GetSizeY ) ) or
( Configuration.GetBoolean('fullscreen') <> FFullscreen ) then
begin
FFullscreen := Configuration.GetBoolean('fullscreen');
ResetVideoMode;
end
else
RecalculateScaling( False );
inherited Reconfigure(aConfig);
end;
destructor TDoomGFXIO.Destroy;
begin
FreeAndNil( FMCursor );
FreeAndNil( FQuadSheet );
FreeAndNil( FTextSheet );
FreeAndNil( FPostSheet );
FreeAndNil( FQuadRenderer );
FreeAndNil( FMinimapImage );
FreeAndNil( FAnimations );
FreeAndNil( SpriteMap );
FreeAndNil( Textures );
inherited Destroy;
end;
function TDoomGFXIO.ChooseTarget( aActionName : string; aRange: byte; aLimitRange : Boolean; aTargets: TAutoTarget; aShowLast: Boolean ): TCoord2D;
begin
ChooseTarget := inherited ChooseTarget( aActionName, aRange, aLimitRange, aTargets, aShowLast );
SpriteMap.ClearTarget;
end;
procedure TDoomGFXIO.WaitForAnimation;
begin
inherited WaitForAnimation;
FAnimations.Clear;
end;
function TDoomGFXIO.AnimationsRunning : Boolean;
begin
if Doom.State <> DSPlaying then Exit(False);
Exit( not FAnimations.Finished );
end;
procedure TDoomGFXIO.Mark( aCoord: TCoord2D; aColor: Byte; aChar: Char; aDuration: DWord; aDelay: DWord );
begin
FAnimations.AddAnimation( TDoomMark.Create( aDuration, aDelay, aCoord ) );
end;
procedure TDoomGFXIO.Blink( aColor : Byte; aDuration : Word = 100; aDelay : DWord = 0);
begin
if not Setting_NoFlash then
FAnimations.AddAnimation( TDoomBlink.Create(aDuration,aDelay,aColor) );
end;
procedure TDoomGFXIO.addMoveAnimation ( aDuration : DWord; aDelay : DWord; aUID : TUID; aFrom, aTo : TCoord2D; aSprite : TSprite );
begin
if Doom.State <> DSPlaying then Exit;
FAnimations.AddAnimation(TDoomMove.Create(aDuration, aDelay, aUID, aFrom, aTo, aSprite));
end;
procedure TDoomGFXIO.addScreenMoveAnimation(aDuration: DWord; aDelay: DWord; aTo: TCoord2D);
begin
if Doom.State <> DSPlaying then Exit;
FAnimations.addAnimation( TDoomScreenMove.Create( aDuration, aDelay, aTo ) );
end;
procedure TDoomGFXIO.addCellAnimation( aDuration : DWord; aDelay : DWord; aCoord : TCoord2D; aSprite : TSprite; aValue : Integer );
begin
if Doom.State <> DSPlaying then Exit;
FAnimations.addAnimation( TDoomAnimateCell.Create( aDuration, aDelay, aCoord, aSprite, aValue ) );
end;
procedure TDoomGFXIO.addMissileAnimation(aDuration: DWord; aDelay: DWord; aSource,
aTarget: TCoord2D; aColor: Byte; aPic: Char; aDrawDelay: Word;
aSprite: TSprite; aRay: Boolean);
begin
if Doom.State <> DSPlaying then Exit;
FAnimations.addAnimation(
TDoomMissile.Create( aDuration, aDelay, aSource,
aTarget, aDrawDelay, aSprite, aRay ) );
end;
procedure TDoomGFXIO.addMarkAnimation(aDuration: DWord; aDelay: DWord;
aCoord: TCoord2D; aColor: Byte; aPic: Char);
begin
if Doom.State <> DSPlaying then Exit;
FAnimations.addAnimation( TDoomMark.Create(aDuration, aDelay, aCoord ) )
end;
procedure TDoomGFXIO.addSoundAnimation(aDelay: DWord; aPosition: TCoord2D; aSoundID: DWord);
begin
if Doom.State <> DSPlaying then Exit;
FAnimations.addAnimation( TDoomSoundEvent.Create( aDelay, aPosition, aSoundID ) )
end;
procedure TDoomGFXIO.ExplosionMark( aCoord : TCoord2D; aColor : Byte; aDuration : DWord; aDelay : DWord );
begin
FAnimations.AddAnimation( TDoomExplodeMark.Create(aDuration,aDelay,aCoord,aColor) )
end;
procedure TDoomGFXIO.SetTarget( aTarget : TCoord2D; aColor : Byte; aRange : Byte );
begin
SpriteMap.SetTarget( aTarget, NewColor( aColor ), True )
end;
procedure TDoomGFXIO.Configure( aConfig : TLuaConfig; aReload : Boolean = False );
begin
inherited Configure( aConfig, aReload );
FIODriver.RegisterInterrupt( IOKeyCode( VKEY_ENTER, [ VKMOD_ALT ] ), @FullScreenCallback );
FIODriver.RegisterInterrupt( IOKeyCode( VKEY_F12, [ VKMOD_CTRL ] ), @FullScreenCallback );
DeviceChanged;
end;
procedure TDoomGFXIO.Update( aMSec : DWord );
const UnitTex : TGLVec2f = ( Data : ( 1, 1 ) );
ZeroTex : TGLVec2f = ( Data : ( 0, 0 ) );
var iMousePos : TIOPoint;
iPoint : TIOPoint;
iValueX : Single;
iValueY : Single;
iActiveX : Integer;
iActiveY : Integer;
iMaxX : Integer;
iMaxY : Integer;
iShift : TCoord2D;
iSizeY : DWord;
iSizeX : DWord;
iMinus : Integer;
iAbsolute : TIORect;
iP1, iP2 : TIOPoint;
begin
if not Assigned( FQuadRenderer ) then Exit;
if FTime - FLastMouseTime > 3000 then
begin
FMCursor.Active := False;
SetTempHint('');
end;
if (FMCursor.Active) and FIODriver.GetMousePos( iPoint ) and (not FMouseLock) and (not isModal) then
begin
iMaxX := FIODriver.GetSizeX;
iMaxY := FIODriver.GetSizeY;
iValueX := 0;
iValueY := 0;
iActiveX := iMaxX div 8;
iActiveY := iMaxY div 8;
if iPoint.X < iActiveX then iValueX := ((iActiveX - iPoint.X) / iActiveX);
if iPoint.X > iMaxX-iActiveX then iValueX := ((iActiveX -(iMaxX-iPoint.X)) /iActiveX);
if iPoint.X < iActiveX then iValueX := -iValueX;
if iMaxY < MAXY*FTileMult*32 then
begin
if iPoint.Y < iActiveY then iValueY := ((iActiveY - iPoint.Y) / iActiveY) / 2;
if iPoint.Y > iMaxY-iActiveY then iValueY := ((iActiveY -(iMaxY-iPoint.Y)) /iActiveY) / 2;
if iPoint.Y < iActiveY then iValueY := -iValueY;
end;
iShift := SpriteMap.Shift;
if (iValueX <> 0) or (iValueY <> 0) then
begin
iShift := NewCoord2D(
Clamp( SpriteMap.Shift.X + Ceil( iValueX * aMSec ), SpriteMap.MinShift.X, SpriteMap.MaxShift.X ),
Clamp( SpriteMap.Shift.Y + Ceil( iValueY * aMSec ), SpriteMap.MinShift.Y, SpriteMap.MaxShift.Y )
);
SpriteMap.NewShift := iShift;
FMouseLock :=
((iShift.X = SpriteMap.MinShift.X) or (iShift.X = SpriteMap.MaxShift.X))
and ((iShift.Y = SpriteMap.MinShift.Y) or (iShift.Y = SpriteMap.MaxShift.Y));
end;
end;
FAnimations.Update( aMSec );
iSizeY := FIODriver.GetSizeY-2*FVPadding;
iSizeX := FIODriver.GetSizeX;
glViewport( 0, FVPadding, iSizeX, iSizeY );
glEnable( GL_TEXTURE_2D );
glDisable( GL_DEPTH_TEST );
glEnable( GL_BLEND );
glBlendFunc( GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA );
FProjection := GLCreateOrtho( 0, iSizeX, iSizeY, 0, -16384, 16384 );
if (Doom <> nil) and (Doom.State = DSPlaying) then
begin
if FConsoleWindow = nil then
FConsole.HideCursor;
//if not UI.AnimationsRunning then SpriteMap.NewShift := SpriteMap.ShiftValue( Player.Position );
SpriteMap.Update( aMSec, FProjection );
FAnimations.Draw;
glEnable( GL_DEPTH_TEST );
SpriteMap.Draw;
glDisable( GL_DEPTH_TEST );
end;
if FHudEnabled then
begin
FQuadSheet.PushTexturedQuad(
FMinimapGLPos,
FMinimapGLPos + TGLVec2i.Create( FMinimapScale*128, FMinimapScale*32 ),
ZeroTex, UnitTex, FMinimapTexture );
iAbsolute := vutil.Rectangle( 1,1,ConsoleSizeX,ConsoleSizeY );
iP1 := ConsoleCoordToDeviceCoord( iAbsolute.Pos );
iP2 := ConsoleCoordToDeviceCoord( vutil.Point( iAbsolute.x2+1, iAbsolute.y+2 ) );
QuadSheet.PushColoredQuad( TGLVec2i.Create( iP1.x, iP1.y ), TGLVec2i.Create( iP2.x, iP2.y ), TGLVec4f.Create( 0,0,0,0.8 ) );
iMinus := 1;
if StatusEffect = StatusInvert then
iMinus := 2;
iP1 := ConsoleCoordToDeviceCoord( vutil.Point( iAbsolute.x, iAbsolute.y2-iMinus ) );
iP2 := ConsoleCoordToDeviceCoord( vutil.Point( iAbsolute.x2+1, iAbsolute.y2+2 ) );
QuadSheet.PushColoredQuad( TGLVec2i.Create( iP1.x, iP1.y ), TGLVec2i.Create( iP2.x, iP2.y ), TGLVec4f.Create( 0,0,0,0.8 ) );
end;
FQuadRenderer.Update( FProjection );
FQuadRenderer.Render( FQuadSheet );
inherited Update( aMSec );
if FTextSheet <> nil then FQuadRenderer.Render( FTextSheet );
if (FPostSheet <> nil) and (FMCursor <> nil) and (FMCursor.Active) and FIODriver.GetMousePos(iMousePos) then
begin
FMCursor.Draw( iMousePos.X, iMousePos.Y, FLastUpdate, FPostSheet );
end;
if FPostSheet <> nil then FQuadRenderer.Render( FPostSheet );
end;
procedure TDoomGFXIO.ResetVideoMode;
var iSDLFlags : TSDLIOFlags;
iWidth : Integer;
iHeight : Integer;
begin
iSDLFlags := [ SDLIO_OpenGL ];
iWidth := Configuration.GetInteger('screen_width');
iHeight := Configuration.GetInteger('screen_height');
if FFullscreen then Include( iSDLFlags, SDLIO_Fullscreen );
TSDLIODriver(FIODriver).ResetVideoMode( iWidth, iHeight, 32, iSDLFlags );
RecalculateScaling( True );
ReuploadTextures;
CalculateConsoleParams;
TGLConsoleRenderer( FConsole ).SetPositionScale( (FIODriver.GetSizeX - ConsoleSizeX*FFontSizeX*FFontMult) div 2, 0, FLineSpace, FFontMult );
TGLConsoleRenderer( FConsole ).HideCursor;
SetMinimapScale(FMiniScale);
DeviceChanged;
SpriteMap.Recalculate;
if Player <> nil then
SpriteMap.NewShift := SpriteMap.ShiftValue( Player.Position );
end;
function TDoomGFXIO.FullScreenCallback ( aEvent : TIOEvent ) : Boolean;
begin
FFullscreen := not TSDLIODriver(FIODriver).FullScreen;
ResetVideoMode;
Exit( True );
end;
procedure TDoomGFXIO.ReuploadTextures;
begin
Textures.Upload;
SpriteMap.ReassignTextures;
end;
procedure TDoomGFXIO.CalculateConsoleParams;
begin
FLineSpace := Max((FIODriver.GetSizeY - ConsoleSizeY*FFontSizeY*FFontMult - 2*FVPadding) div ConsoleSizeY div FFontMult,0);
end;
function TDoomGFXIO.OnEvent( const event : TIOEvent ) : Boolean;
begin
if event.EType in [ VEVENT_MOUSEMOVE, VEVENT_MOUSEDOWN ] then
begin
if FMCursor <> nil then FMCursor.Active := True;
FLastMouseTime := FTime;
FMouseLock := False;
end;
Exit( inherited OnEvent( event ) )
end;
function TDoomGFXIO.RunUILoop( aElement : TUIElement = nil ) : DWord;
begin
if FMCursor <> nil then
begin
if FMCursor.Size = 0 then
FMCursor.SetTextureID( Textures.TextureID['cursor'], 32 );
FMCursor.Active := True;
end;
Exit( inherited RunUILoop( aElement ) );
end;
procedure TDoomGFXIO.UpdateMinimap;
var x, y : DWord;
begin
if Doom.State = DSPlaying then
begin
for x := 0 to MAXX+1 do
for y := 0 to MAXY+1 do
FMinimapImage.ColorXY[x,y] := Doom.Level.GetMiniMapColor( NewCoord2D( x, y ) );
if FMinimapTexture = 0
then FMinimapTexture := UploadImage( FMinimapImage, False )
else ReUploadImage( FMinimapTexture, FMinimapImage, False );
end;
end;
procedure TDoomGFXIO.SetMinimapScale ( aScale : Byte ) ;
begin
FMinimapScale := aScale;
FMinimapGLPos.Init( FIODriver.GetSizeX - FMinimapScale*(MAXX+2) - 10, FIODriver.GetSizeY - FMinimapScale*(MAXY+2) - ( 10 + FFontMult*20*3 ) );
UpdateMinimap;
end;
procedure TDoomGFXIO.DeviceChanged;
begin
FUIRoot.DeviceChanged;
FCellX := (FConsole.GetDeviceArea.Dim.X) div (FConsole.SizeX);
FCellY := (FConsole.GetDeviceArea.Dim.Y) div (FConsole.SizeY);
end;
function TDoomGFXIO.DeviceCoordToConsoleCoord( aCoord : TIOPoint ) : TIOPoint;
begin
aCoord := aCoord - FConsole.GetDeviceArea.Pos;
aCoord.x := ( aCoord.x div FCellX );
aCoord.y := ( aCoord.y div FCellY );
Exit( PointUnit + aCoord );
end;
function TDoomGFXIO.ConsoleCoordToDeviceCoord( aCoord : TIOPoint ) : TIOPoint;
begin
aCoord := aCoord - PointUnit;
aCoord.x := ( aCoord.x * FCellX );
aCoord.y := ( aCoord.y * FCellY );
Exit( FConsole.GetDeviceArea.Pos + aCoord );
end;
procedure TDoomGFXIO.RenderUIBackground( aUL, aBR : TIOPoint );
var iP1,iP2 : TIOPoint;
begin
iP1 := ConsoleCoordToDeviceCoord( aUL + PointUnit );
iP2 := ConsoleCoordToDeviceCoord( aBR + PointUnit );
QuadSheet.PushColoredQuad( TGLVec2i.Create( iP1.x, iP1.y ), TGLVec2i.Create( iP2.x, iP2.y ), TGLVec4f.Create( 0,0,0,0.85 ) );
end;
end.
``` |
```objective-c
/*
* This file is part of libsidplayfp, a SID player engine.
*
*
* 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, write to the Free Software
* Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
*/
#ifndef OPAMP_H
#define OPAMP_H
#include <memory>
#include <vector>
#include "Spline.h"
#include "sidcxx11.h"
namespace reSIDfp
{
/**
* Find output voltage in inverting gain and inverting summer SID op-amp
* circuits, using a combination of Newton-Raphson and bisection.
*
* +---R2--+
* | |
* vi ---R1--o--[A>--o-- vo
* vx
*
* From Kirchoff's current law it follows that
*
* IR1f + IR2r = 0
*
* Substituting the triode mode transistor model K*W/L*(Vgst^2 - Vgdt^2)
* for the currents, we get:
*
* n*((Vddt - vx)^2 - (Vddt - vi)^2) + (Vddt - vx)^2 - (Vddt - vo)^2 = 0
*
* where n is the ratio between R1 and R2.
*
* Our root function f can thus be written as:
*
* f = (n + 1)*(Vddt - vx)^2 - n*(Vddt - vi)^2 - (Vddt - vo)^2 = 0
*
* Using substitution constants
*
* a = n + 1
* b = Vddt
* c = n*(Vddt - vi)^2
*
* the equations for the root function and its derivative can be written as:
*
* f = a*(b - vx)^2 - c - (b - vo)^2
* df = 2*((b - vo)*dvo - a*(b - vx))
*/
class OpAmp
{
private:
/// Current root position (cached as guess to speed up next iteration)
mutable double x;
const double Vddt;
const double vmin;
const double vmax;
std::unique_ptr<Spline> const opamp;
public:
/**
* Opamp input -> output voltage conversion
*
* @param opamp opamp mapping table as pairs of points (in -> out)
* @param Vddt transistor dt parameter (in volts)
* @param vmin
* @param vmax
*/
OpAmp(const std::vector<Spline::Point> &opamp, double Vddt,
double vmin, double vmax
) :
x(0.),
Vddt(Vddt),
vmin(vmin),
vmax(vmax),
opamp(new Spline(opamp)) {}
/**
* Reset root position
*/
void reset() const
{
x = vmin;
}
/**
* Solve the opamp equation for input vi in loading context n
*
* @param n the ratio of input/output loading
* @param vi input voltage
* @return vo output voltage
*/
double solve(double n, double vi) const;
};
} // namespace reSIDfp
#endif
``` |
The Swiss central credit information bureau, (German Zentralstelle für Kreditinformation (ZEK), French Centre d'informations de crédit), is a Swiss organisation centralizing and listing every credit attached to someone. Its goal is to check that a new credit or loan given to an individual lies within the financial capacities of the person concerned.
External links
ZEK
References
Credit management
Economy of Switzerland |
Denzel Leslie Clarke (born May 1, 2000) is a Canadian professional baseball outfielder in the Oakland Athletics organization.
Clarke attended Everest Academy in Thornhill, Ontario, Canada. He was drafted by the New York Mets in the 36th round of the 2018 Major League Baseball Draft, but did not sign and played college baseball at California State University, Northridge. After three years at Northridge, he was drafted by the Oakland Athletics in the fourth round of the 2021 MLB Draft and signed.
Clarke made his professional debut with the Arizona Complex League Athletics. He started 2022 with the Stockton Ports before being promoted to the Lansing Lugnuts. In July, he was selected to play in the All-Star Futures Game.
References
External links
2000 births
Living people
Baseball people from Ontario
Canadian expatriate baseball players in the United States
Cal State Northridge Matadors baseball players
Arizona Complex League Athletics players
Stockton Ports players
Lansing Lugnuts players
Mesa Solar Sox players
Black Canadian baseball players
2023 World Baseball Classic players |
```objective-c
//
// Printf variants that place their output in a C++ string.
//
// Usage:
// string result = StringPrintf("%d %s\n", 10, "hello");
// SStringPrintf(&result, "%d %s\n", 10, "hello");
// StringAppendF(&result, "%d %s\n", 20, "there");
#ifndef _BASE_STRINGPRINTF_H
#define _BASE_STRINGPRINTF_H
#include <stdarg.h>
#include <string>
#include <vector>
#include "kudu/gutil/port.h"
// Return a C++ string
extern std::string StringPrintf(const char* format, ...)
// Tell the compiler to do printf format string checking.
PRINTF_ATTRIBUTE(1,2);
// Store result into a supplied string and return it
extern const std::string& SStringPrintf(std::string* dst, const char* format, ...)
// Tell the compiler to do printf format string checking.
PRINTF_ATTRIBUTE(2,3);
// Append result to a supplied string
extern void StringAppendF(std::string* dst, const char* format, ...)
// Tell the compiler to do printf format string checking.
PRINTF_ATTRIBUTE(2,3);
// Lower-level routine that takes a va_list and appends to a specified
// string. All other routines are just convenience wrappers around it.
extern void StringAppendV(std::string* dst, const char* format, va_list ap);
// The max arguments supported by StringPrintfVector
extern const int kStringPrintfVectorMaxArgs;
// You can use this version when all your arguments are strings, but
// you don't know how many arguments you'll have at compile time.
// StringPrintfVector will LOG(FATAL) if v.size() > kStringPrintfVectorMaxArgs
extern std::string StringPrintfVector(const char* format, const std::vector<std::string>& v);
#endif /* _BASE_STRINGPRINTF_H */
``` |
Weightlifting competitions at the 2015 Pan American Games in Toronto was held from July 11 to 15 at the General Motors Centre (Oshawa Sports Centre) in Oshawa. Due to naming rights the arena was as the latter for the duration of the games. A total of fifteen weightlifting events were held: eight for men and seven for women.
Venue
The competitions took place at the General Motors Centre (Oshawa Sports Centre) located in the city of Oshawa, about 60 kilometers from the athletes village. The arena will had a reduced capacity of 3,000 people per session (about half its normal of 5,500). The venue also hosted the boxing competitions later in the games.
Competition schedule
The following is the competition schedule for the weightlifting competitions:
Medal table
Medalists
Men's events
Women's events
Participating nations
A total of 24 countries qualified athletes. The number of athletes a nation entered is in parentheses beside the name of the country.
Qualification
A total of 125 weightlifters (69 male and 56 women) were able to qualify to compete at the games. Qualification was done at the 2013 and 2014 Pan American Championships, where nations had points assigned per athlete's finishing position. The totals of both Championships were added and quotas were then awarded to the top 20 men's teams and 18 women's teams. A further two wildcards (one for each gender) was awarded.
See also
Weightlifting at the 2016 Summer Olympics
References
External links
Results book (archived)
Events at the 2015 Pan American Games
Pan American Games
2015 |
```smalltalk
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace LaserGRBL
{
public class MarlinCore : GrblCore
{
public MarlinCore(System.Windows.Forms.Control syncroObject, PreviewForm cbform, JogForm jogform) : base(syncroObject, cbform, jogform)
{
}
public override Firmware Type
{ get { return Firmware.Marlin; } }
// Send "M114\n" to retrieve position
// Typical response : "X:10.00 Y:0.00 Z:0.00 E:0.00 Count X:1600 Y:0 Z:0"
protected override void QueryPosition()
{
if (MachineStatus != MacStatus.Run)
com.Write("M114\n");
}
//protected override void ParseF(string p)
//{
// string sfs = p.Substring(2, p.Length - 2);
// string[] fs = sfs.Split(",".ToCharArray());
// SetFS(ParseFloat(fs[0]), ParseFloat(fs[1]));
//}
public override StreamingMode CurrentStreamingMode => StreamingMode.Synchronous;
public override bool UIShowGrblConfig => false;
public override bool UIShowUnlockButtons => false;
public override bool SupportTrueJogging => false;
internal override void SendUnlockCommand() { } //do nothing (should not be called because UI does not show unlock button)
protected override void SendBoardResetCommand() { }
protected override void ParseMachineStatus(string data)
{
MacStatus var = MacStatus.Disconnected;
if (data.Contains("ok"))
var = MacStatus.Idle;
//try { var = (MacStatus)Enum.Parse(typeof(MacStatus), data); }
//catch (Exception ex) { Logger.LogException("ParseMachineStatus", ex); }
if (InProgram && var == MacStatus.Idle) //bugfix for grbl sending Idle on G4
var = MacStatus.Run;
if (var == MacStatus.Hold && mHoldByCoolingRequest)
var = MacStatus.Cooling;
else if (var == MacStatus.Hold && !mHoldByUserRequest)
var = MacStatus.AutoHold;
SetStatus(var);
}
public override void RefreshConfig(RefreshCause cause)
{
}
public override void RefreshMachineInfo()
{
}
protected override void DetectHang()
{
if (mTP.LastIssue == DetectedIssue.Unknown && MachineStatus == MacStatus.Run && InProgram)
{
// Marlin does not answer to immediate command
// So we can not rise an issue if there is too many time before last call of ManageRealTimeStatus
// We rise the issue if the last response from the board was too long
// Original line :
//bool noQueryResponse = debugLastMoveDelay.ElapsedTime > TimeSpan.FromTicks(QueryTimer.Period.Ticks * 10) && debugLastStatusDelay.ElapsedTime > TimeSpan.FromSeconds(5);
// Marlin version :
bool noQueryResponse = debugLastMoveOrActivityDelay.ElapsedTime > TimeSpan.FromSeconds(10) && debugLastMoveOrActivityDelay.ElapsedTime > TimeSpan.FromTicks(QueryTimer.Period.Ticks * 10) && debugLastStatusDelay.ElapsedTime > TimeSpan.FromSeconds(5);
if (noQueryResponse)
SetIssue(DetectedIssue.StopResponding);
}
}
protected override void ManageReceivedLine(string rline)
{
if (IsMarlinRealTimeStatusMessage(rline))
ManageMarlinRealTimeStatus(rline);
else
base.ManageReceivedLine(rline);
}
private bool IsMarlinRealTimeStatusMessage(string rline) => rline.StartsWith("X:");
private void ManageMarlinRealTimeStatus(string rline)
{
try
{
debugLastStatusDelay.Start();
// Remove EOL
rline = rline.Trim(trimarray); //maybe not necessary (already done)
// Marlin M114 response :
// X:10.00 Y:0.00 Z:0.00 E:0.00 Count X:1600 Y:0 Z:0
// Split by space
string[] arr = rline.Split(" ".ToCharArray());
if (arr.Length > 0)
{
// Force update of status
ParseMachineStatus("ok");
// Retrieve position from data send by marlin
float x = float.Parse(arr[0].Split(":".ToCharArray())[1], System.Globalization.NumberFormatInfo.InvariantInfo);
float y = float.Parse(arr[1].Split(":".ToCharArray())[1], System.Globalization.NumberFormatInfo.InvariantInfo);
float z = float.Parse(arr[2].Split(":".ToCharArray())[1], System.Globalization.NumberFormatInfo.InvariantInfo);
SetMPosition(new GPoint(x, y, z));
}
}
catch (Exception ex)
{
Logger.LogMessage("ManageRealTimeStatus", "Ex on [{0}] message", rline);
Logger.LogException("ManageRealTimeStatus", ex);
}
}
// LaserGRBL don't ask status to marlin during code execution because there is no immediate command
// So LaserGRBL has to force the status at the end of programm execution
protected override void ForceStatusIdle ()
{
SetStatus(MacStatus.Idle);
}
}
}
``` |
```yaml
args:
- description: Subnet to use
name: subnet
required: true
comment: An Automation Script to return subnet broadcast address
commonfields:
id: IPCalcReturnSubnetBroadcastAddress
version: -1
name: IPCalcReturnSubnetBroadcastAddress
outputs:
- contextPath: IPCalc.IP.Address
description: Subnet addresses
type: String
script: '-'
subtype: python3
timeout: '0'
type: python
dockerimage: demisto/python3:3.10.14.100715
tests:
- No tests
fromversion: 6.0.0
``` |
(Facing Arneth's tomb), WAB 53, is an elegy composed by Anton Bruckner in 1854, for men's voices and three trombones.
History
Bruckner composed the elegy Vor Arneths Grab, WAB 53, for the funeral of Michael Arneth, the prior of the St. Florian Abbey. The work, which was written together with the Libera me, WAB 22, was performed on 28 March 1854 at the cemetery of the abbey.
The elegy was performed a second time for the funeral of Magistrate Wilhelm Schiedermayr on 23 September 1855.
The original manuscript of the elegy is stored in the archive of Wels. The work, which was first published in band II/2, pp. 184–188 of the Göllerich/Auer biography, is put in Band XXIII/2, No. 9 of the .
Am Grabe is a revised a cappella setting of the elegy, was performed on the funeral of Josephine Hafferl.
Text
The elegy uses a text by Ernst von Marinelli.
{|
|
|style="padding-left:2em;"|Brothers, dry your tears,
Still the hard pain of your sorrow,
Love can also show
In the intimacy of resignation.
While this is the last look
On the corps and the coffin,
The soul which they contained,
triumphs by trust in God.
Therefore, let us praise the Lord,
Who elects the most noble
And for us, the poor orphans,
also holds the Heaven open!
We want to promise at the tomb
Trust, justice and pious devotion,
That the blessed one above,
Once our spirit will have risen,
Will lead us to the Father.
|}
Music
The 28-bar-long work in F minor is scored for choir and 3 trombones. The setting of the first two strophes (bars 1 to 8) is identical. It is followed (bars 9 to 16) by the setting of the third strophe, and, after two instrumental bars, ends (bars 19 to 28) with the setting of the last strophe.
Although it is a funeral song, it displays little of the mournful character one might expect. The text and the music, with largely diatonic harmony and a predominance of major sonorities, focus instead on confidence about resurrection and salvation. Like the concomitant Libera me, the work contains portents of Bruckner's mature style and has thus a significant place in Bruckner's musical development.
Discography
There are three recordings of Vor Arneths Grab:
Jürgen Jürgens, Monteverdi-Chor, Bruckner - Music of St Florian Period (II) – CD: BSVD-0111 (Bruckner Archive), 1985
Thomas Kerbl, Chorvereinigung Bruckner 08, Anton Bruckner Männerchöre – CD: LIVA 027, 2008
Łukasz Borowicz, Anton Bruckner: Requiem, RIAS Kammerchor Berlin, Akademie für Alte Musik Berlin – CD: Accentus ACC30474, 2019
References
Sources
August Göllerich, Anton Bruckner. Ein Lebens- und Schaffens-Bild, – posthumous edited by Max Auer by G. Bosse, Regensburg, 1932
Keith William Kinder, The Wind and Wind-Chorus Music of Anton Bruckner, Greenwood Press, Westport, Connecticut, 2000
Anton Bruckner – Sämtliche Werke, Band XXIII/2: Weltliche Chorwerke (1843–1893), Musikwissenschaftlicher Verlag der Internationalen Bruckner-Gesellschaft, Angela Pachovsky and Anton Reinthaler (Editor), Vienna, 1989
Cornelis van Zwol, Anton Bruckner 1824–1896 – Leven en werken, uitg. Thoth, Bussum, Netherlands, 2012.
Crawford Howie, Anton Bruckner - A documentary biography, online revised edition
External links
Vor Arneths Grab f-Moll, WAB 53 Critical discography by Hans Roelofs
Jonas Rannila with the Manifestum Men's Choir: Vor Arneths Grab (WAB 53)
Weltliche Chorwerke by Anton Bruckner
1854 compositions
Compositions in F minor |
```hcl
#
#
# 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.
variable "project_id" {
description = "The project ID to host the bucket in"
}
variable "region" {
description = "The region to host the bucket in"
}
variable "cluster_prefix" {
description = "The prefix of existing GKE cluster"
}
variable "db_namespace" {
description = "The namespace of the vector database"
}
``` |
The Schwartz company was founded in 1841 to sell coffee in Nova Scotia, Canada. In 1984 McCormick & Company took over the brand, thereby becoming the world's largest producer of herbs, spices, and seasonings.
Started in Halifax, Canada, by William Henry Schwartz, the son of a German baker of the same name from Amsterdam, the company grew as a family operation. Son W. E. Schwartz added pure spices with the purchase of a spice mill in 1880. By the 1930s the company was selling in more than fifty countries. Its slogan was "Say Schwartz and be Sure" and by the 1950s their current "S" trademark was in use. Subsequent changes in ownership have resulted in the business now being represented solely by the brand.
References
External links
Official Schwartz Website
https://web.archive.org/web/20120225072814/http://www.lib.uwo.ca/programs/companyinformationcanada/ccc-whschwartz.htm
Tales of the Indies. W. E. Schwartz. Herald Printing House: Halifax. 1899.
Food manufacturers of the United States
1984 mergers and acquisitions
McCormick & Company brands |
Orso I Participazio (Latin: Ursus Particiacus; died 881), also known as Orso I Badoer, was Doge of Venice from 864 until 881. He was, according to tradition, the fourteenth doge, though historically he is only the twelfth.
History
He was elected, probably by acclamation, after several days of street fighting that followed the assassination of his predecessor, Pietro Tradonico, on 13 September 864. Those responsible, numbering around eight, were later arrested and punished accordingly: some were executed, others condemned to exile in France and Constantinople.
Orso's most significant accomplishment was his reform of Venetian government. Until his tenure, the practical power of the Doge had been unlimited; the authority of the tribunes, whose role was to check the Doge's power, had declined; and it had become the practice of the Doge to co-opt his son or brother as his fellow Doge, thus introducing a hereditary tendency to the office. Orso instituted elected judges who would serve as magistrates as well as counsellors to the Doge. Orso also reorganized the ecclesiastical structure of the islands of Venice by securing the creation of five new bishoprics, thus thwarting the domination of the Patriarch of Aquileia and the Patriarch of Grado.
Orso, like Tradonico, continued the fight against the Slavic and Saracen pirates, who inhabited the Adriatic. He was aided by newly constructed larger ships.
Orso presented to Byzantine Emperor Basil I a bell for the basilica Hagia Sophia.
He had six children with a wife whose identity is unknown. According to the Chronicon Venetum they were Giovanni, Badoario, Orso, Pietro, Felicia and Giovanna. The eldest, Giovanni, served for some time as his father's co-regent, and was elected Doge following his death in 881.
Sources
Norwich, John Julius. A History of Venice. Alfred A. Knopf: New York, 1982.
Year of birth missing
881 deaths
9th-century Doges of Venice
Orso |
Acoustic radiation pressure is the apparent pressure difference between the average pressure at a surface moving with the displacement of the wave propagation (the Lagrangian pressure) and the pressure that would have existed in the fluid of the same mean density when at rest. Numerous authors make a distinction between the phenomena of Rayleigh radiation pressure and Langevin radiation pressure.
See also
Radiation pressure
Acoustic levitation
Acoustic radiation force
References
External links
Tokyo University Researchers Using Ultrasound Technology to Enable Touchable Holograms
Acoustics |
Pouteria sessilis is a species of plant in the family Sapotaceae. It is endemic to Peru.
References
sessilis
Vulnerable plants
Trees of Peru
Taxonomy articles created by Polbot |
Chaman-e Golin (, also Romanized as Chaman-e Golīn; also known as Chaman) is a village in Direh Rural District, in the Central District of Gilan-e Gharb County, Kermanshah Province, Iran. At the 2006 census, its population was 149, in 36 families.
References
Populated places in Gilan-e Gharb County |
Intent On Contentment is the 2004 album by Jimmy Ibbotson. Ibbotson is a former member of the Nitty Gritty Dirt Band.
Track listing
"Shower Call" (Jimmy Ibbotson, Jeff Hanna) - 3:06
"Witchita Town" (Tim Shields) - 3:21
"Bob Dylan's Dream" (Bob Dylan) - 4:35
"Coyote" (Jimmy Ibbotson) - 4:16
"Do You Want Me To Love You" (Jimmy Ibbotson) - 2:28
"Nun and Painter" (Jimmy Ibbotson) - 3:31
"Warrior's Prayer" (Jimmy Ibbotson) - 4:41
"The Lord's Prayer" (Jesus of Nazareth) - 2:44
"Intent On Contentment" (Jimmy Ibbotson) - 3:49
"Palo Escopeta" (Jimmy Ibbotson, Bob Carpenter) - 4:08
"Heart That I Found" (Jimmy Ibbotson, John H. Evans) - 4:31
"Land That Time Forgot" (Jimmy Ibbotson) - 3:35
"Rosa Bella" (Jimmy Ibbotson) - 2:52
"Mr. Bo Dietl" (J. J. Walker, Jimmy Ibbotson) - 1:39
"Skunk's Night Out" (Jimmy Ibbotson) - 1:57
Personnel
Jimmie Ibbotson
Bob Dylan's Dream
Harmony Vocal by BZ who is now Mrs. Al Palubinski
Warrior's Prayer - Wild Jimbos
Ibbo - Lead vocal, Guitar
Salebo - High String & 12 string guitar, Harmonies
Rattbo - Harmonies
Harry "Bruckbo" Buckner - Bass
Scottbo Bennett - Electric guitar
Palo Express
Musical track created by Bob Carpenter
Production
Producer - Ibby (Jimmy Ibbotson)
Track descriptions
"Shower Call" uses the melody of "One Christmas Tree" by the Nitty Gritty Dirt Band. The lyric imagine a phone call to estranged loved one where they decide to reconcile. The instruments used are electric guitar and drum.
"Witchita Town" is about regretting the end of past relationships, but moving forward to settle down in a Witchita Town. The instruments are a keyboard and acoustic guitar.
"Bob Dylan's Dream" is a Dylan cover. It remembers the friends and optimism of his youth, recognizes the losses of both, and yearns for their return. Acoustic guitar provides the accompaniment.
"Coyote" with a new coat represents a man on the prowl in a new town. The woman he is interested is compared to a deer caught in the headlights. The accompaniment is flute, guitar and percussion.
"Do You Want Me To Love You" offers to love you, because our friends think it is a good idea and I think you are not bad to look at. The offer is kind, but a little pompous. Accompaniment is guitar and drums
"Nun and Painter" describes a romance between a young nun who throws off her habit and has a romance with the young man who is painting her house. It mentions the Six Days War being on the radio, which sets the time period as June 1967. The mention of the Shangri Las also places it in the mid sixties. Accompaniment is flute, drum, and bass guitar.
"Warrior's Prayer" begins with a couple lines from the song "Rivers of Babylon" sung a cappella with the Wild Jimbos. The rest of the song is accompanied by acoustic and electric guitar and piano. The song is about a fisherman leaving his home, wife, and son to be a soldier for a cause he believes is righteous. He thanks god for strength, family, and wind at his back that help him do what he might otherwise lack the strength to do.
"The Lords Prayer" sung with mandolin and guitar accompaniment.
"Intent On Contentment"
"Palo Escopeta"
"Heart That I Found"
"Land That Time Forgot"
"Rosa Bella" written after hearing the name of an Aspen woman, Rose Abello.
"Mr. Bo Dietl" is a rewrite of Mr Bojangles to honor of "Bo" Dietl, a former New York City Police Department detective and a media personality known for contributing on the Fox News Network and Imus in the Morning.
"Skunk's Night Out" uses the F-ing word throughout, but in a lighthearted manner. It talks about the spring when the skunks start mating and how it affects him the same way.
References
All information from album liner notes, unless otherwise noted.
2004 albums
Jimmy Ibbotson albums |
Net metering in New Mexico is a set of state public policies that govern the relationship between solar customers (and customers with other types of renewable energy systems) and electric utility companies.
Background
Definition
Net metering refers to the interconnection of a renewable energy system to the power grid. It allows consumers who have their own renewable generation power systems to connect to the power grid with an electric meter that spins both forwards and backwards, depending on whether the consumer is adding energy to the grid or using energy from the grid. At the end of the month, the customer's bill is based on the net amount of power that is drawn from the grid, minus the credits for excess power put into the grid.
In New Mexico, customers who have systems that produce up to 80 MW of electricity are able to sign up for net metering. This is the highest power rating eligible for net metering in the United States.
The three main utilities in New Mexico are PNM, Xcel Energy and El Paso Electric.
Benefits of net metering
One benefit of net metering is that power is never wasted. When someone uses an isolated system that uses batteries that become fully charged while the system is still generating power, that excess power is wasted.
Customer-generators, businesses and industrial operations can qualify for net metering. Customer-generators have the added benefit of selling renewable energy credits (REC) back to their utility. (A customer-generator is a small producer—that is not an electric utility—of electricity which is net metered and connected to the electric grid. An example would be a homeowner who puts solar panels on his rooftop.)
Utility-scale solar vs. residential solar
A utility-scale solar facility is a large facility that generates solar power and moves that power into the electric grid. Almost every utility-scale solar facility has what is known as a power purchase agreement with the utility. The agreement guarantees a market for the utility-scale solar facility's energy for a fixed term of time. (Residential solar systems are not considered utility-scale).
The size of a utility-scale facility can vary. For example, some utility-scale facilities provide only enough power per megawatt to power a few hundred average homes. Others offer a lot more energy. Factors that play into this are location, the type of technology used, and the availability of sunlight.
For example, although not located in New Mexico, Recurrent Energies’ “Sunset Reservoir” project in San Francisco produces 5 megawatts of solar energy. It is built on top of enclosed reservoir in the middle of San Francisco. It is considered a utility-scale solar facility.
How it works
Net excess generation
For customers with solar systems that can generate 10 kilowatts or less, the utility company has a choice in how they compensate that customer for net excess generation. The utility can give the customer a credit on their next bill equal to the utility's energy rate (the costs that the utility pays for its own electricity), or crediting the customer for the kilowatt hours of electricity that they have supplied back to utility through the grid.
Technical
In New Mexico, a few technical requirements exist in order for a net metering system to be connected to the grid. First, the net metering system should have a visible means of disconnection allowing the utility to disconnect to system from the grid. Second, a net meter is required and should cost no more than $20. Third, there needs to be an inverter that disconnects when the grid goes down.
The system capacity limit is 80 megawatts.
Eligibility
In New Mexico the types of renewable technologies eligible for net metering are the following:
Combined Heat & Power
Fuel cells using Non-Renewable Fuels
Fuel cells using Renewable Fuels
Geothermal Electric
Hydroelectric
Hydroelectric (Small)
Landfill gas
Microturbines
Municipal solid waste
Solar photovoltaics
Solar thermal electric
Wind (All), Biomass
Wind (Small)
Sectors that can use net metering include commercial, industrial, local government, nonprofits, residential homes, schools, state and federal government, agricultural, and institutional.
The types of utilities that can participate in net metering are investor-owned utilities and electric cooperatives.
Utilities that can participate are investor-owned utilities and electric cooperatives. When a customer leaves the utility, the utility must pay the customer for any unused credits.
Availability and jurisdiction
According to DSIRE, “Net metering is available to all "qualifying facilities" (QFs), as defined by the federal Public Utility Regulatory Policies Act of 1978 (PURPA), which pertains to renewable energy systems and combined heat and power systems up to 80 megawatts (MW) in capacity. There is no statewide cap on the aggregate capacity of net-metered systems.”
Additionally, all utilities that are subject regulation under the Public Regulation Commission’s (PRC) jurisdiction must offer net metering. Municipal utilities, which are not regulated by the PRC, are exempt.
Solar in New Mexico
Growth
In New Mexico, the decrease in prices for solar systems is driving the market for it. Many homeowners and commercial companies are purchasing solar systems to help offset the increase in electric utility bills. More financing options are available today in New Mexico, more solar companies are competing, and this is leading to an increase in market penetration.
The growth is predicted at 20% per year. As of early 2016, the market in the United States for solar systems had reached 1 million solar installations. This is equivalent to generating enough electricity to power 5.4 million homes, according to the national Solar Energy Industry Association.
According to the Albuquerque Journal, “New Mexico ranks 8th in the nation today in terms of installed solar capacity per capita.” It is estimated that the solar market in New Mexico has only experienced approximately 10% of market penetration.
Solar capacity and statistics
According to the Albuquerque Journal, “As of year-end 2015, New Mexico had about 400 megawatts of installed capacity. That includes 85 MW of residential and commercial systems, and 316 MW of utility-scale generation scattered throughout the service territories of New Mexico’s public utilities and electric cooperatives.”
For all the installed solar capacity in the New Mexico, the Public Service Company of New Mexico accounts for around 41% of that. Their facilities include fifteen different projects with a total of 107 MW of capacity, which according to the company, provides enough power 140,000 average homes.
New Mexico requires public utilities to get 15% of their electric generation from renewable sources. That number will increase to 20% by the year 2020.
Within the state, sixty different contracting and installation companies operate. These firms include national companies like SolarCity and ZingSolar.
Consumer incentives
State tax credit
Up until the end of 2016, New Mexico offered a 10% state tax credit for solar installations. The tax credit began in 2008.
Solar companies operating in New Mexico say they are okay to absorb the loss of the state tax credit, meaning that they don't believe it will affect their business. However, in addition to the loss of the tax credit, renewable energy payments from utilities to customers is also declining.
Federal tax credit
In addition to the state tax credit, which is over, the U.S. government gives a 30 percent tax credit for solar installations. In December 2015, Congress extended the program through the end of 2019.
Payments from utilities
PNM and El Paso Electric Co. in southern New Mexico paid customers for each kilowatt hour of electricity they produced from their solar systems. These payments help customers and businesses offset the costs of installing their solar systems.
In addition to the payments, those companies offer net metering. Under net metering, people with solar systems can sell their excess electricity back to the utility company at a price equal to what the utility pays for its own electricity. Note that net metering is a separate system of payments from the renewable payments that utilities offer back to customers.
For example, 7,100 customers have signed up for the renewable payments from the utility PNM. In 2014, that number was only 4,400 customers.
Payments from utilities back to customers decreased from $.13 per kilowatt hour in 2009 to $.025 by the end of 2015. As of the middle of 2016, PNM stopped accepting new applications because the number of people seeking the credits was more than the money available in the program.
According to DSIRE, a program operated by the N.C. Clean Energy Technology Center at North Carolina State University funded by the U.S. Department of Energy, “If a customer has NEG [net energy generation] totaling less than $50 during a monthly billing period, the excess is carried over to the customer’s next monthly bill. If NEG exceeds $50 during a monthly billing period, the utility will pay the customer the following month for the excess.
“The energy rate to be paid for the energy supplied by the QF [qualifying facility] in any month shall be the respective month's rate from the utility's current schedule on file with the PRC. Each utility shall file with the PRC its schedule containing monthly energy rates that will be applicable to the next twelve-month period.”
Price of solar installation
According to a study by Lawrence Livermore National Laboratory, prices for the installation of residential and utility-scale solar generation plants went down by more than 50 percent between 2008 and 2014. In 2015, prices fell another 17 percent.
As of 2017, an average New Mexico residential system producing 4.4 kilowatts costs approximately $17,000 before tax credits and other incentives. After credits and incentives, the system would cost approximately $11,900. In 2009, that same system had cost $30,000. If a consumer chose to finance the system, they could pay around $99 a month.
Regulatory rules
In New Mexico there are two primary rules that govern the interconnection of a solar system to the utility grid:
NMPRC Rule 570 (general interconnection of qualifying facilities—larger solar-producing facilities)
NMPRC Rule 571 (net metering for small renewable energy systems)
According to the New Mexico Solar Energy Association, “These rules apply wherever electricity service is regulated by the PRC. This includes the areas serviced by New Mexico's four investor owned utilities (IOUs) (which encompasses Santa Fe and Albuquerque for example), and the areas services by electric coops. It does not include municipal utilities (such as Los Alamos and Farmington), which are self-regulated.”
Additionally, “If the net-metered facility uses more power than it produces over a billing period, the utility may bill the customer for the net power used according to the rate structure that would apply to the customer if they had not connected as a net-metering facility.”
Future of net metering in New Mexico
The solar industry in New Mexico is facing hurdles. Most utilities want to reduce incentives like net metering and charge customers more who have solar systems. The reason they want to do this is because the utilities maintain that their role in generating plants, transmitting and distributing electricity through distribution lines, and other fixed costs remain unchanged. They argue that solar customers are not financially contributing to those fixed costs.
References
External links
Utility-specific information on net metering can be found at the following websites:
PNM Resources (Public Service Company of NM) - Rider No. 24
Xcel Energy (Southwestern Public Service Company) - PDFs/rates/NM/nm_sps_e_entire.pdf Tariff No. 3018.33
El Paso Electric Company - Rate No. 16
City of Farmington - Rate No. 17
Regulations:
Title 17: Public Utilities And Utility Services. Chapter 9: Electric Services. Part 570: Governing Cogeneration And Small Power Production
Incentives:
MEXICO INCENTIVES PANEL.pdf New Mexico Incentives for Customer-Owned Solar Photovoltaic Systems
Programs:
PNM Customer Solar Energy Program
Energy in New Mexico
Energy policy |
```php
<?php
namespace Illuminate\Cache;
use Aws\DynamoDb\DynamoDbClient;
use Closure;
use Illuminate\Contracts\Cache\Factory as FactoryContract;
use Illuminate\Contracts\Cache\Store;
use Illuminate\Contracts\Events\Dispatcher as DispatcherContract;
use Illuminate\Support\Arr;
use InvalidArgumentException;
/**
* @mixin \Illuminate\Contracts\Cache\Repository
*/
class CacheManager implements FactoryContract
{
/**
* The application instance.
*
* @var \Illuminate\Contracts\Foundation\Application
*/
protected $app;
/**
* The array of resolved cache stores.
*
* @var array
*/
protected $stores = [];
/**
* The registered custom driver creators.
*
* @var array
*/
protected $customCreators = [];
/**
* Create a new Cache manager instance.
*
* @param \Illuminate\Contracts\Foundation\Application $app
* @return void
*/
public function __construct($app)
{
$this->app = $app;
}
/**
* Get a cache store instance by name, wrapped in a repository.
*
* @param string|null $name
* @return \Illuminate\Contracts\Cache\Repository
*/
public function store($name = null)
{
$name = $name ?: $this->getDefaultDriver();
return $this->stores[$name] = $this->get($name);
}
/**
* Get a cache driver instance.
*
* @param string|null $driver
* @return \Illuminate\Contracts\Cache\Repository
*/
public function driver($driver = null)
{
return $this->store($driver);
}
/**
* Attempt to get the store from the local cache.
*
* @param string $name
* @return \Illuminate\Contracts\Cache\Repository
*/
protected function get($name)
{
return $this->stores[$name] ?? $this->resolve($name);
}
/**
* Resolve the given store.
*
* @param string $name
* @return \Illuminate\Contracts\Cache\Repository
*
* @throws \InvalidArgumentException
*/
protected function resolve($name)
{
$config = $this->getConfig($name);
if (is_null($config)) {
throw new InvalidArgumentException("Cache store [{$name}] is not defined.");
}
if (isset($this->customCreators[$config['driver']])) {
return $this->callCustomCreator($config);
} else {
$driverMethod = 'create'.ucfirst($config['driver']).'Driver';
if (method_exists($this, $driverMethod)) {
return $this->{$driverMethod}($config);
} else {
throw new InvalidArgumentException("Driver [{$config['driver']}] is not supported.");
}
}
}
/**
* Call a custom driver creator.
*
* @param array $config
* @return mixed
*/
protected function callCustomCreator(array $config)
{
return $this->customCreators[$config['driver']]($this->app, $config);
}
/**
* Create an instance of the APC cache driver.
*
* @param array $config
* @return \Illuminate\Cache\Repository
*/
protected function createApcDriver(array $config)
{
$prefix = $this->getPrefix($config);
return $this->repository(new ApcStore(new ApcWrapper, $prefix));
}
/**
* Create an instance of the array cache driver.
*
* @param array $config
* @return \Illuminate\Cache\Repository
*/
protected function createArrayDriver(array $config)
{
return $this->repository(new ArrayStore($config['serialize'] ?? false));
}
/**
* Create an instance of the file cache driver.
*
* @param array $config
* @return \Illuminate\Cache\Repository
*/
protected function createFileDriver(array $config)
{
return $this->repository(new FileStore($this->app['files'], $config['path'], $config['permission'] ?? null));
}
/**
* Create an instance of the Memcached cache driver.
*
* @param array $config
* @return \Illuminate\Cache\Repository
*/
protected function createMemcachedDriver(array $config)
{
$prefix = $this->getPrefix($config);
$memcached = $this->app['memcached.connector']->connect(
$config['servers'],
$config['persistent_id'] ?? null,
$config['options'] ?? [],
array_filter($config['sasl'] ?? [])
);
return $this->repository(new MemcachedStore($memcached, $prefix));
}
/**
* Create an instance of the Null cache driver.
*
* @return \Illuminate\Cache\Repository
*/
protected function createNullDriver()
{
return $this->repository(new NullStore);
}
/**
* Create an instance of the Redis cache driver.
*
* @param array $config
* @return \Illuminate\Cache\Repository
*/
protected function createRedisDriver(array $config)
{
$redis = $this->app['redis'];
$connection = $config['connection'] ?? 'default';
$store = new RedisStore($redis, $this->getPrefix($config), $connection);
return $this->repository(
$store->setLockConnection($config['lock_connection'] ?? $connection)
);
}
/**
* Create an instance of the database cache driver.
*
* @param array $config
* @return \Illuminate\Cache\Repository
*/
protected function createDatabaseDriver(array $config)
{
$connection = $this->app['db']->connection($config['connection'] ?? null);
$store = new DatabaseStore(
$connection,
$config['table'],
$this->getPrefix($config),
$config['lock_table'] ?? 'cache_locks',
$config['lock_lottery'] ?? [2, 100]
);
return $this->repository($store->setLockConnection(
$this->app['db']->connection($config['lock_connection'] ?? $config['connection'] ?? null)
));
}
/**
* Create an instance of the DynamoDB cache driver.
*
* @param array $config
* @return \Illuminate\Cache\Repository
*/
protected function createDynamodbDriver(array $config)
{
$client = $this->newDynamodbClient($config);
return $this->repository(
new DynamoDbStore(
$client,
$config['table'],
$config['attributes']['key'] ?? 'key',
$config['attributes']['value'] ?? 'value',
$config['attributes']['expiration'] ?? 'expires_at',
$this->getPrefix($config)
)
);
}
/**
* Create new DynamoDb Client instance.
*
* @return DynamoDbClient
*/
protected function newDynamodbClient(array $config)
{
$dynamoConfig = [
'region' => $config['region'],
'version' => 'latest',
'endpoint' => $config['endpoint'] ?? null,
];
if (isset($config['key']) && isset($config['secret'])) {
$dynamoConfig['credentials'] = Arr::only(
$config, ['key', 'secret', 'token']
);
}
return new DynamoDbClient($dynamoConfig);
}
/**
* Create a new cache repository with the given implementation.
*
* @param \Illuminate\Contracts\Cache\Store $store
* @return \Illuminate\Cache\Repository
*/
public function repository(Store $store)
{
return tap(new Repository($store), function ($repository) {
$this->setEventDispatcher($repository);
});
}
/**
* Set the event dispatcher on the given repository instance.
*
* @param \Illuminate\Cache\Repository $repository
* @return void
*/
protected function setEventDispatcher(Repository $repository)
{
if (! $this->app->bound(DispatcherContract::class)) {
return;
}
$repository->setEventDispatcher(
$this->app[DispatcherContract::class]
);
}
/**
* Re-set the event dispatcher on all resolved cache repositories.
*
* @return void
*/
public function refreshEventDispatcher()
{
array_map([$this, 'setEventDispatcher'], $this->stores);
}
/**
* Get the cache prefix.
*
* @param array $config
* @return string
*/
protected function getPrefix(array $config)
{
return $config['prefix'] ?? $this->app['config']['cache.prefix'];
}
/**
* Get the cache connection configuration.
*
* @param string $name
* @return array
*/
protected function getConfig($name)
{
if (! is_null($name) && $name !== 'null') {
return $this->app['config']["cache.stores.{$name}"];
}
return ['driver' => 'null'];
}
/**
* Get the default cache driver name.
*
* @return string
*/
public function getDefaultDriver()
{
return $this->app['config']['cache.default'];
}
/**
* Set the default cache driver name.
*
* @param string $name
* @return void
*/
public function setDefaultDriver($name)
{
$this->app['config']['cache.default'] = $name;
}
/**
* Unset the given driver instances.
*
* @param array|string|null $name
* @return $this
*/
public function forgetDriver($name = null)
{
$name = $name ?? $this->getDefaultDriver();
foreach ((array) $name as $cacheName) {
if (isset($this->stores[$cacheName])) {
unset($this->stores[$cacheName]);
}
}
return $this;
}
/**
* Disconnect the given driver and remove from local cache.
*
* @param string|null $name
* @return void
*/
public function purge($name = null)
{
$name = $name ?? $this->getDefaultDriver();
unset($this->stores[$name]);
}
/**
* Register a custom driver creator Closure.
*
* @param string $driver
* @param \Closure $callback
* @return $this
*/
public function extend($driver, Closure $callback)
{
$this->customCreators[$driver] = $callback->bindTo($this, $this);
return $this;
}
/**
* Dynamically call the default driver instance.
*
* @param string $method
* @param array $parameters
* @return mixed
*/
public function __call($method, $parameters)
{
return $this->store()->$method(...$parameters);
}
}
``` |
Wax Wings may refer to:
Icarus, Greek mythological figure who is said to have flown on wings made from feathers and wax
Wax Wings, 2013 album by American singer-songwriter Joshua Radin |
Cas and Dylan is a 2013 Canadian comedy-drama film directed by Jason Priestley from a screenplay by Jessie Gabe. It stars Richard Dreyfuss, Tatiana Maslany, Jayne Eastwood, Aaron Poole, Corinne Conley, and Eric Peterson. The film had its world premiere at the Atlantic Film Festival on September 16, 2013. It was released on April 4, 2014, by Pacific Northwest Pictures.
Plot
Dr. Cas Pepper is a 61-year-old doctor, a self-proclaimed loner, and terminally ill. Dylan Morgan is a 22-year-old woman, somewhat of a social misfit, and an aspiring writer. She is currently living with her boyfriend Bobby, who is an unstable individual. Cas reluctantly agrees to give Dylan a short lift to her home. Cas accidentally strikes Bobby with his car when he jumps in front of them and points a rifle at them, and, fearing that he may now be a fugitive from the law, drives away with Dylan's encouragement.
Cas and Dylan take off on a drive across Canada, he heading to his vacation home on Canada's west coast (where he plans to bury his recently deceased dog and to commit suicide), and she towards an ostensible interview with a major publishing company she has been communicating with. Initially Cas is not thrilled with the prospect of spending the ride with this young talkative kid, but as the adventure progresses, they grow sweetly fond of each other, helping one another resolve the issues they encounter along the way.
The epilogue shows a successful, fulfilled Dylan some time after the cross-country trip, with her voice-over telling us about her tremendous respect for him, and that her current happiness is largely a result of following his advice—a happiness not hindered by the fact that he left her his entire estate after his death (as well as his "secret" pasta sauce recipe).
Cast
Production
In March 2012, it was announced that Jason Priestley would direct the film in his directorial debut, from a screenplay by Jessie Gabe, with Tatiana Maslany attached to star in the film, and with Mark Montefiore producing the film. In August 2012, it was announced that Richard Dreyfuss had been cast in the film as Dr. Cas Pepper.
Principal photography began in late summer and early fall of 2012 in Greater Sudbury, Ontario. Additional scenes were filmed in Calgary, Alberta.
Release
The film had its world premiere at the Atlantic Film Festival on September 16, 2013. It was released in Canada on April 4, 2014. In November 2014, Entertainment One acquired U.S distribution rights to the film.
The film was released through video on demand on April 17, 2015 prior to a limited release on May 1, 2015.
Critical reception
Cas and Dylan received negative reviews from film critics. It holds a "Rotten" 31% rating on review aggregator website Rotten Tomatoes, based on 13 reviews, with an average rating of 4.7/10. On Metacritic, the film holds a rating of 32 out of 100, based on 6 critics, indicating "Generally unfavorable reviews".
The film won the Audience Award at the 2013 Whistler Film Festival.
References
External links
2013 films
2013 independent films
2010s road comedy-drama films
Canadian road movies
Canadian independent films
English-language Canadian films
Entertainment One films
Films scored by Michael Brook
Films about suicide
Films about writers
Films set in Canada
Films shot in Calgary
Films shot in Greater Sudbury
Canadian road comedy-drama films
2013 directorial debut films
2010s English-language films
2010s Canadian films |
Moses Thatcher (February 2, 1842 – August 21, 1909) was an apostle and a member of the Quorum of the Twelve Apostles in the Church of Jesus Christ of Latter-day Saints (LDS Church). He was one of only a few members of the Quorum of the Twelve to be dropped from the Quorum but to remain in good standing in the church and retain the priesthood office of apostle.
Early life
Thatcher was born in Sangamon County, Illinois, to Hezekiah Thatcher and Alena Kitchen. The Thatcher family joined the Church of Jesus Christ of Latter Day Saints in 1843, and moved to Macedonia, Illinois, and later to Nauvoo. Together, with the main body of the church, they began their trek westward in 1846 and arrived in the Salt Lake Valley in September 1847.
Hezekiah and Alena, with seven of their eight living children (including Thatcher), departed for California in 1849, seeking to acquire wealth through the Gold Rush. They returned to Utah Territory in 1857. Thatcher served a mission for the church at age 15, from which he returned in 1858. In 1859, the family settled in Cache Valley, where Thatcher helped Hezekiah locate canal and mill sites.
From 1860 to 1861, Thatcher studied at the University of Deseret. From 1866 to 1868, he served a second mission, this one to the United Kingdom and France. He later served as the church's first mission president in Mexico.
Apostolic service
Thatcher became an apostle and a member of the Quorum of the Twelve Apostles in April 1879. He replaced Orson Hyde, who died on November 28, 1878.
From 1880 to 1898, Thatcher was the second assistant to Wilford Woodruff in the superintendency of the Young Men's Mutual Improvement Association (YMMIA).
At the April 1896 General Conference of the church, Thatcher was dropped from the Quorum of the Twelve in consequence of his not being "in harmony" with the other leaders of the church about a proposed policy called "The Political Rule of the Church," commonly referred to as "the political Manifesto." This policy would have required that the general authorities of the church to obtain the approval of the First Presidency before seeking public office. This statement was signed by all the apostles at the time except Thatcher, who refused on grounds of conscience, citing the church's long-standing position on political neutrality. (Apostle Anthon Lund also did not sign the document due to his absence while presiding over the church's European Mission.)
However, Thatcher was not excommunicated from the church and retained his position in the leadership of the YMMIA. Thatcher remained supportive of the church after being removed from the Quorum, testifying on many occasions of the divinity of the work and the divinity of the calling of its leaders. Matthias F. Cowley replaced Thatcher in the Quorum of the Twelve. Thatcher held the priesthood office of apostle until his death.
Post-Quorum of the Twelve service
After being removed from the quorum, Thatcher testified in the Reed Smoot hearings held before the Senate Committee on Privileges and Elections. He was supportive of the church and its positions.
Thatcher died at his home on August 21, 1909, in Logan, Utah. He is buried in the Logan Cemetery.
See also
Notes
External links
Moses Thatcher's Missionary Diaries Digital Collections, Harold B. Lee Library, Brigham Young University
Grampa Bill's G.A. Pages: Moses Thatcher
1842 births
1909 deaths
19th-century Mormon missionaries
American Mormon missionaries in France
American Mormon missionaries in Mexico
American Mormon missionaries in the United Kingdom
American Mormon missionaries in the United States
American general authorities (LDS Church)
Apostles (LDS Church)
Counselors in the General Presidency of the Young Men (organization)
Latter Day Saints from California
Latter Day Saints from Illinois
Latter Day Saints from Utah
Mission presidents (LDS Church)
Mormon pioneers
People from Logan, Utah
People from Sangamon County, Illinois
University of Utah alumni
Utah Democrats |
```javascript
//your_sha256_hash---------------------------------------
//your_sha256_hash---------------------------------------
function DumpArray(array)
{
WScript.Echo("[" + array.join(",") + "]");
}
function literalOfInts()
{
var array = [3, 4, 5, 6, 7, 8];
DumpArray(array);
var array_large = [3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8,
3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8, 3, 4, 5, 6, 7, 8];
DumpArray(array_large);
}
function literalOfFloats()
{
var array = [3.5, 4, 5, 6, 7, 23.23];
DumpArray(array);
// more than 64 elements
var array_large = [3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23,
3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23, 3.5, 4, 5, 6, 7, 23.23];
DumpArray(array_large);
}
function otherLiteral()
{
var array = [];
DumpArray(array);
array[3] = 32;
DumpArray(array);
var array1 = [new Object()];
var array1 = [new Object()];
}
function complexLiteral()
{
var array = [new Object(), 4, function() {}, 6, 7, 23.23];
DumpArray(array);
// Make the array1 itself dead and ensure that the code still works correctly with -recyclerstress
var array1 = [new Object(), 4, function() {}, 6, 7, 23.23];
var array1 = [new Object(), 4, function() {}, 6, 7, 23.23];
}
literalOfInts();
literalOfFloats();
otherLiteral();
complexLiteral();
``` |
Philip Emanuel Nelson (September 1, 1891September 24, 1973) was an American farmer, businessman, and Progressive politician from Douglas County, Wisconsin. He served 12 years in the Wisconsin Senate (1931–1943) and four years in the State Assembly (1927–1931), and was floor leader of the Senate Progressives during the 1937, 1939, and 1941 sessions. He also ran for Governor and Lieutenant Governor of Wisconsin and later served as a political appointee under presidents Franklin Roosevelt and Harry Truman, serving in roles at the War Production Board, the United States Department of Commerce, and the United States Department of Agriculture.
Early life
Philip Nelson was born in Curtiss, Wisconsin, and graduated from Colby High School in nearby Colby, Wisconsin. He went on to attend Williams Business School in Oshkosh, Wisconsin. As a young man, he went to work as an accountant for the Oakland Motor Car Company in Pontiac, Michigan, but later returned to Wisconsin, operating a cheese factory and working as a general merchant in Rusk County. He ultimately settled in Maple, Wisconsin, in Douglas County, where he established a farm.
He served in the United States Army with the American Expeditionary Forces in .
Political career
After the war, Nelson was elected to the Douglas County board of supervisors in 1921 and 1925, and ultimately remained on the county board through 1935. In 1926, he was elected to the Wisconsin State Assembly, running on the Republican Party ticket. He was subsequently re-elected to that office in 1928. He represented Douglas County's 2nd Assembly district, which comprised most of Douglas County outside of the city of Superior.
In 1930, rather than running for another term in the Assembly, Nelson ran for Wisconsin Senate, launching a primary challenge against incumbent R. Bruce Johnson. Two other candidates also joined the primary, Charles W. Peacock and former state representative Sextus Lindahl. Johnson was supported by the stalwart faction of the Republican Party, Peacock had the endorsement of the state leaders of the progressive faction, but local progressive leaders were split between Peacock, Nelson, and Lindahl.
Nelson ultimately prevailed in the primary, receiving 33% of the vote in the four-way race. There was no Democratic nominee in the district, but Charles Peacock entered the general election race as an independent progressive candidate. Nelson went on to win the general election with 60% of the vote.
Nelson was re-elected in 1934 in a four-way general election and went on to serve as a delegate to the 1936 Republican National Convention. However, with the emergence of the Wisconsin Progressive Party after their formal schism from the Republican Party, Nelson began associating with the Progressives in the Senate, and worked as a floor leader for the Progressive caucus in the 1937 session. He went on to seek re-election in 1938 on the Progressive Party ticket, but faced another difficult primary election against two incumbent Progressive state representatives—Michael H. Hall and Harry Bergren. He managed to prevail with 43% of the vote and went on to win the 1938 general election with 43% in another four-way race. He continued to serve as Progressive Floor Leader for the remainder of his time in the Senate.
During his third term, in 1940, he ran for the Progressive Party nomination for Governor of Wisconsin. Ultimately five candidates sought the nomination in 1940, Nelson came in a distant 3rd behind Orland Steen Loomis and Harold E. Stafford. Loomis lost the election in 1940 but ran again in 1942.
In 1942, rather than running for re-election in the Senate, Nelson entered the Progressive Party primary race for Lieutenant Governor of Wisconsin. He defeated Henry J. Berquist in the primary, but ultimately decided to withdraw from the race a month before the election to accept a federal appointment as deputy chief of the municipal government section of the War Production Board in Washington, D.C. The Progressives replaced him with Berquist as their nominee for Lieutenant Governor, who went on to lose the general election to incumbent Republican Lieutenant Governor Walter Samuel Goodland. This turned out to be one of the most politically significant lieutenant gubernatorial elections in the state's history, as the Progressive gubernatorial nominee Orland Steen Loomis won the gubernatorial election but died before taking office, making Goodland the 31st Governor of Wisconsin.
After the end of World War II, Nelson received another federal appointment at the United States Department of Commerce, and was then appointed head of the dairy branch of the Production and Marketing Administration in the United States Department of Agriculture. Nelson ultimately returned to Wisconsin after Truman left office. Like many former Progressives, Nelson became aligned with the Democratic Party of Wisconsin and considered a return to elected office, but ultimately did not run again. He died at his home in Superior, Wisconsin, on September 24, 1973.
Electoral history
Wisconsin Senate (1930, 1934, 1938)
Wisconsin Governor (1940)
| colspan="6" style="text-align:center;background-color: #e9e9e9;"| Progressive Primary, September 17, 1940
Wisconsin Lieutenant Governor (1942)
| colspan="6" style="text-align:center;background-color: #e9e9e9;"| Progressive Primary, September 22, 1942
References
See also
The Political Graveyard
1891 births
1973 deaths
People from Clark County, Wisconsin
People from Douglas County, Wisconsin
Farmers from Wisconsin
Businesspeople from Wisconsin
Republican Party members of the Wisconsin State Assembly
Republican Party Wisconsin state senators
Wisconsin Progressives (1924)
County supervisors in Wisconsin
Military personnel from Wisconsin
United States Army personnel of World War I
United States Department of Commerce officials
United States Department of Agriculture officials
Franklin D. Roosevelt administration personnel
Truman administration personnel
Burials in Wisconsin |
Sir Robert Shore Milnes, 1st Baronet (1754 – 2 December 1837) was Lieutenant Governor of Lower Canada from 1799 to 1805. Milnes served in the Royal Horse Guards and retired as Captain in 1788.
He married Charlotte Frances Bentinck, daughter of Captain John Bentinck and Renira van Tuyll van Serooskerken, on 12 November 1785. Milnes died at Tunbridge Wells, England.
References
Biography at the Dictionary of Canadian Biography Online
External links
Archives of Sir Robert Shore Milnes (Robert Shore Milnes collection, R2453) are held at Library and Archives Canada
1754 births
1837 deaths
Royal Horse Guards officers
Governors of British North America
Deputy Lieutenants of the West Riding of Yorkshire
Baronets in the Baronetage of the United Kingdom
British Governors of Martinique |
```c++
/*=============================================================================
file LICENSE_1_0.txt or copy at path_to_url
==============================================================================*/
#if !defined(BOOST_SPIRIT_ERROR_HANDLER_APRIL_29_2007_1042PM)
#define BOOST_SPIRIT_ERROR_HANDLER_APRIL_29_2007_1042PM
#if defined(_MSC_VER)
#pragma once
#endif
#include <boost/spirit/home/qi/operator/expect.hpp>
#include <boost/spirit/home/qi/nonterminal/rule.hpp>
#include <boost/spirit/home/support/multi_pass_wrapper.hpp>
#include <boost/function.hpp>
#include <boost/assert.hpp>
namespace boost { namespace spirit { namespace qi
{
enum error_handler_result
{
fail
, retry
, accept
, rethrow
};
namespace detail
{
// Helper template allowing to manage the inhibit clear queue flag in
// a multi_pass iterator. This is the usual specialization used for
// anything but a multi_pass iterator.
template <typename Iterator, bool active>
struct reset_on_exit
{
reset_on_exit(Iterator&) {}
};
// For 'retry' or 'fail' error handlers we need to inhibit the flushing
// of the internal multi_pass buffers which otherwise might happen at
// deterministic expectation points inside the encapsulated right hand
// side of rule.
template <typename Iterator>
struct reset_on_exit<Iterator, true>
{
reset_on_exit(Iterator& it)
: it_(it)
, inhibit_clear_queue_(spirit::traits::inhibit_clear_queue(it))
{
spirit::traits::inhibit_clear_queue(it_, true);
}
~reset_on_exit()
{
// reset inhibit flag in multi_pass on exit
spirit::traits::inhibit_clear_queue(it_, inhibit_clear_queue_);
}
Iterator& it_;
bool inhibit_clear_queue_;
};
}
template <
typename Iterator, typename Context
, typename Skipper, typename F, error_handler_result action
>
struct error_handler
{
typedef function<
bool(Iterator& first, Iterator const& last
, Context& context
, Skipper const& skipper
)>
function_type;
error_handler(function_type subject_, F f_)
: subject(subject_)
, f(f_)
{
}
bool operator()(
Iterator& first, Iterator const& last
, Context& context, Skipper const& skipper) const
{
typedef qi::detail::reset_on_exit<Iterator
, traits::is_multi_pass<Iterator>::value &&
(action == retry || action == fail)> on_exit_type;
on_exit_type on_exit(first);
for(;;)
{
try
{
Iterator i = first;
bool r = subject(i, last, context, skipper);
if (r)
first = i;
return r;
}
catch (expectation_failure<Iterator> const& x)
{
typedef
fusion::vector<
Iterator&
, Iterator const&
, Iterator const&
, info const&>
params;
error_handler_result r = action;
params args(first, last, x.first, x.what_);
f(args, context, r);
// The assertions below will fire if you are using a
// multi_pass as the underlying iterator, one of your error
// handlers forced its guarded rule to 'fail' or 'retry',
// and the error handler has not been instantiated using
// either 'fail' or 'retry' in the first place. Please see
// the multi_pass docs for more information.
switch (r)
{
case fail:
BOOST_ASSERT(
!traits::is_multi_pass<Iterator>::value ||
action == retry || action == fail);
return false;
case retry:
BOOST_ASSERT(
!traits::is_multi_pass<Iterator>::value ||
action == retry || action == fail);
continue;
case accept: return true;
case rethrow: boost::throw_exception(x);
}
}
}
return false;
}
function_type subject;
F f;
};
template <
error_handler_result action
, typename Iterator, typename T0, typename T1, typename T2
, typename F>
void on_error(rule<Iterator, T0, T1, T2>& r, F f)
{
typedef rule<Iterator, T0, T1, T2> rule_type;
typedef
error_handler<
Iterator
, typename rule_type::context_type
, typename rule_type::skipper_type
, F
, action>
error_handler;
r.f = error_handler(r.f, f);
}
// Error handling support when <action> is not
// specified. We will default to <fail>.
template <typename Iterator, typename T0, typename T1
, typename T2, typename F>
void on_error(rule<Iterator, T0, T1, T2>& r, F f)
{
on_error<fail>(r, f);
}
}}}
#endif
``` |
The Fiji Women's Rights Movement (FWRM) is a multi-ethnic and multi-cultural organisation based in Suva, Fiji, that works to remove discrimination against women through attitudinal changes and institutional reforms. FWRM believes in the practice and promotion of feminism, democracy, good governance and human rights. FWRM is known for its public opposition to military rule in Fiji since the first coup in 1987, and for its innovative approaches and core programmes related to intergenerational women's leadership in Fiji, particularly young, indigenous and locally-born women.
In 2016, FWRM launched Girls Digital Stories, a project aimed at challenging bullying and discrimination, through the narratives of 10-12 year old girls, using storytelling and digital art.
History
The Fiji Women's Rights Movement was founded by 56 women in 1986, including those who had set up the first support organisation against gender-related violence in Fiji, the Fiji Women's Crisis Centre (FWCC). They were determined that their group would "seek to change laws and policies which discriminated against women or that failed to adequately address their concerns". The founding members included FWCC's Shamima Ali, human rights lawyer Imrana Jalal, Adi Kuini Bavadra, Alefina Vuki, Helen Sutherland, ‘Atu Emberson-Bain and Penelope Moore (who became FWRM's first Coordinator or Executive Director).
Political activist Virisila Buadromo was the organisation's Executive Director from 2001 till 2015, when Tara Chetty took over.
Achievements
The Fiji Women's Rights Movement is noted for its work on promoting the political participation of women, including through constitutional reform. FWRM, with its partners FemlinkPACIFIC, the National Council of Women (Fiji), and Soqosoqovakamarama iTaukei, formed the Fiji Women's Forum in 2012 to increase women's participation in leadership. While Fiji has one of the highest proportions of women in parliament in the Pacific (16% in 2014), FWRM and the Fiji Women's Forum have been determined to improve women's representation in political and public life.
FWRM's programme for the empowerment of girls, known as GIRLS (Grow-Inspire-Relate-Lead-Succeed) has been called "one of Fiji’s, if not the region’s, finest feminist-based gender equality projects for 10-12 year girls." This is part of the organisation's significant efforts at supporting intergenerational feminist leadership in Fiji and the Pacific.
References
External links
Official website
Feminist organisations in Fiji
Women's rights in Fiji |
Ivanka Bonova (, born 4 April 1949) is a retired Bulgarian sprinter and middle-distance runner who specialized in the women's 400 and 800 metres.
She was born in Raduil, and represented the clubs Balkan and Levski-Spartak Club. In the 800 metres she finished fourth at the 1976 European Indoor Championships and seventh at the 1979 European Indoor Championships. She also competed at the 1976 Summer Olympics in the 4 x 400 metres relay, but the Bulgarian team failed to progress past round one.
Her personal best time was 1:59.7 minutes, achieved in July 1980 in Sofia. She had 53.54 seconds in the 400 metres, achieved in 1980.
References
1949 births
Living people
Bulgarian female sprinters
Bulgarian female middle-distance runners
Athletes (track and field) at the 1976 Summer Olympics
Olympic athletes for Bulgaria
Olympic female sprinters
21st-century Bulgarian women
21st-century Bulgarian people
20th-century Bulgarian women
20th-century Bulgarian people |
Hypsidracon saurodoxa is a species of moth of the family Tortricidae. It is found in the Democratic Republic of Congo.
References
Moths described in 1934
Olethreutinae |
Leo Whelan RHA (10 January 1892 – 6 November 1956) was an Irish painter. His work was part of the painting event in the art competition at the 1932 Summer Olympics.
Born in Dublin and educated at Belvedere College and the Metropolitan School of Art, Whelan was a student of William Orpen. He first exhibited at the Royal Hibernian Academy in 1911, and was awarded the Taylor Art Scholarship five years later in 1916. He exhibited nearly 250 works at the RHA from 1911 until 1956. He painted many portraits of Irish Republican Army volunteers, including General Richard Mulcahy and Michael Collins. He was the designer of the first Free State commemorative stamp, issued in 1929 for the Centenary of Catholic Emancipation, a portrait of Daniel O'Connell. One of his closest friends was tenor John McCormack, who unsuccessfully tried to persuade Whelan to move to the United States.
References
External links
Whelan at Irish Graves
1892 births
1956 deaths
20th-century Irish painters
Irish male painters
Painters from Dublin (city)
People educated at Belvedere College
Members of the Royal Hibernian Academy
Olympic competitors in art competitions
Members of the Royal Ulster Academy
20th-century Irish male artists |
You Do Something to Me may refer to:
You Do Something to Me (Cole Porter song)
You Do Something to Me (Dum Dums song)
You Do Something to Me (Paul Weller song) |
The Raid on Lunenburg (also known as the Sack of Lunenburg) occurred during the American Revolution when the US privateer, Captain Noah Stoddard of Fairhaven, Massachusetts, and four other privateer vessels attacked the British settlement at Lunenburg, Nova Scotia on July 1, 1782. The raid was the last major privateer attack on a Nova Scotia community during the war.
Lunenburg was defended by militia leaders Colonel John Creighton and Major Dettlieb Christopher Jessen. In Nova Scotia, the assault on Lunenburg was the most spectacular raid of the war. On the morning of July 1, Stoddard led approximately 170 US privateers in four heavily armed vessels and overpowered Lunenburg’s defence, capturing the blockhouses, burning Creighton's home, and filling Jessen's house with bullet holes. The privateers then looted the settlement and kept the militia at bay with the threat of destroying the entire town. The American privateers plundered the town and took three prisoners, including Creighton, who were later released from Boston without a ransom having been paid.
Background
During the American Revolution, Nova Scotia was invaded regularly by American Revolutionary forces by land and sea. Throughout the war, American privateers devastated the maritime economy by raiding many of the coastal communities. There were constant attacks by privateers, which had begun seven years earlier with the Raid on Saint John (1775) and included raids on all the major outposts in Nova Scotia.<ref>Raids happened at Liverpool (October 1776, March 1777, September 1777, May 1778, September 1780) and on Annapolis Royal (1781) (Roger Marsters (2004). Bold Privateers: Terror, Plunder and Profit on Canada's Atlantic Coast", pp. 87–89 )</ref>
Lunenburg was engaged with American privateers numerous times during the war. In 1775 the 84th Regiment, led by Captain John MacDonald, had been defending Nova Scotia, attacking an American privateer ship off of Lunenburg. They boarded the warship when some of her crew were ashore seeking plunder. They captured the crew and sailed her into Halifax. In February 1778 Colonel Creighton appealed to the Government to address the "Mischiefs done to the settlement of Lunenburg by the New England Privateers." In response, the government ordered the armed vessel Loyal Nova Scotian to Lunenburg. On February 25, 1780, while the American privateer Sally floated in Lunenburg harbour under the command of Moses Tinney, four American privateers came ashore for provisions. Colonel Creighton ordered the privateers to be taken prisoner and fired at their brigantine Sally. Creighton then ordered two boats of men to board Sally, but the privateers resisted. Creighton ordered the blockhouse to fire two guns at the privateer. Sally surrendered and the privateers were taken prisoner and Sally brought to Halifax.
On March 18, 1780, the Lunenburg militia secured the American prisoners taken from the American privateer Kitty on the LaHave River. They took the vessel back to Lunenburg and sold it. A month later, on April 15, 1780, the Lunenburg militia (35 men) and the British brigantine John and Rachael captured an American privateer prize, also named Sally, off LaHave River. During the seizure, the privateers killed the head of the militia (McDonald) and wounded two of the crew members of John and Rachael. American vessels captured by the British during the American Revolution, pp. 71–72NS Historical Society, p. 32
On March 15, 1782, Captain Amos Potter, released after the Raid on Annapolis Royal (1781), returned from Boston in the Resolution and captured the schooner Two Sisters off Pearl Island, Mahone Bay (formerly Green Island), stole all the provisions on board, and released it.
The following month Stoddard's vessel Scammell was commissioned in April 1782 and made the plan in Boston to raid Lunenburg. Soon after, he rescued the 60 American prisoners on board , which was wrecked on Seal Island, Nova Scotia. Stoddard allowed the British crew to return to Halifax in (which was involved in the Naval battle off Halifax en route).Thomas Head Raddall. Adventures of H.M.S. Blonde in Nova Scotia, 1778–1782. Collections of the Nova Scotia Historical Society. 1966.
On June 30, the day before the raid on Lunenburg, Stoddard and two other privateers descended on Chester, Nova Scotia firing cannon from their vessels. Captain of the militia Jonathan Prescott informed the privateers that the military forces were gone from Lunenburg and were headed to Chester. In response, the American privateers left Chester and went on to attack Lunenburg.
Raid on Lunenburg
During the early morning of July 1, 1782, five American privateers that had left Boston under the command of Captain Noah Stoddard began to raid Lunenburg. Captain Stoddard's ship was the schooner Scammel, which had sixteen guns and sixty men.MacMechan, p. 59 Stoddard organized both a land and sea assault of the town. The vessels first landed at Red Head (present-day Blue Rocks), two miles outside of the town. From there, George Wait Babcock led 90 soldiers overland toward the town.Massachusetts Historical Society Collections The vessels then moved toward a frontal assault on the town.
The Lunenburg militia of 20 men was led by Colonel John Creighton and Major D.C. Jessen. Colonel Creighton and five other militia men occupied the eastern blockhouse and began firing at the approaching land assault. Several of Captain Stoddard’s privateers were wounded. The landed fleet of privateers then rounded East Point. The vessels landed and quickly took control of the western blockhouse and established themselves at Blockhouse Hill (see image above). Colonel Creighton and others in the blockhouse were cannonaded into silence and the blockhouse burned. Colonel Creighton surrendered and was taken prisoner along with two other men aboard Captain Stoddard’s vessel Scammel.
Resistance was also offered by Major D.C. Jessen. He was initially held up in his home, which the privateers fired full of bullets. He escaped and his house was looted. Major Jessen assembled with a militia behind the hill overlooking the town. A militia from LaHave under the command of Major Joseph Pernette also advanced toward Lunenburg to join Major Jessen. Captain Stoddard sent a message to Jessen and Pernette informing them that if they advanced on the town, all the homes would be burned. To ensure his threat was not idle, Captain Stoddard burned down Creighton's home.
Captain Stoddard's privateers looted the town and destroyed what remained. The Reverend Johann Gottlob Schmeisser tried to intervene, was bound by the privateers, and placed in the middle of town. Rev. Peter de la Roche signed a ransom agreement with American privateers. (De la Roche also became first Anglican minister at Guysborough, Nova Scotia).
Relief came when Lt. Governor Hamond dispatched from Halifax three ships under the command of Captain Douglass of , one of which had 200 Hessian soldiers aboard. Captain Stoddard began the retreat and made his way to Boston with his prisoners. Despite not having received a ransom, Stoddard released Colonel Creighton and the other prisoners after they arrived in Boston.
Sylvia, an African working for Creighton, was a significant part of Lunenburg's resistance to the raid. She assisted in supplying munitions to Creighton at the blockhouse and sheltered his son. In addition, after being released from captivity by Stoddard, she also protected the home and possessions of Major Jessen.Sylvia Hamilton. "A Survey of Early Black Women in Nova Scotia". In We're Rooted Here and They Can't Pull Us Up. Whether Sylvia was a free black or a slave is unknown. According to the St. Paul's Church (Halifax) cemetery records, she is listed as a "black servant." She died in Halifax on March 12, 1824 at age 70 and is buried in the Old Burying Ground (Halifax, Nova Scotia).
Aftermath
The raid on Lunenburg was the last major privateer attack of the war. On August 29, 1782 American privateer Wasp, with 19 men under the command of Captain Thomas Thompson, captured a vessel off Chester. He then spent two nights on East Ironbound Island. On September 1 Wasp sailed to Pennant Point and was confronted by three men from Sambro, Nova Scotia who fired on the crew, killing one and wounding three others including Captain Thomas Thompson. Captain Perry took command of the vessel and the privateers took one of the Sambro men prisoner. The privateers buried their crew member on an island in Pennant bay. They then began their return to Massachusetts by rowing to West Dover, Nova Scotia and then on to Cross Island ("Croo Island") just off Lunenburg ("Malegash"). On September 3, 1782, Henry Vogle of the Lunenburg militia recaptured a shallop taken by American privateers, which was witnessed by those on Wasp. On September 5, Wasp tried to enter LaHave River but was fired on by the local inhabitants and so continued on to Port Medway.
Also on September 1, Captain Powers of the privateer Dolphin was chased ashore at LaHave River by Captain John Crymes of the Observer, who had commanded her earlier in the Battle off Halifax (1782). Powers and the crew escaped ashore and Crymes took the Dolphin to Liverpool.
Gallery
In fiction
Jan Andrews. The Dancing Sun: A Celebration of Canadian Children, 1981
Joyce Barkhouse. "The Heroine of Lunenburg", with illustrations by Peter Ferguson.
See also
Colonial American military history
Military history of Nova Scotia
References
Bibliography
A Naval History of the American Revolution
DesBrisay, Mather Byles (1895). History of the county of Lunenburg, pp. 62–68
Eastman, Ralph M. "Captain Noah Stoddard" in Some Famous Privateers of New England. 1928. pp. 61–63
Gwyn, Julian. Frigates and Foremasts: The North American Squadron in Nova Scotia Waters, 1745–1815, University of British Columbia Press. 2003 .
MacMechan, Archibald (1923), “The Sack of Lunenburg” in Sagas of the Sea. The Temple Press, pp. 57–72.
A History of American Privateers
Massachusetts Privateers, p. 176
Agnes Creighton, "An Unforeclosed Mortgage," Acadiensis, October, 1905
Primary documents
The Boston Gazette, and the Country Journal, Monday, July 15, 1782;
The Massachusetts Spy: Or, American Oracle of Liberty [Worcester], Thursday, July 25, 1782;
The Continental Journal [Boston], Thursday, July 18, 1782.
Joseph Pernette to Franklin, letter, dated at La Have, July 3, 1782, reprinted in DesBrisay, Mather Byles, History of the County of Lunenburg, Toronto: Wesley Briggs, 1895, 65–67.
Leonard Rudolf's account in Invasion of Lunenburg in Acadie and the Acadians
Further reading
Howe, Octavius Thorndike. Beverly Privateers in the Revolution, 1922, p. 361.
Bell, Winthrop Pickard. (1961). The "Foreign Protestants" and the Settlement of Nova Scotia''.
"Privateering and piracy: the effects of New England raiding upon Nova Scotia during the American Revolution, 1775–1783". By John Dewar Faibisy
External links
Sack of Lunenburg Plaque
Sacking of Lunenburg – Primary Sources
Sack of Lunenburg – American War of Independence at Sea
MA Scammel
Conflicts in Nova Scotia
Military history of Nova Scotia
Conflicts in 1782
1782 in Nova Scotia
Military raids
Lunenburg, Nova Scotia (1782) |
The British Rail Passenger Timetable, later the National Rail Timetable and now the Electronic National Rail Timetable (), is a document containing the times of all passenger rail services in Great Britain. It was first published by British Rail in 1974.
Predecessors
The first combined railway timetable was produced by George Bradshaw in 1839. His guide assembled timetables from the many private railway companies into one book. Bradshaw's continued to be published until 1961, with demand dwindling after the grouping of the railways in 1923, as each of the new "Big Four" companies published their own comprehensive timetable. Other companies produced their own timetables, most famously the ABC Rail Guide.
Nationalisation
After the Big Four were brought into public ownership in 1948 to form British Railways (later British Rail), each of the six regions published their own timetable, containing details of all services in their region. After Bradshaw's ceased printing in 1961 (as it couldn't compete with the cheaper regional timetables), there was a gap of 13 years without a system-wide schedule.
This changed in 1974, when British Rail launched their first nationwide timetable, costing 50p (roughly £10 in 2020) and running to 1,350 pages. The British Rail Passenger Timetable continued to be published annually until 1986, at which point it was split into summer and winter issues. It was then released twice a year until the privatisation of British Rail in 1997.
Post-privatisation
National Rail (owned by the Association of Train Operating Companies) was set up to provide information about passenger services after privatisation. It continued the publication of the network-wide timetable (renamed the National Rail Timetable), stopping in 2007 due to low demand.
Network Rail, who produce the scheduling data, started publishing the timetable for free on their website as the Electronic National Rail Timetable (eNRT), which is still available to download as a PDF file . It continues to be updated twice a year, ahead of the main Europe-wide timetable changeover dates in mid-May and mid-December. The December 2020 update was cancelled "due to the COVID-19 pandemic's impact on the volume of change on the operational timetable".
The timetable continued to be published in paper format by The Stationery Office and Middleton Press. The Stationery Office published their last edition in 2014, and Middleton Press stopped production in 2019, by which point the hardcopy timetable cost £26 and was available by mail order only, meaning that there is no longer any means of obtaining a full printed timetable.
See also
History of rail transport in Great Britain
Public transport timetable
References
External links
Network Rail's electronic National Rail Timetable ()
Railway Museum article on the history of printed rail timetables
British Rail
History of rail transport in Great Britain
Rail transport publications
Publications established in 1974
1974 establishments in the United Kingdom |
Jérémie Beyou is a French professional Offshore sailor born on 27 June 1976 in Landivisiau (Finistère). He is a member of C N Lorient Sailing Club.
He won the Solitaire du Figaro three times in 2005, 2011 and 2014 and was crowned French champion in solo offshore racing in 2002 and 2005. He also won the Volvo Ocean Race onboard DongFeg and competed in four Vendee Globe.
Career highlights
References
External links
Official Personal Website
Official Campaign Website
Official Instgram
Official Facebook
1976 births
Living people
French male sailors (sport)
Sportspeople from Saint-Malo
Volvo Ocean 65 class sailors
Volvo Ocean Race sailors
IMOCA 60 class sailors
French Vendee Globe sailors
2008 Vendee Globe sailors
2012 Vendee Globe sailors
2016 Vendee Globe sailors
2020 Vendee Globe sailors
Vendée Globe finishers |
```java
package josh.utils.events;
import java.util.EventListener;
public interface DNSConfigListener extends EventListener {
public abstract void DNSToggle(DNSEvent e);
public abstract void DNSStop(DNSEvent e);
//public abstract void StopSniffer(DNSEvent e);
//public abstract void StartSniffer(DNSEvent e);
}
``` |
Green Lanes may refer to:
A green lane (road), a type of road, usually an unpaved rural route.
Green Lanes (London), a major road running through north London
Harringay, a neighbourhood in the London Borough of Haringey sometimes informally referred to as 'Green Lanes' or 'Harringay Green Lanes' because of the railway station.
For other uses, see also Green Lane (disambiguation) |
The H. Wayne Huizenga College of Business and Entrepreneurship is the business school of Nova Southeastern University in Davie, Florida, United States, and is accredited by Commission on Colleges of the Southern Association of Colleges and Schools, and internationally by the International Assembly for Collegiate Business Education and the University Council of Jamaica.
Named after businessman and philanthropist Wayne Huizenga, the college (also known as HCBE) serves over 4,800 bachelors, masters, and doctoral students in a variety of degree programs.
Hall of Fame
The Entrepreneur and Business Hall of Fame program awards the college's highest honor to nominees each year.
Degree programs
The college offers multiple bachelor's and master's programs.
BSBA in Accounting
B.S.B.A. in Entrepreneurship
B.S.B.A. in Finance
B.S.B.A. in Management
B.S.B.A. in Marketing
B.S.B.A. in Sport and Recreation Management
M.Acc. in Managerial Accounting
M.Acc. in Public Accounting
M.Acc. in Taxation Accounting
M.B.A. in multiple concentrations
M.P.A. in multiple concentrations
Facilities
The Carl DeSantis Building houses the H. Wayne Huizenga College of Business and Entrepreneurship. It was a significant expansion to NSU and opened its doors in 2004. The design is state of the art. It includes general-purpose classrooms, compressed video/teleconferencing classrooms, a lecture theater, computer labs, multipurpose facilities, conference facilities, business services/copy center, and a full service café as well as administrative and student offices with support facilities. The café features an Einstein Bros. Bagels restaurant that is operated under a brand-licensing agreement (not under a traditional franchise arrangement).
Notable alumni
Audrey P. Marks, M.B.A., '91, Ambassador of Jamaica to the United States (former)
George Zoley, D.P.A., Founder and CEO of GEO Group
Past and present deans
Andrew Rosman, Ph.D.
James Simpson, Ph.D. (interim)
J. Preston Jones, D.B.A.
D. Michael Fields, Ph.D.
Randolph Pohlman, Ph.D.
References
External links
Nova Southeastern University
Universities and colleges in Broward County, Florida
Business schools in Florida |
John Hubbard Joss (March 18, 1902 – March 22, 1955) was an American football player, lawyer, and government official.
Early years
Joss was born in Indianapolis in 1902. He attended the Taft School in Connecticut before enrolling at Yale College.
Athletic career
He played college football at the tackle position for the Yale Bulldogs football team. He was described as "the backbone of the rush line on defense", "unusually agile for his size", and "one of the outstanding tackles."
He was selected in February 1925 as the captain of the 1925 Yale Bulldogs football team. He was also selected by Lawrence Perry as a first-team player on the 1924 All-American college football team, and by Liberty magazine and the New York Sun as a first-team player on the 1925 All-American college football team.
Later years
He moved to Mexico City in the early 1930s and competed for the amateur golf championship of Mexico in 1931. He also served as the coach of the University of Mexico football team in 1932.
Joss was married in 1931 to Eleanor Taylor. Joss received law degrees from the University of Arizona and George Washington University. He practiced law and served for a time as assistant general counsel of the Firestone Rubber Company. During World War II, he worked for the Office of Price Administration as chief counsel for rationing enforcement. He also represented the Economic Warfare Board in British East Africa. After the war, he became chief counsel for the War Asset Administration. He joined the General Services Administration upon it formation in 1949. He was appointed by Harry Truman to the Renegotiations Board and served as its chairman. He died in 1955 at his home in Washington, D.C.
References
1902 births
1955 deaths
American football tackles
Yale Bulldogs football players
Players of American football from Indianapolis
Yale College alumni
Taft School alumni |
The National Institute of Library and Information Sciences (NILIS), University of Colombo (Sinhala: ජාතික පුස්තකාල හා විඥාපන විද්යා අධ්යයන ආයතනය) is an institution affiliated to the University of Colombo. NILIS focuses on graduate education in Library Science, and Information Management.
Objectives
It is estimated that Sri Lanka has about 10,000 libraries and information centres are there, scattered in the higher education, education, government, semi-government, local government, private, non-governmental organization and other sectors. Up to the year 2000 only University of Kelaniya provided degree and postgraduate courses at university level in the field. With the establishment of NILIS, the postgraduate and general training facilities in the field has been expanded. The primary objective of the institute is to train the human resources required for the huge school library sector in the country. In addition it has been empowered by the NILIS Ordinance of 1999 to conduct other postgraduate programmes in the Library and Information Science (LIS) field and produce the necessary high quality human resources for universities, research institutes, government departments, local government authorities and other library and information sectors in the country. Another major objective is to develop a continuing professional development (CPD) programmes for LIS professionals to update and upgrade their skills and knowledge.
History
The National Institute of Library and Information Sciences (NILIS), University of Colombo was established in 1999. The purpose of the institute is to provide postgraduate and general training facilities in the Library and Information Science field with special attention to the school/teacher librarianship. The establishment of the institute was a result of the World Bank funded General Education Project 2, (GEP 2). The purpose of the GEP 2 was to improve the different education sectors in Sri Lanka including the School Library sector. Under the project 4,000 school libraries were developed. When the World Bank mission was working in close cooperation with the National Library and Documentation Services Board (NLDSB) which was the local counterpart of the School Library sub sector, the NLDSB proposed to establish a training institute to support the school library development programme at the latter part of the project. The proposal was accepted and the World Bank advisory team of the project invited the NLDSB to submit a suitable proposal for consideration. Then NLDSB developed the NILIS project proposal with the help of a local consultant (Prof. W B Dorakumbura) who prepared the proposal with the assistance of the professional staff of NLDSB. They used the initial University Grants Commission (UGC) Inter University Committee of Librarians (IUCL) proposal to establish a Postgraduate Institute in Library and Information Science. However, they developed a new proposal to meet the special requirements of the school library sector and LIS sector in general with special attention to the objectives of the GEP 2 project. This proposal was accepted by the authorities with minor modifications and became the foundation of the NILIS.
References
Institutes of the University of Colombo
Library science education |
Oscar Bossaert (5 November 1887 – 1 February 1956) was a Belgian footballer. He played twelve matches for the Belgium national football team from 1911 to 1913.
References
External links
1887 births
1956 deaths
Belgian men's footballers
Belgium men's international footballers
Men's association football defenders
Footballers from Brussels |
This is a list of mosques in Saudi Arabia.
See also
Islam in Saudi Arabia
Lists of mosques
List of mosques in Medina
References
External links
Saudi Arabia
Mosques |
```cmake
set(SUPPORTED_EMU_PLATFORMS qemu)
set(QEMU_CPU_TYPE_${ARCH} nios2)
set(QEMU_FLAGS_${ARCH}
-machine altera_10m50_zephyr
-nographic
)
board_set_debugger_ifnset(qemu)
``` |
```java
/**
*
*
* 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.thingsboard.rule.engine.transform;
import com.fasterxml.jackson.databind.JsonNode;
import com.fasterxml.jackson.databind.node.ObjectNode;
import org.junit.jupiter.api.AfterEach;
import org.junit.jupiter.api.BeforeEach;
import org.junit.jupiter.api.Test;
import org.junit.jupiter.params.ParameterizedTest;
import org.junit.jupiter.params.provider.Arguments;
import org.junit.jupiter.params.provider.MethodSource;
import org.mockito.ArgumentCaptor;
import org.thingsboard.common.util.JacksonUtil;
import org.thingsboard.rule.engine.api.TbContext;
import org.thingsboard.rule.engine.api.TbNodeConfiguration;
import org.thingsboard.rule.engine.api.TbNodeException;
import org.thingsboard.rule.engine.util.TbMsgSource;
import org.thingsboard.server.common.data.id.DeviceId;
import org.thingsboard.server.common.data.id.EntityId;
import org.thingsboard.server.common.data.msg.TbMsgType;
import org.thingsboard.server.common.msg.TbMsg;
import org.thingsboard.server.common.msg.TbMsgMetaData;
import org.thingsboard.server.common.msg.queue.TbMsgCallback;
import java.util.Map;
import java.util.UUID;
import java.util.stream.Stream;
import static org.assertj.core.api.Assertions.assertThat;
import static org.mockito.ArgumentMatchers.any;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.never;
import static org.mockito.Mockito.spy;
import static org.mockito.Mockito.times;
import static org.mockito.Mockito.verify;
public class TbRenameKeysNodeTest {
DeviceId deviceId;
TbRenameKeysNode node;
TbRenameKeysNodeConfiguration config;
TbNodeConfiguration nodeConfiguration;
TbContext ctx;
TbMsgCallback callback;
@BeforeEach
void setUp() throws TbNodeException {
deviceId = new DeviceId(UUID.randomUUID());
callback = mock(TbMsgCallback.class);
ctx = mock(TbContext.class);
config = new TbRenameKeysNodeConfiguration().defaultConfiguration();
config.setRenameKeysMapping(Map.of("TestKey_1", "Attribute_1", "TestKey_2", "Attribute_2"));
nodeConfiguration = new TbNodeConfiguration(JacksonUtil.valueToTree(config));
node = spy(new TbRenameKeysNode());
node.init(ctx, nodeConfiguration);
}
@AfterEach
void tearDown() {
node.destroy();
}
@Test
void givenDefaultConfig_whenVerify_thenOK() {
TbRenameKeysNodeConfiguration defaultConfig = new TbRenameKeysNodeConfiguration().defaultConfiguration();
assertThat(defaultConfig.getRenameKeysMapping()).isEqualTo(Map.of("temperatureCelsius", "temperature"));
assertThat(defaultConfig.getRenameIn()).isEqualTo(TbMsgSource.DATA);
}
@Test
void givenMsg_whenOnMsg_thenVerifyOutput() throws Exception {
String data = "{\"Temperature_1\":22.5,\"TestKey_2\":10.3}";
node.onMsg(ctx, getTbMsg(deviceId, data));
ArgumentCaptor<TbMsg> newMsgCaptor = ArgumentCaptor.forClass(TbMsg.class);
verify(ctx, times(1)).tellSuccess(newMsgCaptor.capture());
verify(ctx, never()).tellFailure(any(), any());
TbMsg newMsg = newMsgCaptor.getValue();
assertThat(newMsg).isNotNull();
JsonNode dataNode = JacksonUtil.toJsonNode(newMsg.getData());
assertThat(dataNode.has("Attribute_2")).isEqualTo(true);
assertThat(dataNode.has("Temperature_1")).isEqualTo(true);
}
@Test
void givenMetadata_whenOnMsg_thenVerifyOutput() throws Exception {
config = new TbRenameKeysNodeConfiguration().defaultConfiguration();
config.setRenameKeysMapping(Map.of("TestKey_1", "Attribute_1", "TestKey_2", "Attribute_2"));
config.setRenameIn(TbMsgSource.METADATA);
nodeConfiguration = new TbNodeConfiguration(JacksonUtil.valueToTree(config));
node.init(ctx, nodeConfiguration);
String data = "{\"Temperature_1\":22.5,\"TestKey_2\":10.3}";
node.onMsg(ctx, getTbMsg(deviceId, data));
ArgumentCaptor<TbMsg> newMsgCaptor = ArgumentCaptor.forClass(TbMsg.class);
verify(ctx, times(1)).tellSuccess(newMsgCaptor.capture());
verify(ctx, never()).tellFailure(any(), any());
TbMsg newMsg = newMsgCaptor.getValue();
assertThat(newMsg).isNotNull();
Map<String, String> mdDataMap = newMsg.getMetaData().getData();
assertThat(mdDataMap.containsKey("Attribute_1")).isEqualTo(true);
}
@Test
void givenEmptyKeys_whenOnMsg_thenVerifyOutput() throws Exception {
TbRenameKeysNodeConfiguration defaultConfig = new TbRenameKeysNodeConfiguration().defaultConfiguration();
nodeConfiguration = new TbNodeConfiguration(JacksonUtil.valueToTree(defaultConfig));
node.init(ctx, nodeConfiguration);
String data = "{\"Temperature_1\":22.5,\"TestKey_2\":10.3}";
TbMsg msg = getTbMsg(deviceId, data);
node.onMsg(ctx, msg);
ArgumentCaptor<TbMsg> newMsgCaptor = ArgumentCaptor.forClass(TbMsg.class);
verify(ctx, times(1)).tellSuccess(newMsgCaptor.capture());
verify(ctx, never()).tellFailure(any(), any());
TbMsg newMsg = newMsgCaptor.getValue();
assertThat(newMsg).isNotNull();
assertThat(newMsg.getMetaData()).isEqualTo(msg.getMetaData());
}
@Test
void givenMsgDataNotJSONObject_whenOnMsg_thenVerifyOutput() throws Exception {
TbMsg msg = getTbMsg(deviceId, TbMsg.EMPTY_JSON_ARRAY);
node.onMsg(ctx, msg);
ArgumentCaptor<TbMsg> newMsgCaptor = ArgumentCaptor.forClass(TbMsg.class);
verify(ctx, times(1)).tellSuccess(newMsgCaptor.capture());
verify(ctx, never()).tellFailure(any(), any());
TbMsg newMsg = newMsgCaptor.getValue();
assertThat(newMsg).isNotNull();
assertThat(newMsg).isSameAs(msg);
}
private static Stream<Arguments> your_sha256_hashConfig() {
return Stream.of(
Arguments.of(0, "{\"fromMetadata\":false,\"renameKeysMapping\":{\"temp\":\"temperature\"}}", true, "{\"renameIn\":\"DATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}"),
Arguments.of(0, "{\"fromMetadata\":true,\"renameKeysMapping\":{\"temp\":\"temperature\"}}", true, "{\"renameIn\":\"METADATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}"),
Arguments.of(1, "{\"fromMetadata\":\"METADATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}", true, "{\"renameIn\":\"METADATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}"),
Arguments.of(1, "{\"fromMetadata\":\"DATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}", true, "{\"renameIn\":\"DATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}"),
Arguments.of(1, "{\"renameIn\":\"METADATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}", false, "{\"renameIn\":\"METADATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}"),
Arguments.of(1, "{\"renameIn\":\"DATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}", false, "{\"renameIn\":\"DATA\",\"renameKeysMapping\":{\"temp\":\"temperature\"}}")
);
}
@ParameterizedTest
@MethodSource
void your_sha256_hashConfig(int givenVersion, String givenConfigStr,
boolean hasChanges, String expectedConfigStr) throws Exception {
// GIVEN
JsonNode givenConfig = JacksonUtil.toJsonNode(givenConfigStr);
JsonNode expectedConfig = JacksonUtil.toJsonNode(expectedConfigStr);
// WHEN
var upgradeResult = node.upgrade(givenVersion, givenConfig);
// THEN
assertThat(upgradeResult.getFirst()).isEqualTo(hasChanges);
ObjectNode upgradedConfig = (ObjectNode) upgradeResult.getSecond();
assertThat(upgradedConfig).isEqualTo(expectedConfig);
}
private TbMsg getTbMsg(EntityId entityId, String data) {
final Map<String, String> mdMap = Map.of(
"TestKey_1", "Test",
"country", "US",
"city", "NY"
);
return TbMsg.newMsg(TbMsgType.POST_ATTRIBUTES_REQUEST, entityId, new TbMsgMetaData(mdMap), data, callback);
}
}
``` |
Tofersen, sold under the brand name Qalsody, is a medication used for the treatment of amyotrophic lateral sclerosis (ALS). Tofersen is an antisense oligonucleotide that targets the production of superoxide dismutase 1, an enzyme whose mutant form is commonly associated with ALS. It is administered as an intrathecal injection into the spinal cord.
The most common side effects include fatigue, arthralgia (joint pain), increased cerebrospinal (brain and spinal cord) fluid white blood cells, and myalgia (muscle pain).
Tofersen was approved for medical use in the United States in April 2023.
Medical uses
Tofersen is indicated to treat people with amyotrophic lateral sclerosis (ALS) associated with a mutation in the superoxide dismutase 1 (SOD1) gene (SOD1-ALS).
History
Tofersen was developed by Ionis Pharmaceuticals and was licensed to, and co-developed by, Biogen.
The effectiveness of tofersen was evaluated in a 28-week, randomized, double-blind, placebo-controlled clinical study in 147 participants with weakness attributable to amyotrophic lateral sclerosis and a superoxide dismutase 1 (SOD-1) mutation confirmed by a central laboratory. The study randomly assigned 108 participants in a 2:1 ratio to receive treatment with either tofersen 100 mg (n = 72) or placebo (n = 36) for 24 weeks (three loading doses followed by five maintenance doses). The participants were approximately 43% female; 57% male; 64% White; and 8% Asian. The average age was 49.8 years (range from 23 to 78 years).
The US Food and Drug Administration (FDA) granted the application for tofersen priority review, orphan drug, and fast track designations.
Society and culture
Economics
Only around 1-2% of ALS cases diagnosed in the United States each year carry the specific SOD1 mutation targeted by the drug. Fewer than 500 patients a year are expected to be eligible for the drug, which is expected to cost over $100,000 for a year's treatment.
References
Amyotrophic lateral sclerosis
Therapeutic gene modulation
Orphan drugs |
William Morrow (22 October 1888 – 12 July 1980) was an Australian politician. Born in Rockhampton, Queensland, he received a primary education before becoming a railway worker. Having moved to Tasmania, he was Tasmanian Secretary of the Australian Railways Union 1936–1946. In 1946, he was elected to the Australian Senate as a Labor Senator for Tasmania. He lost his Labor endorsement in 1953 and stood on his own ticket, under the name of "Tasmanian Labor Party". He was defeated, receiving 5.1% of the vote. He was awarded the Lenin Peace Prize in 1961. Morrow died in 1980.
References
Australian Labor Party members of the Parliament of Australia
Members of the Australian Senate for Tasmania
Members of the Australian Senate
1880s births
1980 deaths
Independent members of the Parliament of Australia
20th-century Australian politicians |
Bellvue is an unincorporated community and U.S. Post Office in Larimer County, Colorado. It is a small agricultural community located in Pleasant Valley, a narrow valley just northwest of Fort Collins near the mouth of the Poudre Canyon between the Dakota Hogback ridge and the foothills of the Rocky Mountains. The ZIP Code of the Bellvue Post Office is 80512.
Description
The community is lush area on the south side of the Cache la Poudre River, at the mouth of Rist Canyon, concealed from the open Colorado Piedmont near Fort Collins and LaPorte by the Bellvue Dome, also known as "Goat Hill". The valley formerly stretched southward between the hogback and foothills into the area now inundated by Horsetooth Reservoir. The main agriculture in the valley is cultivation of hay and other crops, as well as cattle and horse ranches. The Colorado Division of Wildlife maintains a large trout hatchery in the valley just north of the Bellvue town site.
History
Paleoindian sites nearby, including a large bison kill site along the Poudre River, indicate human habitation dating back over 10,000 years. In the early 19th century, the area was inhabited by bands of Arapaho, who clashed regularly in small skirmishes with bands of the Ute tribe who inhabited the mountains. Archaeological remains of teepee rings can be found in the surrounding foothills.
The first white settlers arrived in the valley soon after Antoine Janis became the first white settler in northern Colorado in 1858. The farm and pasture lands were squatted upon in the two years that followed, so that most was claimed by G.R. Sanderson, one of these first settlers, who built the first irrigation ditch in the county in June 1860. The ditch was the second one constructed in northern Colorado. Sanderson sold his claim to J.H. Yeager in 1864, and the ditch came to be known as the Yeager ditch.
Another early settler, Samuel Bingham, settled on the west slope of Bingham Hill in 1860. In 1860, Abner Loomis, who was also an early prominent resident of Fort Collins, settled on a ranch in the valley. Other early settlers in the 1860s included Benjamin T. Whedbee, Perry J. Bosworth, C.W. Harrington, and Louis Blackstock.
In 1873, Jacob Flowers arrived in the valley and set up a homestead on a parcel of land he purchased from Joseph Mason. Flowers had migrated westward from Ohio and Missouri after the Civil War and had settled temporarily in Greeley in 1872. The following year, Flowers followed the Poudre upstream and founded the town of "Bellevue" later that year (the name was later shortened).
The area was considered desirable by the Union Pacific Railroad because of the many stone quarries in the area near the town of Stout (now flooded by Horsetooth Reservoir). The influx of railroad workers to work the quarries prompted Flowers to open a general store, saloon, barber shop, and post office. In 1880 he built a one-story sandstone structure to house his business. The Bellvue Post Office opened in the building on June 24, 1884. The building served as the local general store and post office up through the middle 20th century, when it became the meeting house of Cache la Poudre Grange, Chapter 456 of the Colorado State grange, a designation for which it is now commonly known.
Flowers also constructed a track and bandstand south of town that was used for horse racing, community celebrations, traveling medicine shows, and dog and pony shows.
Geography
Bellvue is located at (40.625679,-105.171089).
See also
Outline of Colorado
Index of Colorado-related articles
State of Colorado
Colorado cities and towns
Colorado counties
Larimer County, Colorado
Colorado metropolitan areas
Front Range Urban Corridor
North Central Colorado Urban Area
Fort Collins-Loveland, CO Metropolitan Statistical Area
References
External links
History of Larimer County, Colorado, Ansel Watrous (1911).
Unincorporated communities in Larimer County, Colorado
Unincorporated communities in Colorado |
```html
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>ip::udp::resolver</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="../../../boost_asio.html" title="Boost.Asio">
<link rel="up" href="../ip__udp.html" title="ip::udp">
<link rel="prev" href="protocol.html" title="ip::udp::protocol">
<link rel="next" href="socket.html" title="ip::udp::socket">
</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="protocol.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../ip__udp.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="socket.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
<div class="section">
<div class="titlepage"><div><div><h4 class="title">
<a name="boost_asio.reference.ip__udp.resolver"></a><a class="link" href="resolver.html" title="ip::udp::resolver">ip::udp::resolver</a>
</h4></div></div></div>
<p>
<a class="indexterm" name="boost_asio.indexterm.ip__udp.resolver"></a>
The UDP resolver type.
</p>
<pre class="programlisting">typedef basic_resolver< udp > resolver;
</pre>
<h6>
<a name="boost_asio.reference.ip__udp.resolver.h0"></a>
<span class="phrase"><a name="boost_asio.reference.ip__udp.resolver.types"></a></span><a class="link" href="resolver.html#boost_asio.reference.ip__udp.resolver.types">Types</a>
</h6>
<div class="informaltable"><table class="table">
<colgroup>
<col>
<col>
</colgroup>
<thead><tr>
<th>
<p>
Name
</p>
</th>
<th>
<p>
Description
</p>
</th>
</tr></thead>
<tbody>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/endpoint_type.html" title="ip::basic_resolver::endpoint_type"><span class="bold"><strong>endpoint_type</strong></span></a>
</p>
</td>
<td>
<p>
The endpoint type.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/executor_type.html" title="ip::basic_resolver::executor_type"><span class="bold"><strong>executor_type</strong></span></a>
</p>
</td>
<td>
<p>
The type of the executor associated with the object.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/flags.html" title="ip::basic_resolver::flags"><span class="bold"><strong>flags</strong></span></a>
</p>
</td>
<td>
<p>
A bitmask type (C++ Std [lib.bitmask.types]).
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/iterator.html" title="ip::basic_resolver::iterator"><span class="bold"><strong>iterator</strong></span></a>
</p>
</td>
<td>
<p>
(Deprecated.) The iterator type.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/protocol_type.html" title="ip::basic_resolver::protocol_type"><span class="bold"><strong>protocol_type</strong></span></a>
</p>
</td>
<td>
<p>
The protocol type.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/query.html" title="ip::basic_resolver::query"><span class="bold"><strong>query</strong></span></a>
</p>
</td>
<td>
<p>
(Deprecated.) The query type.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/results_type.html" title="ip::basic_resolver::results_type"><span class="bold"><strong>results_type</strong></span></a>
</p>
</td>
<td>
<p>
The results type.
</p>
</td>
</tr>
</tbody>
</table></div>
<h6>
<a name="boost_asio.reference.ip__udp.resolver.h1"></a>
<span class="phrase"><a name="boost_asio.reference.ip__udp.resolver.member_functions"></a></span><a class="link" href="resolver.html#boost_asio.reference.ip__udp.resolver.member_functions">Member
Functions</a>
</h6>
<div class="informaltable"><table class="table">
<colgroup>
<col>
<col>
</colgroup>
<thead><tr>
<th>
<p>
Name
</p>
</th>
<th>
<p>
Description
</p>
</th>
</tr></thead>
<tbody>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/async_resolve.html" title="ip::basic_resolver::async_resolve"><span class="bold"><strong>async_resolve</strong></span></a>
</p>
</td>
<td>
<p>
(Deprecated.) Asynchronously perform forward resolution of a
query to a list of entries.
</p>
<p>
Asynchronously perform forward resolution of a query to a list
of entries.
</p>
<p>
Asynchronously perform reverse resolution of an endpoint to a
list of entries.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/basic_resolver.html" title="ip::basic_resolver::basic_resolver"><span class="bold"><strong>basic_resolver</strong></span></a>
</p>
</td>
<td>
<p>
Constructor.
</p>
<p>
Move-construct a basic_resolver from another.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/cancel.html" title="ip::basic_resolver::cancel"><span class="bold"><strong>cancel</strong></span></a>
</p>
</td>
<td>
<p>
Cancel any asynchronous operations that are waiting on the resolver.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/get_executor.html" title="ip::basic_resolver::get_executor"><span class="bold"><strong>get_executor</strong></span></a>
</p>
</td>
<td>
<p>
Get the executor associated with the object.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/get_io_context.html" title="ip::basic_resolver::get_io_context"><span class="bold"><strong>get_io_context</strong></span></a>
</p>
</td>
<td>
<p>
(Deprecated: Use get_executor().) Get the io_context associated
with the object.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/get_io_service.html" title="ip::basic_resolver::get_io_service"><span class="bold"><strong>get_io_service</strong></span></a>
</p>
</td>
<td>
<p>
(Deprecated: Use get_executor().) Get the io_context associated
with the object.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/operator_eq_.html" title="ip::basic_resolver::operator="><span class="bold"><strong>operator=</strong></span></a>
</p>
</td>
<td>
<p>
Move-assign a basic_resolver from another.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/resolve.html" title="ip::basic_resolver::resolve"><span class="bold"><strong>resolve</strong></span></a>
</p>
</td>
<td>
<p>
(Deprecated.) Perform forward resolution of a query to a list
of entries.
</p>
<p>
Perform forward resolution of a query to a list of entries.
</p>
<p>
Perform reverse resolution of an endpoint to a list of entries.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/_basic_resolver.html" title="ip::basic_resolver::~basic_resolver"><span class="bold"><strong>~basic_resolver</strong></span></a>
</p>
</td>
<td>
<p>
Destroys the resolver.
</p>
</td>
</tr>
</tbody>
</table></div>
<h6>
<a name="boost_asio.reference.ip__udp.resolver.h2"></a>
<span class="phrase"><a name="boost_asio.reference.ip__udp.resolver.data_members"></a></span><a class="link" href="resolver.html#boost_asio.reference.ip__udp.resolver.data_members">Data Members</a>
</h6>
<div class="informaltable"><table class="table">
<colgroup>
<col>
<col>
</colgroup>
<thead><tr>
<th>
<p>
Name
</p>
</th>
<th>
<p>
Description
</p>
</th>
</tr></thead>
<tbody>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/address_configured.html" title="ip::basic_resolver::address_configured"><span class="bold"><strong>address_configured</strong></span></a>
</p>
</td>
<td>
<p>
Only return IPv4 addresses if a non-loopback IPv4 address is
configured for the system. Only return IPv6 addresses if a non-loopback
IPv6 address is configured for the system.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/all_matching.html" title="ip::basic_resolver::all_matching"><span class="bold"><strong>all_matching</strong></span></a>
</p>
</td>
<td>
<p>
If used with v4_mapped, return all matching IPv6 and IPv4 addresses.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/canonical_name.html" title="ip::basic_resolver::canonical_name"><span class="bold"><strong>canonical_name</strong></span></a>
</p>
</td>
<td>
<p>
Determine the canonical name of the host specified in the query.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/numeric_host.html" title="ip::basic_resolver::numeric_host"><span class="bold"><strong>numeric_host</strong></span></a>
</p>
</td>
<td>
<p>
Host name should be treated as a numeric string defining an IPv4
or IPv6 address and no name resolution should be attempted.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/numeric_service.html" title="ip::basic_resolver::numeric_service"><span class="bold"><strong>numeric_service</strong></span></a>
</p>
</td>
<td>
<p>
Service name should be treated as a numeric string defining a
port number and no name resolution should be attempted.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/passive.html" title="ip::basic_resolver::passive"><span class="bold"><strong>passive</strong></span></a>
</p>
</td>
<td>
<p>
Indicate that returned endpoint is intended for use as a locally
bound socket endpoint.
</p>
</td>
</tr>
<tr>
<td>
<p>
<a class="link" href="../ip__basic_resolver/v4_mapped.html" title="ip::basic_resolver::v4_mapped"><span class="bold"><strong>v4_mapped</strong></span></a>
</p>
</td>
<td>
<p>
If the query protocol family is specified as IPv6, return IPv4-mapped
IPv6 addresses on finding no IPv6 addresses.
</p>
</td>
</tr>
</tbody>
</table></div>
<p>
The <a class="link" href="../ip__basic_resolver.html" title="ip::basic_resolver"><code class="computeroutput">ip::basic_resolver</code></a>
class template provides the ability to resolve a query to a list of endpoints.
</p>
<h6>
<a name="boost_asio.reference.ip__udp.resolver.h3"></a>
<span class="phrase"><a name="boost_asio.reference.ip__udp.resolver.thread_safety"></a></span><a class="link" href="resolver.html#boost_asio.reference.ip__udp.resolver.thread_safety">Thread Safety</a>
</h6>
<p>
<span class="emphasis"><em>Distinct</em></span> <span class="emphasis"><em>objects:</em></span> Safe.
</p>
<p>
<span class="emphasis"><em>Shared</em></span> <span class="emphasis"><em>objects:</em></span> Unsafe.
</p>
<h6>
<a name="boost_asio.reference.ip__udp.resolver.h4"></a>
<span class="phrase"><a name="boost_asio.reference.ip__udp.resolver.requirements"></a></span><a class="link" href="resolver.html#boost_asio.reference.ip__udp.resolver.requirements">Requirements</a>
</h6>
<p>
<span class="emphasis"><em>Header: </em></span><code class="literal">boost/asio/ip/udp.hpp</code>
</p>
<p>
<span class="emphasis"><em>Convenience header: </em></span><code class="literal">boost/asio.hpp</code>
</p>
</div>
<table xmlns:rev="path_to_url~gregod/boost/tools/doc/revision" width="100%"><tr>
<td align="left"></td>
file LICENSE_1_0.txt or copy at <a href="path_to_url" target="_top">path_to_url
</p>
</div></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="protocol.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../ip__udp.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="socket.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
</body>
</html>
``` |
```go
// Code generated by smithy-go-codegen DO NOT EDIT.
package ec2
import (
"context"
"fmt"
awsmiddleware "github.com/aws/aws-sdk-go-v2/aws/middleware"
"github.com/aws/aws-sdk-go-v2/service/ec2/types"
"github.com/aws/smithy-go/middleware"
smithyhttp "github.com/aws/smithy-go/transport/http"
)
// Cancels one or more Spot Instance requests.
//
// Canceling a Spot Instance request does not terminate running Spot Instances
// associated with the request.
func (c *Client) CancelSpotInstanceRequests(ctx context.Context, params *CancelSpotInstanceRequestsInput, optFns ...func(*Options)) (*CancelSpotInstanceRequestsOutput, error) {
if params == nil {
params = &CancelSpotInstanceRequestsInput{}
}
result, metadata, err := c.invokeOperation(ctx, "CancelSpotInstanceRequests", params, optFns, c.addOperationCancelSpotInstanceRequestsMiddlewares)
if err != nil {
return nil, err
}
out := result.(*CancelSpotInstanceRequestsOutput)
out.ResultMetadata = metadata
return out, nil
}
// Contains the parameters for CancelSpotInstanceRequests.
type CancelSpotInstanceRequestsInput struct {
// The IDs of the Spot Instance requests.
//
// This member is required.
SpotInstanceRequestIds []string
// Checks whether you have the required permissions for the action, without
// actually making the request, and provides an error response. If you have the
// required permissions, the error response is DryRunOperation . Otherwise, it is
// UnauthorizedOperation .
DryRun *bool
noSmithyDocumentSerde
}
// Contains the output of CancelSpotInstanceRequests.
type CancelSpotInstanceRequestsOutput struct {
// The Spot Instance requests.
CancelledSpotInstanceRequests []types.CancelledSpotInstanceRequest
// Metadata pertaining to the operation's result.
ResultMetadata middleware.Metadata
noSmithyDocumentSerde
}
func (c *Client) addOperationCancelSpotInstanceRequestsMiddlewares(stack *middleware.Stack, options Options) (err error) {
if err := stack.Serialize.Add(&setOperationInputMiddleware{}, middleware.After); err != nil {
return err
}
err = stack.Serialize.Add(&awsEc2query_serializeOpCancelSpotInstanceRequests{}, middleware.After)
if err != nil {
return err
}
err = stack.Deserialize.Add(&awsEc2query_deserializeOpCancelSpotInstanceRequests{}, middleware.After)
if err != nil {
return err
}
if err := addProtocolFinalizerMiddlewares(stack, options, "CancelSpotInstanceRequests"); err != nil {
return fmt.Errorf("add protocol finalizers: %v", err)
}
if err = addlegacyEndpointContextSetter(stack, options); err != nil {
return err
}
if err = addSetLoggerMiddleware(stack, options); err != nil {
return err
}
if err = addClientRequestID(stack); err != nil {
return err
}
if err = addComputeContentLength(stack); err != nil {
return err
}
if err = addResolveEndpointMiddleware(stack, options); err != nil {
return err
}
if err = addComputePayloadSHA256(stack); err != nil {
return err
}
if err = addRetry(stack, options); err != nil {
return err
}
if err = addRawResponseToMetadata(stack); err != nil {
return err
}
if err = addRecordResponseTiming(stack); err != nil {
return err
}
if err = addClientUserAgent(stack, options); err != nil {
return err
}
if err = smithyhttp.AddErrorCloseResponseBodyMiddleware(stack); err != nil {
return err
}
if err = smithyhttp.AddCloseResponseBodyMiddleware(stack); err != nil {
return err
}
if err = addSetLegacyContextSigningOptionsMiddleware(stack); err != nil {
return err
}
if err = addTimeOffsetBuild(stack, c); err != nil {
return err
}
if err = addUserAgentRetryMode(stack, options); err != nil {
return err
}
if err = addOpCancelSpotInstanceRequestsValidationMiddleware(stack); err != nil {
return err
}
if err = stack.Initialize.Add(newServiceMetadataMiddleware_opCancelSpotInstanceRequests(options.Region), middleware.Before); err != nil {
return err
}
if err = addRecursionDetection(stack); err != nil {
return err
}
if err = addRequestIDRetrieverMiddleware(stack); err != nil {
return err
}
if err = addResponseErrorMiddleware(stack); err != nil {
return err
}
if err = addRequestResponseLogging(stack, options); err != nil {
return err
}
if err = addDisableHTTPSMiddleware(stack, options); err != nil {
return err
}
return nil
}
func newServiceMetadataMiddleware_opCancelSpotInstanceRequests(region string) *awsmiddleware.RegisterServiceMetadata {
return &awsmiddleware.RegisterServiceMetadata{
Region: region,
ServiceID: ServiceID,
OperationName: "CancelSpotInstanceRequests",
}
}
``` |
```html
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "path_to_url">
<html xmlns="path_to_url">
<head>
<meta http-equiv="Content-Type" content="text/xhtml;charset=UTF-8"/>
<meta http-equiv="X-UA-Compatible" content="IE=9"/>
<meta name="generator" content="Doxygen 1.8.10"/>
<title>Introduction_to_Algorithms: GraphADJListTest Class Reference</title>
<link href="tabs.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="jquery.js"></script>
<script type="text/javascript" src="dynsections.js"></script>
<link href="navtree.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="resize.js"></script>
<script type="text/javascript" src="navtreedata.js"></script>
<script type="text/javascript" src="navtree.js"></script>
<script type="text/javascript">
$(document).ready(initResizable);
$(window).load(resizeHeight);
</script>
<link href="search/search.css" rel="stylesheet" type="text/css"/>
<script type="text/javascript" src="search/searchdata.js"></script>
<script type="text/javascript" src="search/search.js"></script>
<script type="text/javascript">
$(document).ready(function() { init_search(); });
</script>
<link href="doxygen.css" rel="stylesheet" type="text/css" />
</head>
<body>
<div id="top"><!-- do not remove this div, it is closed by doxygen! -->
<div id="titlearea">
<table cellspacing="0" cellpadding="0">
<tbody>
<tr style="height: 56px;">
<td id="projectalign" style="padding-left: 0.5em;">
<div id="projectname">Introduction_to_Algorithms
</div>
</td>
</tr>
</tbody>
</table>
</div>
<!-- end header part -->
<!-- Generated by Doxygen 1.8.10 -->
<script type="text/javascript">
var searchBox = new SearchBox("searchBox", "search",false,'Search');
</script>
<div id="navrow1" class="tabs">
<ul class="tablist">
<li><a href="index.html"><span>Main Page</span></a></li>
<li><a href="namespaces.html"><span>Namespaces</span></a></li>
<li class="current"><a href="annotated.html"><span>Classes</span></a></li>
<li><a href="files.html"><span>Files</span></a></li>
<li>
<div id="MSearchBox" class="MSearchBoxInactive">
<span class="left">
<img id="MSearchSelect" src="search/mag_sel.png"
onmouseover="return searchBox.OnSearchSelectShow()"
onmouseout="return searchBox.OnSearchSelectHide()"
alt=""/>
<input type="text" id="MSearchField" value="Search" accesskey="S"
onfocus="searchBox.OnSearchFieldFocus(true)"
onblur="searchBox.OnSearchFieldFocus(false)"
onkeyup="searchBox.OnSearchFieldChange(event)"/>
</span><span class="right">
<a id="MSearchClose" href="javascript:searchBox.CloseResultsWindow()"><img id="MSearchCloseImg" border="0" src="search/close.png" alt=""/></a>
</span>
</div>
</li>
</ul>
</div>
<div id="navrow2" class="tabs2">
<ul class="tablist">
<li><a href="annotated.html"><span>Class List</span></a></li>
<li><a href="classes.html"><span>Class Index</span></a></li>
<li><a href="hierarchy.html"><span>Class Hierarchy</span></a></li>
<li><a href="functions.html"><span>Class Members</span></a></li>
</ul>
</div>
</div><!-- top -->
<div id="side-nav" class="ui-resizable side-nav-resizable">
<div id="nav-tree">
<div id="nav-tree-contents">
<div id="nav-sync" class="sync"></div>
</div>
</div>
<div id="splitbar" style="-moz-user-select:none;"
class="ui-resizable-handle">
</div>
</div>
<script type="text/javascript">
$(document).ready(function(){initNavTree('class_graph_a_d_j_list_test.html','');});
</script>
<div id="doc-content">
<!-- window showing the filter options -->
<div id="MSearchSelectWindow"
onmouseover="return searchBox.OnSearchSelectShow()"
onmouseout="return searchBox.OnSearchSelectHide()"
onkeydown="return searchBox.OnSearchSelectKey(event)">
</div>
<!-- iframe showing the search results (closed by default) -->
<div id="MSearchResultsWindow">
<iframe src="javascript:void(0)" frameborder="0"
name="MSearchResults" id="MSearchResults">
</iframe>
</div>
<div class="header">
<div class="summary">
<a href="#pro-methods">Protected Member Functions</a> |
<a href="#pro-attribs">Protected Attributes</a> |
<a href="class_graph_a_d_j_list_test-members.html">List of all members</a> </div>
<div class="headertitle">
<div class="title">GraphADJListTest Class Reference</div> </div>
</div><!--header-->
<div class="contents">
<p><a class="el" href="class_graph_a_d_j_list_test.html" title="GraphADJListTest: ">GraphADJListTest</a>:
<a href="class_graph_a_d_j_list_test.html#details">More...</a></p>
<p><code>#include <<a class="el" href="adjlistgraph__test_8h_source.html">adjlistgraph_test.h</a>></code></p>
<div class="dynheader">
Inheritance diagram for GraphADJListTest:</div>
<div class="dyncontent">
<div class="center">
<img src="class_graph_a_d_j_list_test.png" usemap="#GraphADJListTest_map" alt=""/>
<map id="GraphADJListTest_map" name="GraphADJListTest_map">
</map>
</div></div>
<table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pro-methods"></a>
Protected Member Functions</h2></td></tr>
<tr class="memitem:a72021ff735af11b1db48290ea0fa8a6b"><td class="memItemLeft" align="right" valign="top">void </td><td class="memItemRight" valign="bottom"><a class="el" href="class_graph_a_d_j_list_test.html#a72021ff735af11b1db48290ea0fa8a6b">SetUp</a> ()</td></tr>
<tr class="separator:a72021ff735af11b1db48290ea0fa8a6b"><td class="memSeparator" colspan="2"> </td></tr>
<tr class="memitem:a79dc8e149913c35045b362c44a5fed46"><td class="memItemLeft" align="right" valign="top">void </td><td class="memItemRight" valign="bottom"><a class="el" href="class_graph_a_d_j_list_test.html#a79dc8e149913c35045b362c44a5fed46">TearDown</a> ()</td></tr>
<tr class="separator:a79dc8e149913c35045b362c44a5fed46"><td class="memSeparator" colspan="2"> </td></tr>
</table><table class="memberdecls">
<tr class="heading"><td colspan="2"><h2 class="groupheader"><a name="pro-attribs"></a>
Protected Attributes</h2></td></tr>
<tr class="memitem:afcd2f035a4957685bc697f296bb2b4b5"><td class="memItemLeft" align="right" valign="top">std::shared_ptr< <a class="el" href=your_sha256_hashist_graph.html">ADJListGraph</a>< ADJ_NUM > > </td><td class="memItemRight" valign="bottom"><a class="el" href="class_graph_a_d_j_list_test.html#afcd2f035a4957685bc697f296bb2b4b5">graph</a></td></tr>
<tr class="separator:afcd2f035a4957685bc697f296bb2b4b5"><td class="memSeparator" colspan="2"> </td></tr>
</table>
<a name="details" id="details"></a><h2 class="groupheader">Detailed Description</h2>
<div class="textblock"><p><a class="el" href="class_graph_a_d_j_list_test.html" title="GraphADJListTest: ">GraphADJListTest</a>: </p>
<p><code><a class="el" href="class_graph_a_d_j_list_test.html" title="GraphADJListTest: ">GraphADJListTest</a></code> <code>::testing::Test</code> <code>TEST_F</code> </p>
<p>Definition at line <a class="el" href="adjlistgraph__test_8h_source.html#l00034">34</a> of file <a class="el" href="adjlistgraph__test_8h_source.html">adjlistgraph_test.h</a>.</p>
</div><h2 class="groupheader">Member Function Documentation</h2>
<a class="anchor" id="a72021ff735af11b1db48290ea0fa8a6b"></a>
<div class="memitem">
<div class="memproto">
<table class="mlabels">
<tr>
<td class="mlabels-left">
<table class="memname">
<tr>
<td class="memname">void GraphADJListTest::SetUp </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td></td>
</tr>
</table>
</td>
<td class="mlabels-right">
<span class="mlabels"><span class="mlabel">inline</span><span class="mlabel">protected</span></span> </td>
</tr>
</table>
</div><div class="memdoc">
<p>Definition at line <a class="el" href="adjlistgraph__test_8h_source.html#l00039">39</a> of file <a class="el" href="adjlistgraph__test_8h_source.html">adjlistgraph_test.h</a>.</p>
</div>
</div>
<a class="anchor" id="a79dc8e149913c35045b362c44a5fed46"></a>
<div class="memitem">
<div class="memproto">
<table class="mlabels">
<tr>
<td class="mlabels-left">
<table class="memname">
<tr>
<td class="memname">void GraphADJListTest::TearDown </td>
<td>(</td>
<td class="paramname"></td><td>)</td>
<td></td>
</tr>
</table>
</td>
<td class="mlabels-right">
<span class="mlabels"><span class="mlabel">inline</span><span class="mlabel">protected</span></span> </td>
</tr>
</table>
</div><div class="memdoc">
<p>Definition at line <a class="el" href="adjlistgraph__test_8h_source.html#l00042">42</a> of file <a class="el" href="adjlistgraph__test_8h_source.html">adjlistgraph_test.h</a>.</p>
</div>
</div>
<h2 class="groupheader">Member Data Documentation</h2>
<a class="anchor" id="afcd2f035a4957685bc697f296bb2b4b5"></a>
<div class="memitem">
<div class="memproto">
<table class="mlabels">
<tr>
<td class="mlabels-left">
<table class="memname">
<tr>
<td class="memname">std::shared_ptr<<a class="el" href=your_sha256_hashist_graph.html">ADJListGraph</a><ADJ_NUM> > GraphADJListTest::graph</td>
</tr>
</table>
</td>
<td class="mlabels-right">
<span class="mlabels"><span class="mlabel">protected</span></span> </td>
</tr>
</table>
</div><div class="memdoc">
<p> </p>
<p>Definition at line <a class="el" href="adjlistgraph__test_8h_source.html#l00044">44</a> of file <a class="el" href="adjlistgraph__test_8h_source.html">adjlistgraph_test.h</a>.</p>
</div>
</div>
<hr/>The documentation for this class was generated from the following file:<ul>
<li>src/graph_algorithms/basic_graph/graph_representation/adjlist_graph/<a class="el" href="adjlistgraph__test_8h_source.html">adjlistgraph_test.h</a></li>
</ul>
</div><!-- contents -->
</div><!-- doc-content -->
<!-- start footer part -->
<div id="nav-path" class="navpath"><!-- id is needed for treeview function! -->
<ul>
<li class="navelem"><a class="el" href="class_graph_a_d_j_list_test.html">GraphADJListTest</a></li>
<li class="footer">Generated by
<a href="path_to_url">
<img class="footer" src="doxygen.png" alt="doxygen"/></a> 1.8.10 </li>
</ul>
</div>
</body>
</html>
``` |
Middle Fork may refer to:
Middle Fork, Kentucky
Middle Fork, Tennessee
Middle Fork, West Virginia
Middle Fork Township, Forsyth County, North Carolina
Middle Fork River, West Virginia
Middle Fork River (South Fork), part of the South Fork New River in North Carolina.
Middle Fork Popo Agie River in Wyoming
See also
Middlefork (disambiguation) |
```shell
How to change your most recent commit
Pushing tags to a server
Limiting log output by time
Search for commits by author
Dates in git
``` |
Pollicipes elegans, the Pacific goose barnacle, is a species of gooseneck barnacle inhabiting the tropical coastline of the eastern Pacific Ocean. Its habitat borders a close relative, Pollicipes polymerus, a gooseneck barnacle covering the coastline of the Pacific Northwest. Other species belonging to the genus Pollicipes are found along the eastern coastlines of the Atlantic Ocean.
Description
Pollicipes elegans is a stalked marine organism characterized by having a plated capitulum shaped similar to a goose head. The capitulum consists of two hinged shells which will open for feeding and are held up by a scaled peduncle attached to substrate. Both the capitulum and stalk are red-orange. This coloring is shared with P. polymerus but in contrast to the eastern Atlantic species, Pollicipes pollicipes, which is consistent with gray and white based coloring. The scales of P. elegans are also long and narrow.
Habitat and distribution
Covering the eastern tropical zone of the Pacific Ocean, Pollicipes elegans is found scattered across rocky intertidal zones. Habitats across the genus Pollicipes are generally similar, with clustered mounds of goose barnacles poking out from different substrates. These clusters are often attached to inverted rocks hanging above a tidal pool. The inversion allows the shell opening to protrude the water's surface below.
The species can be found along the Pacific coastlines of northern Mexico all the way down to the northern tip of Chile. However, there are stretches of coastline along Central America where increased atmosphere and water temperatures have prevented dispersal of P. elegans populations. Historical limitations similar to this, such as extreme cold or extreme hot climates, are what separated the original tropical population. Despite high temperatures, there are still strong populations in Costa Rica and El Salvador. The species is also known for overlapping habitats of P. polymerus throughout southern regions of California.
Though barnacle-type organisms are typically found on the hulls of ships or floating decks, P. elegans does not commonly exhibit this behavior.
Life history
There are four total species in the genus Pollicipes spread about the eastern coastlines of the Pacific and Atlantic Oceans. The closest extinct relative, Pollicipes aboriginalis, resided in western regions of Australia, inhabiting an eastern coastline of the Indian Ocean. Beyond that is a Tethyan relict whose distribution bordered the current genus's fossil records. The current population of goose barnacles was once a much larger and sound population of sea fauna from the Tethys Ocean, with Pollicipes polymerus branching off from the population before new species emerged. P. elegans, P. pollicipes, and P. caboverdensis are more closely related to one another than they are to P. polymerus.
Reproduction
Similar to its relatives, P. elegans is a hermaphroditic organism. In spite of this and because of the colonies' high density, the species also experiences high polyandry with some spawn groups having up to five participating males. The purpose is to either make up for a smaller population or to ensure the fertilization of future offspring.
Spanish delicacy
Historically, California's indigenous people were known to cook and consume the peduncle of Mitella polymerus, which is now known as Pollicipes polymerus. Though the Pacific goose barnacle itself is known for being edible, it is not commonly served today in North, Central, or South America. The entire organism cannot be consumed whole because of the hard shell of the capitulum and the leathery skin of the stalk, both must be removed completely for consumption. In Galicia, P. pollicipes is known as percebes, a delicacy boiled and served whole on a dish.
References
Wikipedia Student Program
Barnacles
Crustaceans described in 1831 |
```objective-c
#ifndef _IOMAN_ADD_H_
#define _IOMAN_ADD_H_
#include <iox_stat.h>
#define IOP_DT_FSEXT 0x10000000
typedef struct _iop_ext_device
{
const char *name;
unsigned int type;
unsigned int version; /* Not so sure about this one. */
const char *desc;
struct _iop_ext_device_ops *ops;
} iop_ext_device_t;
typedef struct _iop_ext_device_ops
{
int (*init)(iop_device_t *);
int (*deinit)(iop_device_t *);
int (*format)(iop_file_t *);
int (*open)(iop_file_t *, const char *, int);
int (*close)(iop_file_t *);
int (*read)(iop_file_t *, void *, int);
int (*write)(iop_file_t *, void *, int);
int (*lseek)(iop_file_t *, int, int);
int (*ioctl)(iop_file_t *, unsigned long, void *);
int (*remove)(iop_file_t *, const char *);
int (*mkdir)(iop_file_t *, const char *);
int (*rmdir)(iop_file_t *, const char *);
int (*dopen)(iop_file_t *, const char *);
int (*dclose)(iop_file_t *);
int (*dread)(iop_file_t *, iox_dirent_t *);
int (*getstat)(iop_file_t *, const char *, iox_stat_t *);
int (*chstat)(iop_file_t *, const char *, iox_stat_t *, unsigned int);
/* Extended ops start here. */
int (*rename)(iop_file_t *, const char *, const char *);
int (*chdir)(iop_file_t *, const char *);
int (*sync)(iop_file_t *, const char *, int);
int (*mount)(iop_file_t *, const char *, const char *, int, void *, unsigned int);
int (*umount)(iop_file_t *, const char *);
long long (*lseek64)(iop_file_t *, long long, int);
int (*devctl)(iop_file_t *, const char *, int, void *, unsigned int, void *, unsigned int);
int (*symlink)(iop_file_t *, const char *, const char *);
int (*readlink)(iop_file_t *, const char *, char *, unsigned int);
int (*ioctl2)(iop_file_t *, int, void *, unsigned int, void *, unsigned int);
} iop_ext_device_ops_t;
#endif
``` |
William David Conn (October 8, 1917 – May 29, 1993) was an Irish American professional boxer and Light Heavyweight Champion famed for his fights with Joe Louis. He had a professional boxing record of 63 wins, 11 losses and 1 draw, with 14 wins by knockout. His nickname, throughout most of his career, was "The Pittsburgh Kid." He was inducted into the International Boxing Hall of Fame in the inaugural class of 1990.
Early career
Conn debuted as a professional boxer winning on July 20, 1934, against Johnny Lewis, via a knockout in round three.
Conn built a record of 47 wins, 9 losses and 1 draw (tie), with 7 knockouts, before challenging for the world Light Heavyweight title. Along the way, he beat former or future world champions Fritzie Zivic, Solly Krieger and Fred Apostoli, as well as Teddy Yarosz and Young Corbett III.
On July 13, 1939, he won the world light heavyweight championship by outpointing Melio Bettina in New York. Conn defended his title against Bettina and twice against another World Light Heavyweight Champion, Gus Lesnevich, winning each in 15-round decisions. Conn also beat former World Middleweight Champion Al McCoy and heavyweights Bob Pastor, Lee Savold, Gunnar Barlund and Buddy Knox in non-title bouts during his run as World Light Heavyweight Champion.
Joe Louis Era
In May 1941, Conn gave up his World Light Heavyweight title to challenge World Heavyweight Champion Joe Louis. Conn attempted to become the first World Light Heavyweight Champion in boxing history to win the World Heavyweight Championship when he and Louis met on June 18 of that year, and incredibly, to do so without going up in weight. The fight became part of boxing's lore because Conn held a secure lead on the scorecards leading to round 13. According to many experts and fans who watched the fight, Conn was outmaneuvering Louis up to that point. In a move that Conn would regret for the rest of his life, he tried to go for the knockout in round 13, and instead wound up losing the fight by knockout in that same round himself.
Ten minutes after the fight, Conn told reporters, "I lost my head and a million bucks." When asked by a reporter why he went for the knockout, Conn replied famously, "What's the use of being Irish if you can't be thick [i.e. stupid]?" In his long account in Sports Illustrated of the life and boxing career of Conn, sportswriter Frank Deford wrote that afterwards Conn would joke, "I told Joe later, 'Hey, Joe, why didn't you just let me have the title for six months?' All I ever wanted was to be able to go around the corner where the guys are loafing and say, 'Hey, I'm the heavyweight champeen of the world.' "And you know what Joe said back to me? He said, 'I let you have it for twelve rounds, and you couldn't keep it. How could I let you have it for six months?'"
In 1942, Conn beat Tony Zale and had an exhibition with Louis. World War II was at one of its most important moments, however, and both Conn and Louis were called to serve in the Army. Conn went to war and was away from the ring until 1946.
By then, the public was clamoring for a rematch between him and the still World Heavyweight Champion Louis. This happened, and on June 19, 1946, Conn returned into the ring, straight into a World Heavyweight Championship bout. Before that fight, it was suggested to Louis that Conn might outpoint him because of his hand and foot speed. In a line that would be long-remembered, Louis replied: "He can run, but he can't hide." The fight, at Yankee Stadium, was the first televised World Heavyweight Championship bout ever, and 146,000 people watched it on TV, also setting a record for the most seen world heavyweight bout in history. Most people who saw it agreed that both Conn and Louis' abilities had eroded with their time spent serving in the armed forces, but Louis was able to retain the crown by a knockout in round eight. Conn's career was basically over after this fight, but he still fought two more fights, winning both by knockout in round nine. On December 10, 1948, he and Louis met inside a ring for the last time, this time for a public exhibition in Chicago. Conn would never climb into a ring as a fighter again.
Personal life
Billy married Mary Louise Smith, also from Pittsburgh. Billy did not get along with Mary's father, former major league baseball player for the Cincinnati Reds, Jimmy "Greenfield Jimmie" Smith. A fight broke out between them and Conn punched his father-in-law in the head and broke his hand, resulting in postponing the fight with Joe Louis. Frank Deford wrote colorfully about the kitchen brawl in his Sports Illustrated story "The Boxer and the Blonde".
Retirement
Conn appeared in a 1941 movie called The Pittsburgh Kid. He maintained his boxing skills into his later years, and at 73 year old stepped into the middle of a robbery at a Pittsburgh convenience store in 1990 after the robber punched the store manager. Conn took a swing at the robber and ended up on the floor of the store, scuffling with him. "You always go with your best punch—straight left," Conn told television station WTAE afterward. "I think I interrupted his plans." The robber managed to get away, but not before Conn pulled off his coat, which contained his name and address, making the arrest an easy one. His wife said jumping into the fray was typical of her husband. "My instinct was to get help," she said at the time. "Billy's instinct was to fight."
Conn was a great friend of Pittsburgh Steelers owner Art Rooney.
As he became an older citizen, he participated in a number of documentaries for HBO and was frequently seen at boxing-related activities until his death in 1993, at the age of 75.
Conn was inducted into the International Boxing Hall of Fame in Canastota, New York.
In April 2017 Mary Louise Conn died, at 94.
In popular culture
A portion of North Craig Street in the Oakland neighborhood of Pittsburgh is named Billy Conn Boulevard.
Billy Conn is mentioned in the classic movie On the Waterfront. In the famous scene in the back of the cab—"I could have been a contender." Rod Steiger (playing Marlon Brando's brother) reflects on Brando's character Terry's early promise as a boxer with the words "You could have been another Billy Conn."
Billy Conn is also mentioned in the 1966 Jack Lemmon and Walter Matthau classic comedy movie The Fortune Cookie. In the apartment scene where Lemmon asks Boom Boom (Ron Rich) "Where'd you learn that? Don't tell me, your father was a Pullman porter", for which Boom Boom replies "He was a fighter, light heavyweight. Once went rounds with Billy Conn."
Conn played a character named Billy Conn in the 1941 film The Pittsburgh Kid, although it was not a biography.
Professional boxing record
See also
List of light heavyweight boxing champions
References
External links
Billy Conn, 75, an Ex-Champion Famed for His Fights With Louis: May 30, 1993
Billy Conn - CBZ Profile
|-
|-
|-
1917 births
1993 deaths
American people of Irish descent
American Roman Catholics
Burials at Calvary Catholic Cemetery (Pittsburgh)
International Boxing Hall of Fame inductees
Light-heavyweight boxers
Boxers from Pittsburgh
World boxing champions
American male boxers |
Abrostola urentis, the spectacled nettle moth or variegated brindle, is a moth of the family Noctuidae. The species was first described by Achille Guenée in 1852. It is found in North America from Nova Scotia west across Canada to Vancouver Island, south to North Carolina, Missouri, Texas, Colorado and Oregon.
The wingspan is 30–32 mm. Adults are on wing from June to July in one generation depending on the location.
The larvae feed on Urtica dioica.
References
Plusiinae
Moths of North America
Moths described in 1852 |
Colombian folklore are beliefs, customs and cultural traditions in Colombia.
Cultural influences
Colombia has traditional folk tales and stories about legendary creatures, which are transmitted orally and passed on to new generations. Some of them are common with other Latin American countries. The Colombian folklore has strong influences from Spanish culture, with elements of African and Native American cultures.
Relevancy
These folkloric entities are present in carnivals and festivals countrywide. The “Desfiles de Mitos y Leyendas” (parades of myths and legends) are an important part of these events in most of the Colombian cities and municipalities. Examples of these parades are the Barranquilla Carnival, Cali Fair and Festival of the Flowers, where the legendary creatures parade takes place in Medellín's Pueblito Paisa, at the top of Nutibara hill. Legendary creatures have also been accepted into many facets of popular culture and the collective memory. There are those who believe in their existence, claiming to have heard or even encountered them.
Legendary figures
The Tunda (La Tunda) is a myth of the Pacific Region of Colombia, and particularly popular in the Afro-Colombian community, about a vampire-like doppelganger monster woman
The Patasola or "one foot" is one of many myths in Latin American folklore about woman monsters from the jungle.
The Boraro (The Pale Ones), is a more monstrous version of The Curupira from Brazilian Folklore in the mythology of the Tucano people. Much like the "Curupira" it has backwards facing feet to confuse it's foes and is a protector of wildlife. Beyond its feet however, it is far more grotesque in appearance. It is very tall to the extent it is tree sized, pale skinned but covered in black fur, has large forward facing ears, fangs and huge pendulous genitals. It has no joints in its knees, so if it falls down it has great trouble getting up. It uses two main ways to kills its victims, first its urine is a lethal poison . Secondly, if it catches a victim in its embrace it will crush them without breaking skin or bones, until their flesh is pulp. Then it drinks the pulp through a small hole made in the victims head, after which the victims empty skin is inflated like a balloon and are then sent home in a daze, where they subsequently die. It can be placated by tobacco, but to escape it one can either place their hands in its footprints which will cause its legs to stiffen and temporarily make the monster fall, or alternatively run backwards while facing it, which confuses the monster.
The Moan is a forest and river creature that protects the forests, steals women and disturbs fishing and hunting activities.
The Llorona or the Weeping Woman is the ghost of a woman crying for her dead children that she drowned. Her appearances are sometimes held to presage death.
The Madremonte (Mother Mountain/Mother of the forest) or Marimonda is usually regarded as protective of nature and the forest animals and unforgiving when humans enter their domains to alter or destroy them. She can be identified with Mother Nature and Mistress of the Animals. She is described as a beautiful, tall woman, who has hair made of plants and glowing eyes.
The Hombre Caiman, or Alligatorman, is a legendary creature that possesses both Alligator and human features. This South American folk tale is particularly popular in Plato, Magdalena, especially in rural and less populated areas. He is said to have been a fisherman converted by the spirit of the Magdalena river into an alligator, that returns every year on St. Sebastian´s day to hunt human victims, much like the werewolf.
The Mohana (La Mojana) Mother of water or Mami Wata is a shapeshifting water spirit who usually appear in human form to seduce and take away the humans. In the Amazon basin this features are applied to the Pink dolphins representing the spirit of Amazon river. The discography of Colombian folkloric singer Totó la Momposina includes works about the Mohana.
The evil chicken ("pollo maligno") is an evil spirit of the forest in the form of a bird that haunts the hunters, attracting them to the deepest forest in order to devour them.
The Candileja is said to be the spirit of a vicious old woman, who was in charge of her grandchildren but neglected to teach them any moral principles, so they grew up as murderers and thieves. In the afterlife she was damned to travel around the world surrounded by flames. It is related to the Will-o'-the-wisp phenomenon.
The dark mule or Mula Retinta is an evil spirit that appears before arrieros as a pack animal, causing violent winds and storms that make people fall off the precipices at the side of the pathways.
The Bracamonte is a creature who is unseen, yet its bellows are said to make cattle hide in fear. It is said that the only way to protect oneself from a Bracamonte is to nail a stake with a cow skull, as the Bracamonte was said to fear the bones of the cows it would eat.
The Viruñas or Mandingas (the Evil One), is considered a representation of Satan, and appears as a handsome man who steals the souls of the people.
See also
List of Reportedly Haunted Locations in Colombia
References
https://web.archive.org/web/20110721065919/http://www.colombiaaprende.edu.co/html/estudiantes/1599/article-73649.html
Latin American folklore
South American folklore
Folklore by country
Folklore by region |
The United Kingdom eSports Association or UKeSA (pronounced You-Kes-Sah) attempted to be a governing body of eSports in the United Kingdom and a member of the International eSports Federation (IeSF). The headquarters were in London, United Kingdom.
The UKeSA was responsible for governing amateur and professional eSports, building a structure with the government, industry and community in mind. These include Metropolitan Police Service, BBC, Entertainment and Leisure Software Publishers Association, Procter & Gamble, Future Publishing, Electronic Arts, Codemasters, The New World Assembly, XLEAGUE.TV, Team Dignitas, Reason Gaming, Team Infused, Fnatic, QuadV and Cadred. The association was launched on 31 October 2008 during the London Games Festival and was chaired by former XLEAGUE.TV channel head Ray Mia. He explained that UKeSA will essentially be the eSports equivalent of The Football Association, offering a centralised infrastructure to UK eSports as well as support towards semi-professional and professional team and UK community led projects with the government.
UKeSA set up leagues and cup tournaments, split between three divisions: Open Division, Championship Division and Premiership Division. Each division represents the different levels of competition from amateur to professional and is played online via the internet through the means of a personal computer or a video games console. Teams can compete in a series of video games including FIFA 09, Call of Duty 4 and Counter-Strike. Competition finals of these divisions were hosted at a specially selected venue in the United Kingdom. Teams are gathered to play against each other in off-line, local area network (LAN) setups as opposed to online play in the initial stages of the tournament.
History
31 October 2008 sees the official launch of the United Kingdom eSports Association during the 2008 London Games Festival in London. The launch party was held at the Haymarket branch of the Sports Cafe.
On 26 November 2008, it has been announced that several of the following organisations, both private and public sector, have been involved in the setup of UKeSA: Metropolitan Police Service, BBC, Entertainment and Leisure Software Publishers Association, Procter & Gamble, Future Publishing, Electronic Arts, Codemasters, The New World Assembly, XLEAGUE.TV, Team Dignitas, Reason Gaming, Team Infused, Fnatic, QuadV and Cadred.
The Executive Committee of UKeSA were announced on 12 January 2009. Members consist of personnel from the likes of Entertainment and Leisure Software Publishers Association, British Broadcasting Association and Future Publishing.
£35,000 GBP prize fund was announced for the Championship and Premiership Divisions on 13 January 2009. A selection of video game titles were listed as part of the Open Division.
Future Publishing are partnering with UKeSA and aligning itself with the Open Division, announced on 23 January 2009.
A selection of video game titles were announced for the Championship Division on 27 January 2009. They were chosen from the amount of sign ups in the Open Division. Top four titles will be picked to represent the Premiership Division.
On 6 February 2009, UK Internet Service Provider, Be Unlimited has become the official broadband provider sponsor of UKeSA for 2009.
UKeSA has announced the selection of eSports teams to represent and play in the Premiership Division on 13 February 2009. They include established teams such as Team Dignitas, The Imperial, Crack Clan and Team Coolermaster.
Dell becomes the sponsor for UKeSA's Premiership Division on 17 February 2009.
UKeSA opens up nominations and voting for the Community Committee on 25 February 2009. They also increased the prize fund for the UKeSA Championship and Premiership Division from £35,000 to £40,000.
On 18 March 2009, UKeSA have appointed Richard 'Dr. Gonzo' Lewis, Michael 'ODEE' O'Dell and Stuart 'TosspoT' Saw as the elected Community Council members.
On 2 April 2009, HMV and UKeSA have announced that they are pairing up to organise the "GameOn! London" exhibition at the Olympia Exhibition Centre, London, which takes place in June 2009.
The governing body signs up to become a member of the International eSports Federation.
In December 2009, amid controversy, the UKeSA signed for bankruptcy and has since made no attempt to pay back any individual or organisation it owed.
Committee Structure
The UKeSA structure is made up of three key committees and a players union. Each committee plays a vital role in the operations of the eSports Association. So far, only the Executive Committee and the Community Council has been officially announced.
The Executive Committees purpose is to assist, direct and act as ambassadors for UK eSports to the wider public. The Committee shall be composed of prominent industry, media and government figures and shall include senior representatives from the games industry.
Ray Mia - Chief Executive, United Kingdom eSports Association (UKeSA)
Duncan Best - Director, Entertainment and Leisure Software Publishers Association (ELSPA)
Richard Keith – Director, Future PLC
Steve Carsey – Deputy CEO/Creative Director, Steadfast Television/Apace Media
James Claydon – Head of News & Entertainment, BBC Motion Gallery (BBC Worldwide) and CEO of London Features International & Idols
Crawford Balch – Senior Manager, Reid & Casement
The Community Council consists of six people: Three elected members of the UK eSports community, two permanent Executive Committee members of the UKeSA and one Senior Operational Manager. Originally, the three elected members of the eSports community had to be Team Managers from Championship or Premiership Teams. This was changed to make the Community Council both representative and inclusive of the UK eSports community. However, candidates must be UK passport holders and they must reside in the United Kingdom.
Candidates put themselves up for electoral status and are given an opportunity to state their wishes as to why they should be chosen for the Community Council. Questions are then submitted to the candidates by the public and are then answered by writing or through a live debate broadcast on Internet Protocol Television (IPTV) or web-streaming.
Voting for potential Community Council members are done via public vote and are tallied via electronic means, such as a website. Voters are allowed to vote for 3 candidates and can only choose once per election. Elected members are not able to sit in the Community Council for two consecutive terms, however, they are able to be re-elected after standing down from a single term. No length of time has been given as to indicate how long these terms are.
Elected members of the committee are responsible for community related operational and disciplinary matters. These include the enforcement of game, tournament and cup regulations and rules, disciplinary breaches of regulations and conduct, allocation of the seasonal cash retainers, game type and rule suggestions and responsibility for video game specific sub-committees. Attendance is required for Community Committee members through bi-monthly conference calls and physical meetings by attending the General Assembly.
On 18 March 2009, UKeSA have announced the results of the elections for the Community Council. The following will be sitting in as members of the Community Council for one term:
Richard Lewis - Freelance writer and former eSports manager.
Michael O'Dell - General Manager, Team Dignitas.
Stuart Saw - eSports Commentator, QuadV.
Also on the board for the Community Council is Ray Mia, who sits in as the permanent Executive Committee members of the Council and Peter Simpson as the Senior Operational Manager.
The Ethics Commission is charged with defining and updating a framework of ethical principles, including a Code of Ethics & Conduct, based upon the values and principles enshrined in the UKeSA Charter.
The Players Association is a separate entity that is supported by the UKeSA. This body, once established will be permanently represented on the Ethics Commission.
General Assembly
Meetings are set up between the Executive Committee, Community Council, Ethics Commission, Players Association and other leading figures among the government, the eSports community (such as the International eSports Federation) and video games industry. Held three times a year, these meetings consist of debated issues concerning eSports in the United Kingdom, how they relate to operational aspects of UKeSA and the endorsement of the UKeSA Charter. The General Assembly is invitational only, with permanent membership endorsed by elective procedures.
Competition structure
Competitions are split into three divisions, some of which will comprise a league and a cup tournament. Each of the divisions represent the different levels, citing grassroots amateur level to the professional level. There are three seasons per year, which last approximately three months per season. Teams from each division can face promotions and relegation depending on how they perform in each of the leagues during the season. Throughout each of the seasons, a trophy cup tournament is held between teams of the Open and Championship Division. Competition finals of the Cup Tournament, Championship and Premiership divisions are hosted at a specially selected venue in the United Kingdom each season. Qualifying eSports teams are gathered to play against each other in offline, local area network (LAN) setups as opposed to online play in the initial stages of the tournament.
The Open Division represents the grassroots of eSports and form part of the amateur competitions. Playing restrictions are set to a minimum standard and games are played for fun or for practise. Because the Open Division is viewed as the amateur level of eSports, many teams that participate are generally those who have just started or want to determine whether they are suitable at competitive level before moving to the semi-professional side of eSports.
The Championship Division represents the semi-professional competition level. Teams that choose to play in this division are generally groups who wish to move to the next stage of eSports and play for financial gain. Many of these team are established and may have squads for each individual game/title. Teams can be promoted from this division into the Premiership Division, through participation. Support and training are given to teams to aid their development. Such training includes both management and business elements, which is seen as crucial to building a team into global brand.
The Premiership Division represents the professional level. Teams are given retainers to support themselves and develop their internal infrastructure as well as business support and training. Teams can be demoted through participation of competitions and must follow guidelines and rules throughout their participation.
A seasonal Cup Tournament is held between the teams of the Open Division and the Championship Division. Teams are required to pay to enter and games are then carried out online. The final remaining teams will face at an offline, local area network (LAN) event. Premiership Division teams are not allowed to enter.
Teams
Currently, there are 13 selected eSports teams that represent the professional level of eSports. These teams participate in the UKeSA Premiership Division and play in different leagues that represent the video games they compete in. These teams are given media coverage through website editorials, terrestrial, satellite and cable television, internet protocol television and podcast. Business, management and financial support are given throughout the season, offering training managerial skills and business development, which will prepare the teams for sponsorships from companies like Dell, Adidas and other major business companies. Retainers are paid to Premiership teams at the end of each season, which will give financial support they need to carry on pushing the team brand as a primary business.
The number of Championship Division teams are determined by several factors such as paid entry fees and completion of team data like video game user identification tags, with teams submitting themselves for the competition each season. These teams are working towards being promoted into the UKeSA Premiership Division, which will offer the team the support they need to get their brand off the ground. Teams in the UKeSA Championship Division are given limited support for business and management training, while financial support comes from winning the competition.
Competitive Video Games
There are a total of 17 video game titles currently used throughout the different divisions. They consist from a range of first person shooters, driving simulation, beat 'em ups, real-time strategy, sports simulation and rhythm action genres. Each of the video game titles have some element of competitive online and offline multiplayer modes, which allow the players to play against each other, specifically using competitive gaming rules set by UKeSA.
New video games titles are added when the eSports community requests for the inclusion in the competition. Titles are first placed into the Open Division to gauge the amount of sign-ups for that specific video game. If enough players register in the Open Division, UKeSA will move to include it into the semi-professional, Championship Division, where eSports athletes will be able to register to play for the prize fund. If a particular video game title is popular enough in the Championship Division, UKeSA will warrant that video game a place in the Premiership Division.
Not all video game titles are suitable for use in a competitive environment as certain video game titles do not allow private sessions hosted by the players via peer-to-peer or server-led gaming rooms. Such games include UbiSoft's EndWar, where online play is restricted to its open Theatre of War lobby system.
Membership To The International eSport Federation
The association was one of the members of the International eSport Federation (IeSF) alongside the following eSports associations:
eSport Verband Österreich (Austria)
Belgian Electronic Sport Federation (Belgium),
E-sport Denmark (Denmark),
Deutscher eSport Bund (Germany),
Nederlandse Electronic Sport Bond (Netherlands),
Swiss E-sport Federation (Switzerland),
Korea e-Sports Association (South Korea),
Taiwan eSports League (Taiwan)
eSports Vietnam (Vietnam).
Japan, Bulgaria and China were also looking to join the federation at the GStar 2008 exhibition held in South Korea.
Future developments
UKeSA filed for bankruptcy whilst owing a large number of teams, players and industry related companies significant sums of money (http://www.cadred.org/News/Article/88207/)
Misconception
UKeSA are not to be confused by the Electronic Sports Ltd's eSports competitions organized by Richard Millington and Morgan Olsson under the same name from 2002 to 2005.
References
External links
What’s the future for eSports in the UK? UKeSA: The rise and demise of ‘The Football Association of gaming’ by PostDesk
Defunct esports governing bodies
Esports in the United Kingdom
Defunct sports governing bodies in the United Kingdom |
```xml
import { FontSizes, FontWeights, HighContrastSelector, HighContrastSelectorBlack } from '@fluentui/react';
import { IGaugeChartStyleProps, IGaugeChartStyles } from './GaugeChart.types';
export const getStyles = (props: IGaugeChartStyleProps): IGaugeChartStyles => {
const { theme, chartValueSize, chartWidth, chartHeight, className, lineColor, toDrawShape } = props;
return {
root: [
theme.fonts.medium,
'ms-GaugeChart',
{
width: '100%',
height: '100%',
},
className,
],
chart: {
display: 'block',
width: chartWidth,
height: chartHeight,
},
limits: {
fontSize: FontSizes.small,
fontWeight: FontWeights.semibold,
fill: theme.palette.neutralPrimary,
},
chartValue: {
fontSize: chartValueSize,
fontWeight: FontWeights.semibold,
fill: theme.palette.neutralPrimary,
},
sublabel: {
fontSize: FontSizes.small,
fontWeight: FontWeights.semibold,
fill: theme.palette.neutralPrimary,
},
needle: {
fill: theme.palette.black,
stroke: theme.semanticColors.bodyBackground,
},
chartTitle: {
fontSize: FontSizes.small,
fill: theme.palette.neutralPrimary,
},
segment: {
outline: 'none',
stroke: theme.semanticColors.focusBorder,
},
legendsContainer: {
width: chartWidth,
},
calloutContentRoot: [
{
display: 'grid',
overflow: 'hidden',
padding: '11px 16px 10px 16px',
backgroundColor: theme.semanticColors.bodyBackground,
backgroundBlendMode: 'normal, luminosity',
},
],
calloutDateTimeContainer: {
display: 'flex',
flexDirection: 'row',
justifyContent: 'space-between',
},
calloutContentX: [
{
...theme.fonts.small,
lineHeight: '16px',
opacity: '0.85',
color: theme.semanticColors.bodySubtext,
},
],
calloutBlockContainer: [
theme.fonts.mediumPlus,
{
marginTop: '13px',
color: theme.semanticColors.bodyText,
},
!toDrawShape && {
selectors: {
[HighContrastSelector]: {
forcedColorAdjust: 'none',
},
},
borderLeft: `4px solid ${lineColor}`,
paddingLeft: '8px',
},
toDrawShape && {
display: 'flex',
},
],
shapeStyles: {
marginRight: '8px',
},
calloutlegendText: {
...theme.fonts.small,
lineHeight: '16px',
selectors: {
[HighContrastSelectorBlack]: {
color: 'rgb(255, 255, 255)',
},
},
color: theme.semanticColors.bodySubtext,
},
calloutContentY: [
{
...theme.fonts.mediumPlus,
fontWeight: 'bold',
lineHeight: '22px',
selectors: {
[HighContrastSelectorBlack]: {
color: 'rgb(255, 255, 255)',
},
},
},
],
descriptionMessage: [
theme.fonts.small,
{
selectors: {
[HighContrastSelectorBlack]: {
color: 'rgb(255, 255, 255)',
},
},
color: theme.semanticColors.bodyText,
marginTop: '10px',
paddingTop: '10px',
borderTop: `1px solid ${theme.semanticColors.menuDivider}`,
},
],
};
};
``` |
The two-stage theory, or stagism, is a Marxist–Leninist political theory which argues that underdeveloped countries such as Tsarist Russia must first pass through a stage of capitalism via a bourgeois revolution before moving to a socialist stage.
Stagism was applied to countries worldwide that had not passed through the capitalist stage. In the Soviet Union, the two-stage theory was opposed by the Trotskyist theory of permanent revolution.
While the discussion on stagism focuses on the Russian Revolution, Maoist theories such as New Democracy tend to apply a two-stage theory to struggles elsewhere.
Theory
In Marxist–Leninist theory under Joseph Stalin, the theory of two stages gained a revival. More recently, the South African Communist Party and the Socialist Alliance have re-elaborated the two-stage theory, although the Socialist Alliance differentiates their position from the Stalinist one.
Criticism
The two-stage theory is often attributed to Karl Marx and Friedrich Engels, but critics such as David McLellan and others dispute that they envisaged the strict application of this theory outside of the actually existing Western development of capitalism.
Although all agree that Marx and Engels argue that Western capitalism provides the technological advances necessary for socialism and the "grave diggers" of the capitalist class in the form of the working class, critics of the two-stage theory, including most trends of Trotskyism, counter that Marx and Engels denied that they had laid down a formula to be applied to all countries in all circumstances. McLellan and others cite Marx's Reply to Mikhailovsky:
In the preface to the Russian edition of The Communist Manifesto of 1882, Marx and Engels specifically outline an alternative path to socialism for Russia.
In Russia, the Mensheviks believed the two-stage theory applied to Tsarist Russia. They were criticized by Leon Trotsky in what became the theory of permanent revolution in 1905. Later when the two-stage theory re-appeared in the Soviet Union after the death of Vladimir Lenin, the theory of permanent revolution was supported by the Left Opposition. The permanent revolution theory argues that the tasks allotted in the two-stage theory to the capitalist class can only be carried out by the working class with the support of the poor peasantry and that the working class will then pass on to the socialist tasks and expropriate the capitalist class. However, the revolution cannot pause here and must remain permanent in the sense that it must seek worldwide revolution to avoid isolation and move towards international socialism.
See also
Historical materialism
Impossibilism
Menshevik
Rojava
References
Marxist terminology
Marxism |
Jewish writers in England during the pre-expulsion period of the eleventh through the thirteenth centuries produced different kinds of writing in Hebrew. Many were Tosafists; others wrote legal material, and some wrote liturgical poetry and literary texts.
Jewish writers
According to Joseph Jacobs, Jewish literary and scholarly culture received its prime impetus during the time of Angevin England from France. Jacobs sees Simeon Chasid of Treves as the first such writer; he lived in England between 1106 and 1146. Subsequent important Jewish English writers came from Orléans, including Jacob of Orléans, who was murdered during the anti-Jewish violence during the coronation of Richard I in 1189, and possibly Abraham ben Joseph of Orleans.
12th century
Jacob of Orléans (died 1189) was an often-quoted Tosafist.
Abraham ben Joseph (born ) was a Tosafist, and may have been the Chief Rabbi of London in 1186.
Judah ben Isaac Messer Leon (1166–1224), a Tosafist, married a daughter an Abraham ben Joseph.
Yom Tov of Joigny (died 1190), French-born rabbi, Tosafist, and liturgical poet who lived in York, and died in the 1190 pogrom at York Castle.
Moses ben Isaac ben ha-Nessiah, grammarian and lexicographer.
Berechiah ha-Nakdan, exegete, grammarian, and translation who likely lived in England in the late 12th century.
13th century
Moses of London (died 1268), grammarian, halakhist and Jewish scholar in London.
Berechiah de Nicole (died after 1270), Tosafist.
Aaron of Canterbury, rabbi and halakhic exegete
Elias of London, legal expert
Effects of restrictions
The increasing degradation of the political status of the Jews in the thirteenth century is paralleled by the scarcity of their literary output compared with that of the twelfth. In the earlier century, for example, there were eminent authorities such as Abraham ibn Ezra, Judah Sir Leon of Paris, Yom Tov of Joigny, and Jacob of Orléans, in addition to a school of grammarians which appears to have existed, including Moses ben Yom-ob and Moses ben Isaac. In England Berechiah ha-Nakdan produced his Fox Fables—one of the most remarkable literary productions of the Middle Ages.
Some early works of the 13th century
In the thirteenth century, however, only a few authorities, like Moses of London, Berechiah de Nicole, Aaron of Canterbury, and Elias of London, are known, together with Jacob ben Judah of London, author of a work on the ritual, Etz Chaim, and Meïr of Norwich, a liturgical poet. Throughout they were a branch of the French Jewry, speaking French and writing French glosses, and almost up to the eve of the expulsion they wrote French in ordinary correspondence.
See also
History of the Jews in England
History of the Jews in Scotland
References
External links
England related articles in the Jewish Encyclopedia
13th century in England
13th-century Judaism
13th-century literature
Jewish English history
Sephardi Jews topics
History of literature in England
Jewish literature |
Type 1 diabetes, also known as juvenile diabetes, is a condition in which the body does not produce insulin, resulting in high levels of sugar in the bloodstream. Whereas type 2 diabetes is typically diagnosed in middle age and treated via diet, oral medication and/or insulin therapy, type 1 diabetes tends to be diagnosed earlier in life, and people with type 1 diabetes require insulin therapy for survival. It is significantly less common than type 2 diabetes, accounting for 5 percent of all diabetes diagnoses.
This list of notable people with type 1 diabetes includes writers, artists, athletes, entertainers, and others who have been documented as having type 1 diabetes.
List of people
See also
Diabetes mellitus type 1
List of sportspeople with diabetes
References
External links
Type 1 diabetes at the American Diabetes Association
Type 1 diabetes at the Mayo Clinic
Natural History of Type 1 Diabetes: Academic article chronicling type 1 diabetes through history
Diabetes mellitus type 1, List of people with |
The Treaty of Paris (1857) marked the end of the hostilities of the Anglo-Persian War. On the Persian, side negotiations were handled by ambassador Ferukh Khan. The two sides signed the peace treaty on 4 March 1857.
In the Treaty, the Persians agreed to withdraw from Herat, to apologise to the British ambassador on his return, and to sign a commercial treaty; the British agreed not to shelter opponents of the Shah in the embassy, and they abandoned the demand to replace prime minister as well as one requiring territorial concessions to the Imam of Muscat, a British ally.
See also
Greater Iran
Iran–United Kingdom relations
Franco-Persian alliance
British Occupation of Bushehr
Notes
1857 in Iran
1857 treaties
1857 in France
1857 in the United Kingdom
1850s in Paris
Iran–United Kingdom relations
Peace treaties of the United Kingdom
Treaties of the Qajar dynasty
Treaties of the United Kingdom (1801–1922)
Anglo-Persian War |
Idolishche Poganoye () is a mythological monstrosity from Russian bylinas (epic tales) and other folklore; he personifies pagan forces invading the Russian lands.
The name literally means "pagan idol", with a Russian augmentative suffix "-ishche".
The major epic sources that involve Idolische are various variants of the bylina "Ilya Muromets and Idolishche Poganoye" ("Илья Муромец и Идолище Поганое"), which may also characterise Idolishche as "Tatarin" (the Tatar), in reference to the Tatar-Mongol yoke.
The 1956 fantasy-film Ilya Muromets depicts Idolishche as a massive zeppelin-like man with a bleach-white face arriving on an elevated platform as part of the Tugarin's forces and mocked as looking like "a fat ox" by one of the Russian characters.
References
Russian folklore characters
Characters in Bylina |
```smalltalk
using System;
using System.Linq;
using Microsoft.Xna.Framework.Input;
using StardewValley;
namespace StardewModdingAPI
{
/// <summary>A unified button constant which includes all controller, keyboard, and mouse buttons.</summary>
/// <remarks>Derived from <see cref="Keys"/>, <see cref="Buttons"/>, and <c>System.Windows.Forms.MouseButtons</c>.</remarks>
public enum SButton
{
/// <summary>No valid key.</summary>
None = 0,
/*********
** Mouse
*********/
/// <summary>The left mouse button.</summary>
MouseLeft = 1000,
/// <summary>The right mouse button.</summary>
MouseRight = 1001,
/// <summary>The middle mouse button.</summary>
MouseMiddle = 1002,
/// <summary>The first mouse XButton.</summary>
MouseX1 = 1003,
/// <summary>The second mouse XButton.</summary>
MouseX2 = 1004,
/*********
** Controller
*********/
/// <summary>The 'A' button on a controller.</summary>
ControllerA = SButtonExtensions.ControllerOffset + Buttons.A,
/// <summary>The 'B' button on a controller.</summary>
ControllerB = SButtonExtensions.ControllerOffset + Buttons.B,
/// <summary>The 'X' button on a controller.</summary>
ControllerX = SButtonExtensions.ControllerOffset + Buttons.X,
/// <summary>The 'Y' button on a controller.</summary>
ControllerY = SButtonExtensions.ControllerOffset + Buttons.Y,
/// <summary>The back button on a controller.</summary>
ControllerBack = SButtonExtensions.ControllerOffset + Buttons.Back,
/// <summary>The start button on a controller.</summary>
ControllerStart = SButtonExtensions.ControllerOffset + Buttons.Start,
/// <summary>The up button on the directional pad of a controller.</summary>
DPadUp = SButtonExtensions.ControllerOffset + Buttons.DPadUp,
/// <summary>The down button on the directional pad of a controller.</summary>
DPadDown = SButtonExtensions.ControllerOffset + Buttons.DPadDown,
/// <summary>The left button on the directional pad of a controller.</summary>
DPadLeft = SButtonExtensions.ControllerOffset + Buttons.DPadLeft,
/// <summary>The right button on the directional pad of a controller.</summary>
DPadRight = SButtonExtensions.ControllerOffset + Buttons.DPadRight,
/// <summary>The left bumper (shoulder) button on a controller.</summary>
LeftShoulder = SButtonExtensions.ControllerOffset + Buttons.LeftShoulder,
/// <summary>The right bumper (shoulder) button on a controller.</summary>
RightShoulder = SButtonExtensions.ControllerOffset + Buttons.RightShoulder,
/// <summary>The left trigger on a controller.</summary>
LeftTrigger = SButtonExtensions.ControllerOffset + Buttons.LeftTrigger,
/// <summary>The right trigger on a controller.</summary>
RightTrigger = SButtonExtensions.ControllerOffset + Buttons.RightTrigger,
/// <summary>The left analog stick on a controller (when pressed).</summary>
LeftStick = SButtonExtensions.ControllerOffset + Buttons.LeftStick,
/// <summary>The right analog stick on a controller (when pressed).</summary>
RightStick = SButtonExtensions.ControllerOffset + Buttons.RightStick,
/// <summary>The 'big button' on a controller.</summary>
BigButton = SButtonExtensions.ControllerOffset + Buttons.BigButton,
/// <summary>The left analog stick on a controller (when pushed left).</summary>
LeftThumbstickLeft = SButtonExtensions.ControllerOffset + Buttons.LeftThumbstickLeft,
/// <summary>The left analog stick on a controller (when pushed right).</summary>
LeftThumbstickRight = SButtonExtensions.ControllerOffset + Buttons.LeftThumbstickRight,
/// <summary>The left analog stick on a controller (when pushed down).</summary>
LeftThumbstickDown = SButtonExtensions.ControllerOffset + Buttons.LeftThumbstickDown,
/// <summary>The left analog stick on a controller (when pushed up).</summary>
LeftThumbstickUp = SButtonExtensions.ControllerOffset + Buttons.LeftThumbstickUp,
/// <summary>The right analog stick on a controller (when pushed left).</summary>
RightThumbstickLeft = SButtonExtensions.ControllerOffset + Buttons.RightThumbstickLeft,
/// <summary>The right analog stick on a controller (when pushed right).</summary>
RightThumbstickRight = SButtonExtensions.ControllerOffset + Buttons.RightThumbstickRight,
/// <summary>The right analog stick on a controller (when pushed down).</summary>
RightThumbstickDown = SButtonExtensions.ControllerOffset + Buttons.RightThumbstickDown,
/// <summary>The right analog stick on a controller (when pushed up).</summary>
RightThumbstickUp = SButtonExtensions.ControllerOffset + Buttons.RightThumbstickUp,
/*********
** Keyboard
*********/
/// <summary>The A button on a keyboard.</summary>
A = Keys.A,
/// <summary>The Add button on a keyboard.</summary>
Add = Keys.Add,
/// <summary>The Applications button on a keyboard.</summary>
Apps = Keys.Apps,
/// <summary>The Attn button on a keyboard.</summary>
Attn = Keys.Attn,
/// <summary>The B button on a keyboard.</summary>
B = Keys.B,
/// <summary>The Backspace button on a keyboard.</summary>
Back = Keys.Back,
/// <summary>The Browser Back button on a keyboard in Windows 2000/XP.</summary>
BrowserBack = Keys.BrowserBack,
/// <summary>The Browser Favorites button on a keyboard in Windows 2000/XP.</summary>
BrowserFavorites = Keys.BrowserFavorites,
/// <summary>The Browser Favorites button on a keyboard in Windows 2000/XP.</summary>
BrowserForward = Keys.BrowserForward,
/// <summary>The Browser Home button on a keyboard in Windows 2000/XP.</summary>
BrowserHome = Keys.BrowserHome,
/// <summary>The Browser Refresh button on a keyboard in Windows 2000/XP.</summary>
BrowserRefresh = Keys.BrowserRefresh,
/// <summary>The Browser Search button on a keyboard in Windows 2000/XP.</summary>
BrowserSearch = Keys.BrowserSearch,
/// <summary>The Browser Stop button on a keyboard in Windows 2000/XP.</summary>
BrowserStop = Keys.BrowserStop,
/// <summary>The C button on a keyboard.</summary>
C = Keys.C,
/// <summary>The Caps Lock button on a keyboard.</summary>
CapsLock = Keys.CapsLock,
/// <summary>The Green ChatPad button on a keyboard.</summary>
ChatPadGreen = Keys.ChatPadGreen,
/// <summary>The Orange ChatPad button on a keyboard.</summary>
ChatPadOrange = Keys.ChatPadOrange,
/// <summary>The CrSel button on a keyboard.</summary>
Crsel = Keys.Crsel,
/// <summary>The D button on a keyboard.</summary>
D = Keys.D,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D0 = Keys.D0,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D1 = Keys.D1,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D2 = Keys.D2,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D3 = Keys.D3,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D4 = Keys.D4,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D5 = Keys.D5,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D6 = Keys.D6,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D7 = Keys.D7,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D8 = Keys.D8,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
D9 = Keys.D9,
/// <summary>The Decimal button on a keyboard.</summary>
Decimal = Keys.Decimal,
/// <summary>The Delete button on a keyboard.</summary>
Delete = Keys.Delete,
/// <summary>The Divide button on a keyboard.</summary>
Divide = Keys.Divide,
/// <summary>The Down arrow button on a keyboard.</summary>
Down = Keys.Down,
/// <summary>The E button on a keyboard.</summary>
E = Keys.E,
/// <summary>The End button on a keyboard.</summary>
End = Keys.End,
/// <summary>The Enter button on a keyboard.</summary>
Enter = Keys.Enter,
/// <summary>The Erase EOF button on a keyboard.</summary>
EraseEof = Keys.EraseEof,
/// <summary>The Escape button on a keyboard.</summary>
Escape = Keys.Escape,
/// <summary>The Execute button on a keyboard.</summary>
Execute = Keys.Execute,
/// <summary>The ExSel button on a keyboard.</summary>
Exsel = Keys.Exsel,
/// <summary>The F button on a keyboard.</summary>
F = Keys.F,
/// <summary>The F1 button on a keyboard.</summary>
F1 = Keys.F1,
/// <summary>The F10 button on a keyboard.</summary>
F10 = Keys.F10,
/// <summary>The F11 button on a keyboard.</summary>
F11 = Keys.F11,
/// <summary>The F12 button on a keyboard.</summary>
F12 = Keys.F12,
/// <summary>The F13 button on a keyboard.</summary>
F13 = Keys.F13,
/// <summary>The F14 button on a keyboard.</summary>
F14 = Keys.F14,
/// <summary>The F15 button on a keyboard.</summary>
F15 = Keys.F15,
/// <summary>The F16 button on a keyboard.</summary>
F16 = Keys.F16,
/// <summary>The F17 button on a keyboard.</summary>
F17 = Keys.F17,
/// <summary>The F18 button on a keyboard.</summary>
F18 = Keys.F18,
/// <summary>The F19 button on a keyboard.</summary>
F19 = Keys.F19,
/// <summary>The F2 button on a keyboard.</summary>
F2 = Keys.F2,
/// <summary>The F20 button on a keyboard.</summary>
F20 = Keys.F20,
/// <summary>The F21 button on a keyboard.</summary>
F21 = Keys.F21,
/// <summary>The F22 button on a keyboard.</summary>
F22 = Keys.F22,
/// <summary>The F23 button on a keyboard.</summary>
F23 = Keys.F23,
/// <summary>The F24 button on a keyboard.</summary>
F24 = Keys.F24,
/// <summary>The F3 button on a keyboard.</summary>
F3 = Keys.F3,
/// <summary>The F4 button on a keyboard.</summary>
F4 = Keys.F4,
/// <summary>The F5 button on a keyboard.</summary>
F5 = Keys.F5,
/// <summary>The F6 button on a keyboard.</summary>
F6 = Keys.F6,
/// <summary>The F7 button on a keyboard.</summary>
F7 = Keys.F7,
/// <summary>The F8 button on a keyboard.</summary>
F8 = Keys.F8,
/// <summary>The F9 button on a keyboard.</summary>
F9 = Keys.F9,
/// <summary>The G button on a keyboard.</summary>
G = Keys.G,
/// <summary>The H button on a keyboard.</summary>
H = Keys.H,
/// <summary>The Help button on a keyboard.</summary>
Help = Keys.Help,
/// <summary>The Home button on a keyboard.</summary>
Home = Keys.Home,
/// <summary>The I button on a keyboard.</summary>
I = Keys.I,
/// <summary>The IME Convert button on a keyboard.</summary>
ImeConvert = Keys.ImeConvert,
/// <summary>The IME NoConvert button on a keyboard.</summary>
ImeNoConvert = Keys.ImeNoConvert,
/// <summary>The INS button on a keyboard.</summary>
Insert = Keys.Insert,
/// <summary>The J button on a keyboard.</summary>
J = Keys.J,
/// <summary>The K button on a keyboard.</summary>
K = Keys.K,
/// <summary>The Kana button on a Japanese keyboard.</summary>
Kana = Keys.Kana,
/// <summary>The Kanji button on a Japanese keyboard.</summary>
Kanji = Keys.Kanji,
/// <summary>The L button on a keyboard.</summary>
L = Keys.L,
/// <summary>The Start Applications 1 button on a keyboard in Windows 2000/XP.</summary>
LaunchApplication1 = Keys.LaunchApplication1,
/// <summary>The Start Applications 2 button on a keyboard in Windows 2000/XP.</summary>
LaunchApplication2 = Keys.LaunchApplication2,
/// <summary>The Start Mail button on a keyboard in Windows 2000/XP.</summary>
LaunchMail = Keys.LaunchMail,
/// <summary>The Left arrow button on a keyboard.</summary>
Left = Keys.Left,
/// <summary>The Left Alt button on a keyboard.</summary>
LeftAlt = Keys.LeftAlt,
/// <summary>The Left Control button on a keyboard.</summary>
LeftControl = Keys.LeftControl,
/// <summary>The Left Shift button on a keyboard.</summary>
LeftShift = Keys.LeftShift,
/// <summary>The Left Windows button on a keyboard.</summary>
LeftWindows = Keys.LeftWindows,
/// <summary>The M button on a keyboard.</summary>
M = Keys.M,
/// <summary>The MediaNextTrack button on a keyboard in Windows 2000/XP.</summary>
MediaNextTrack = Keys.MediaNextTrack,
/// <summary>The MediaPlayPause button on a keyboard in Windows 2000/XP.</summary>
MediaPlayPause = Keys.MediaPlayPause,
/// <summary>The MediaPreviousTrack button on a keyboard in Windows 2000/XP.</summary>
MediaPreviousTrack = Keys.MediaPreviousTrack,
/// <summary>The MediaStop button on a keyboard in Windows 2000/XP.</summary>
MediaStop = Keys.MediaStop,
/// <summary>The Multiply button on a keyboard.</summary>
Multiply = Keys.Multiply,
/// <summary>The N button on a keyboard.</summary>
N = Keys.N,
/// <summary>The Num Lock button on a keyboard.</summary>
NumLock = Keys.NumLock,
/// <summary>The Numeric keypad 0 button on a keyboard.</summary>
NumPad0 = Keys.NumPad0,
/// <summary>The Numeric keypad 1 button on a keyboard.</summary>
NumPad1 = Keys.NumPad1,
/// <summary>The Numeric keypad 2 button on a keyboard.</summary>
NumPad2 = Keys.NumPad2,
/// <summary>The Numeric keypad 3 button on a keyboard.</summary>
NumPad3 = Keys.NumPad3,
/// <summary>The Numeric keypad 4 button on a keyboard.</summary>
NumPad4 = Keys.NumPad4,
/// <summary>The Numeric keypad 5 button on a keyboard.</summary>
NumPad5 = Keys.NumPad5,
/// <summary>The Numeric keypad 6 button on a keyboard.</summary>
NumPad6 = Keys.NumPad6,
/// <summary>The Numeric keypad 7 button on a keyboard.</summary>
NumPad7 = Keys.NumPad7,
/// <summary>The Numeric keypad 8 button on a keyboard.</summary>
NumPad8 = Keys.NumPad8,
/// <summary>The Numeric keypad 9 button on a keyboard.</summary>
NumPad9 = Keys.NumPad9,
/// <summary>The O button on a keyboard.</summary>
O = Keys.O,
/// <summary>A miscellaneous button on a keyboard; can vary by keyboard.</summary>
Oem8 = Keys.Oem8,
/// <summary>The OEM Auto button on a keyboard.</summary>
OemAuto = Keys.OemAuto,
/// <summary>The OEM Angle Bracket or Backslash button on the RT 102 keyboard in Windows 2000/XP.</summary>
OemBackslash = Keys.OemBackslash,
/// <summary>The Clear button on a keyboard.</summary>
OemClear = Keys.OemClear,
/// <summary>The OEM Close Bracket button on a US standard keyboard in Windows 2000/XP.</summary>
OemCloseBrackets = Keys.OemCloseBrackets,
/// <summary>The ',' button on a keyboard in any country/region in Windows 2000/XP.</summary>
OemComma = Keys.OemComma,
/// <summary>The OEM Copy button on a keyboard.</summary>
OemCopy = Keys.OemCopy,
/// <summary>The OEM Enlarge Window button on a keyboard.</summary>
OemEnlW = Keys.OemEnlW,
/// <summary>The '-' button on a keyboard in any country/region in Windows 2000/XP.</summary>
OemMinus = Keys.OemMinus,
/// <summary>The OEM Open Bracket button on a US standard keyboard in Windows 2000/XP.</summary>
OemOpenBrackets = Keys.OemOpenBrackets,
/// <summary>The '.' button on a keyboard in any country/region.</summary>
OemPeriod = Keys.OemPeriod,
/// <summary>The OEM Pipe button on a US standard keyboard.</summary>
OemPipe = Keys.OemPipe,
/// <summary>The '+' button on a keyboard in Windows 2000/XP.</summary>
OemPlus = Keys.OemPlus,
/// <summary>The OEM Question Mark button on a US standard keyboard.</summary>
OemQuestion = Keys.OemQuestion,
/// <summary>The OEM Single/Double Quote button on a US standard keyboard.</summary>
OemQuotes = Keys.OemQuotes,
/// <summary>The OEM Semicolon button on a US standard keyboard.</summary>
OemSemicolon = Keys.OemSemicolon,
/// <summary>The OEM Tilde button on a US standard keyboard.</summary>
OemTilde = Keys.OemTilde,
/// <summary>The P button on a keyboard.</summary>
P = Keys.P,
/// <summary>The PA1 button on a keyboard.</summary>
Pa1 = Keys.Pa1,
/// <summary>The Page Down button on a keyboard.</summary>
PageDown = Keys.PageDown,
/// <summary>The Page Up button on a keyboard.</summary>
PageUp = Keys.PageUp,
/// <summary>The Pause button on a keyboard.</summary>
Pause = Keys.Pause,
/// <summary>The Play button on a keyboard.</summary>
Play = Keys.Play,
/// <summary>The Print button on a keyboard.</summary>
Print = Keys.Print,
/// <summary>The Print Screen button on a keyboard.</summary>
PrintScreen = Keys.PrintScreen,
/// <summary>The IME Process button on a keyboard in Windows 95/98/ME/NT 4.0/2000/XP.</summary>
ProcessKey = Keys.ProcessKey,
/// <summary>The Q button on a keyboard.</summary>
Q = Keys.Q,
/// <summary>The R button on a keyboard.</summary>
R = Keys.R,
/// <summary>The Right Arrow button on a keyboard.</summary>
Right = Keys.Right,
/// <summary>The Right Alt button on a keyboard.</summary>
RightAlt = Keys.RightAlt,
/// <summary>The Right Control button on a keyboard.</summary>
RightControl = Keys.RightControl,
/// <summary>The Right Shift button on a keyboard.</summary>
RightShift = Keys.RightShift,
/// <summary>The Right Windows button on a keyboard.</summary>
RightWindows = Keys.RightWindows,
/// <summary>The S button on a keyboard.</summary>
S = Keys.S,
/// <summary>The Scroll Lock button on a keyboard.</summary>
Scroll = Keys.Scroll,
/// <summary>The Select button on a keyboard.</summary>
Select = Keys.Select,
/// <summary>The Select Media button on a keyboard in Windows 2000/XP.</summary>
SelectMedia = Keys.SelectMedia,
/// <summary>The Separator button on a keyboard.</summary>
Separator = Keys.Separator,
/// <summary>The Computer Sleep button on a keyboard.</summary>
Sleep = Keys.Sleep,
/// <summary>The Space bar on a keyboard.</summary>
Space = Keys.Space,
/// <summary>The Subtract button on a keyboard.</summary>
Subtract = Keys.Subtract,
/// <summary>The T button on a keyboard.</summary>
T = Keys.T,
/// <summary>The Tab button on a keyboard.</summary>
Tab = Keys.Tab,
/// <summary>The U button on a keyboard.</summary>
U = Keys.U,
/// <summary>The Up Arrow button on a keyboard.</summary>
Up = Keys.Up,
/// <summary>The V button on a keyboard.</summary>
V = Keys.V,
/// <summary>The Volume Down button on a keyboard in Windows 2000/XP.</summary>
VolumeDown = Keys.VolumeDown,
/// <summary>The Volume Mute button on a keyboard in Windows 2000/XP.</summary>
VolumeMute = Keys.VolumeMute,
/// <summary>The Volume Up button on a keyboard in Windows 2000/XP.</summary>
VolumeUp = Keys.VolumeUp,
/// <summary>The W button on a keyboard.</summary>
W = Keys.W,
/// <summary>The X button on a keyboard.</summary>
X = Keys.X,
/// <summary>The Y button on a keyboard.</summary>
Y = Keys.Y,
/// <summary>The Z button on a keyboard.</summary>
Z = Keys.Z,
/// <summary>The Zoom button on a keyboard.</summary>
Zoom = Keys.Zoom
}
/// <summary>Provides extension methods for <see cref="SButton"/>.</summary>
public static class SButtonExtensions
{
/*********
** Accessors
*********/
/// <summary>The offset added to <see cref="Buttons"/> values when converting them to <see cref="SButton"/> to avoid collisions with <see cref="Keys"/> values.</summary>
internal const int ControllerOffset = 2000;
/*********
** Public methods
*********/
/// <summary>Get the <see cref="SButton"/> equivalent for the given button.</summary>
/// <param name="key">The keyboard button to convert.</param>
public static SButton ToSButton(this Keys key)
{
return (SButton)key;
}
/// <summary>Get the <see cref="SButton"/> equivalent for the given button.</summary>
/// <param name="key">The controller button to convert.</param>
public static SButton ToSButton(this Buttons key)
{
return (SButton)(SButtonExtensions.ControllerOffset + key);
}
/// <summary>Get the <see cref="SButton"/> equivalent for the given button.</summary>
/// <param name="input">The Stardew Valley button to convert.</param>
public static SButton ToSButton(this InputButton input)
{
// derived from InputButton constructors
if (input.mouseLeft)
return SButton.MouseLeft;
if (input.mouseRight)
return SButton.MouseRight;
return input.key.ToSButton();
}
/// <summary>Get the <see cref="Keys"/> equivalent for the given button.</summary>
/// <param name="input">The button to convert.</param>
/// <param name="key">The keyboard equivalent.</param>
/// <returns>Returns whether the value was converted successfully.</returns>
public static bool TryGetKeyboard(this SButton input, out Keys key)
{
if (Enum.IsDefined(typeof(Keys), (int)input))
{
key = (Keys)input;
return true;
}
key = Keys.None;
return false;
}
/// <summary>Get the <see cref="Buttons"/> equivalent for the given button.</summary>
/// <param name="input">The button to convert.</param>
/// <param name="button">The controller equivalent.</param>
/// <returns>Returns whether the value was converted successfully.</returns>
public static bool TryGetController(this SButton input, out Buttons button)
{
if (Enum.IsDefined(typeof(Buttons), (int)input - SButtonExtensions.ControllerOffset))
{
button = (Buttons)(input - SButtonExtensions.ControllerOffset);
return true;
}
button = 0;
return false;
}
/// <summary>Get the <see cref="InputButton"/> equivalent for the given button.</summary>
/// <param name="input">The button to convert.</param>
/// <param name="button">The Stardew Valley input button equivalent.</param>
/// <returns>Returns whether the value was converted successfully.</returns>
public static bool TryGetStardewInput(this SButton input, out InputButton button)
{
// keyboard
if (input.TryGetKeyboard(out Keys key))
{
button = new InputButton(key);
return true;
}
// mouse
if (input is SButton.MouseLeft or SButton.MouseRight)
{
button = new InputButton(mouseLeft: input == SButton.MouseLeft);
return true;
}
// not valid
button = default;
return false;
}
/// <summary>Get whether the given button is equivalent to <see cref="Options.useToolButton"/>.</summary>
/// <param name="input">The button.</param>
public static bool IsUseToolButton(this SButton input)
{
return input == SButton.ControllerX || Game1.options.useToolButton.Any(p => p.ToSButton() == input);
}
/// <summary>Get whether the given button is equivalent to <see cref="Options.actionButton"/>.</summary>
/// <param name="input">The button.</param>
public static bool IsActionButton(this SButton input)
{
return input == SButton.ControllerA || Game1.options.actionButton.Any(p => p.ToSButton() == input);
}
}
}
``` |
Farm to Market Road 1171 (FM 1171) is a farm to market road in Denton County, Texas.
Route description
FM 1171 begins at I-35W in Northlake. In Flower Mound, the road is known as Cross Timbers Road, and it has a junction with US 377. It serves as a major arterial for eastern Flower Mound and Lewisville, where it is known as that city's Main Street. FM 1171 continues through central Lewisville before the designation ends at I-35E; Main Street continues into eastern Lewisville as a four-lane road, which was formerly part of the 1171 designation but was later removed.
History
FM 1171 was first designated on March 30, 1949 from proposed US 77 west to a county road; at that time, the Lewisville area was undeveloped, and current alignment of US 77 (now superseded by the Interstate 35E freeway) had yet to be constructed. On June 30, 1955, Loop 187 was combined with the route, extending it eastward to the original route of SH 121 through eastern Lewisville. FM 1171 was extended westward through Lewisville to US 377 on June 28, 1963, and then to the Interstate 35W freeway on November 5, 1971.
A spur route of FM 1171 existed from August 1, 1963 to May 30, 1990; it connected with mainline FM 1171 east of I-35E and traveled south along Mill Street to an intersection with SH 121. This mileage was transferred to FM 3504, which had been cancelled on June 28, 2012 at the request of the city of Lewisville.
On June 27, 1995, the designation of the section east of US 377 to SH 121 was transferred to Urban Road 1171 (UR 1171). On December 18, 2003, the eastern portion, from I-35E to the former route of SH 121 (now Business SH 121), was removed from the state highway system at the request of the City of Lewisville. The designation of the extant section reverted to FM 1171 with the elimination of the Urban Road system on November 15, 2018.
Future Extension
Due to growth in Denton County, TxDOT is planning a 3.5 mile western extension of FM1171, starting at Farm to Market Road 156 near Justin and ending at the current I-35W western terminus of the existing road. The planned extension would be six lanes at each end and four lanes in the middle.
Major intersections
References
External links
1171
Transportation in Denton County, Texas
Lewisville, Texas |
```java
package org.telegram.telegrambots.meta.api.methods.groupadministration;
import com.fasterxml.jackson.annotation.JsonIgnoreProperties;
import com.fasterxml.jackson.annotation.JsonProperty;
import lombok.AllArgsConstructor;
import lombok.EqualsAndHashCode;
import lombok.Getter;
import lombok.NonNull;
import lombok.RequiredArgsConstructor;
import lombok.Setter;
import lombok.ToString;
import lombok.experimental.SuperBuilder;
import lombok.experimental.Tolerate;
import lombok.extern.jackson.Jacksonized;
import org.telegram.telegrambots.meta.api.methods.botapimethods.BotApiMethod;
import org.telegram.telegrambots.meta.api.objects.ChatInviteLink;
import org.telegram.telegrambots.meta.exceptions.TelegramApiRequestException;
import org.telegram.telegrambots.meta.exceptions.TelegramApiValidationException;
/**
* @author Ruben Bermudez
* @version 5.1
*
* Use this method to create an additional invite link for a chat.
* The bot must be an administrator in the chat for this to work and must have the appropriate admin rights.
*
* The link can be revoked using the method revokeChatInviteLink. Returns the new invite link as ChatInviteLink object.
*/
@EqualsAndHashCode(callSuper = false)
@Getter
@Setter
@ToString
@AllArgsConstructor
@RequiredArgsConstructor
@SuperBuilder
@Jacksonized
@JsonIgnoreProperties(ignoreUnknown = true)
public class CreateChatInviteLink extends BotApiMethod<ChatInviteLink> {
public static final String PATH = "createChatInviteLink";
private static final String CHATID_FIELD = "chat_id";
private static final String EXPIREDATE_FIELD = "expire_date";
private static final String MEMBERLIMIT_FIELD = "member_limit";
private static final String NAME_FIELD = "name";
private static final String CREATESJOINREQUEST_FIELD = "creates_join_request";
@JsonProperty(CHATID_FIELD)
@NonNull
private String chatId; ///< Unique identifier for the target chat or username of the target channel (in the format @channelusername)
@JsonProperty(EXPIREDATE_FIELD)
private Integer expireDate; ///< Optional. Point in time (Unix timestamp) when the link will expire
/**
* Optional.
* Maximum number of users that can be members of the chat simultaneously after joining the chat via this invite link; 1-99999
*/
@JsonProperty(MEMBERLIMIT_FIELD)
private Integer memberLimit; ///< Optional. Invite link name; 0-32 characters
@JsonProperty(NAME_FIELD)
private String name; ///< Optional. Invite link name; 0-32 characters
/**
* Optional.
* True, if users joining the chat via the link need to be approved by chat administrators.
* If True, member_limit can't be specified
*/
@JsonProperty(CREATESJOINREQUEST_FIELD)
private Boolean createsJoinRequest;
@Tolerate
public void setChatId(@NonNull Long chatId) {
this.chatId = chatId.toString();
}
@Override
public String getMethod() {
return PATH;
}
@Override
public ChatInviteLink deserializeResponse(String answer) throws TelegramApiRequestException {
return deserializeResponse(answer, ChatInviteLink.class);
}
@Override
public void validate() throws TelegramApiValidationException {
if (chatId.isEmpty()) {
throw new TelegramApiValidationException("ChatId can't be empty", this);
}
if (name != null && name.length() > 32) {
throw new TelegramApiValidationException("Name must be between 0 and 32 characters", this);
}
if (createsJoinRequest != null && memberLimit != null) {
throw new TelegramApiValidationException("MemberLimit can not be used with CreatesJoinRequest field", this);
}
if (memberLimit != null && (memberLimit < 1 || memberLimit > 99999)) {
throw new TelegramApiValidationException("MemberLimit must be between 1 and 99999", this);
}
}
public static abstract class CreateChatInviteLinkBuilder<C extends CreateChatInviteLink, B extends CreateChatInviteLinkBuilder<C, B>> extends BotApiMethodBuilder<ChatInviteLink, C, B> {
@Tolerate
public CreateChatInviteLinkBuilder<C, B> chatId(@NonNull Long chatId) {
this.chatId = chatId.toString();
return this;
}
}
}
``` |
Moving Gelatine Plates is a French progressive rock band first formed in 1968 by Gérard Bertram (guitarist) and Didier Thibault (bassist and band leader), who met in 1966 as 14-year-old schoolmates. Being heavily influenced by jazz, the band is considered to be part of progressive rock's Canterbury scene despite its national origin. In particular, the band's sound has been compared to Soft Machine. According to Thibault, the band’s name derives from the novel Travels with Charley: In Search of America by John Steinbeck.
Drummer Gérard Pons and multi-instrumentalist Maurice Hemlinger completed the line-up for the band’s first, self-titled album which was released by CBS in 1971. Moving Gelatine Plates under the same line-up released a second album with CBS in 1972 entitled The World of Genius Hans, which like their first effort met with little commercial success. Owing to financial problems resulting from poor sales, after releasing this album the band was soon forced to break up.
Thibault reformed the band with different members to release the album Moving in 1980 on the AMO label, shortly after which the band folded once more. The band reformed again to release a fourth album entitled Removing in 2006.
Discography
Moving Gelatine Plates (1971)
The World of Genius Hans (1972)
Moving (1980)
Removing (2006)
Filmography
2015: Romantic Warriors III: Canterbury Tales (DVD)
References
External links
Discography on progarchives.com
French progressive rock groups
Musical groups established in 1968 |
```xml
<vector xmlns:android="path_to_url"
android:width="256dp"
android:height="256dp"
android:viewportWidth="256"
android:viewportHeight="256">
<path
android:pathData="M0,0h208v256h-208z"
android:fillColor="#808080"/>
<path
android:pathData="m144,16v32h8v-32zM144,80v32h8v-32zM144,144v32h8v-32zM144,208v32h8v-32z"
android:fillColor="#fff"/>
<path
android:pathData="m175.71,168.04a7.21,7.18 0,0 1,-7.21 7.18,7.21 7.18,0 0,1 -7.21,-7.18 7.21,7.18 0,0 1,7.21 -7.18,7.21 7.18,0 0,1 7.21,7.18zM199.22,168.04a7.21,7.18 0,0 1,-7.21 7.18,7.21 7.18,0 0,1 -7.21,-7.18 7.21,7.18 0,0 1,7.21 -7.18,7.21 7.18,0 0,1 7.21,7.18zM172.51,156.98 L181.62,168h10.42l-7.16,-11.02h-12.37m-3.91,11.02 l5.43,-16.09h5.21m5.64,2.47 l3.17,-0.01m-6.43,13.62 l3.26,-13.61"
android:strokeLineJoin="round"
android:strokeWidth="3"
android:strokeColor="#fff"
android:strokeLineCap="round"/>
<path
android:pathData="m192,128 l-12,-16 -12,16h8v8h8v-8z"
android:fillColor="#fff"/>
</vector>
``` |
Banknotes were issued by the Swakopmund Bookshop (German; Swakopmunder Buchhandlung) between 1916 and 1918 as an emergency currency. They issued 10, 25, 50 Pfennig, and 1, 2, and 3 mark notes. Although these were issued under South African administration, these notes are denominated in Pfennig and Mark, which was the South West African mark as opposed to the German South West African Mark. Despite this, these are genuine British Empire and Commonwealth issues.
These notes are known as 'Gutschein'. These notes are wrongly listed in the Standard Catalog of World Paper Money (which is published by Krause Publications) under 'German South-West Africa'.
References
Notes
Literature
See also
South West African banknote issuers
Swakopmund Bookshop
Currencies of Namibia
Swakopmund |
The Adriatic campaign of World War II was a minor naval campaign fought during World War II between the Greek, Yugoslavian and Italian navies, the Kriegsmarine, and the Mediterranean squadrons of the United Kingdom, France, and the Yugoslav Partisan naval forces. Considered a somewhat insignificant part of the naval warfare in World War II, it nonetheless saw interesting developments, given the specificity of the Dalmatian coastline.
Prelude – Italian invasion of Albania
On 7 April 1939, Mussolini's troops occupied Albania, overthrew King Zog, and annexed the country to the Italian Empire. Naval operations in the Adriatic consisted mostly of transport organisation through the ports of Taranto, as well as coastal bombardment in support of the landings on the Albanian coast. The Italian naval forces involved in the invasion of Albania included the battleships Giulio Cesare and Conte di Cavour, three heavy cruisers, three light cruisers, nine destroyers, fourteen torpedo boats, one minelayer, ten auxiliary ships and nine transport ships. The ships were divided into four groups, which carried out landings at Vlore, Durres, Sarande and Shengjin.
When Italy entered World War II, on 10 June 1940, the Italian Navy's main naval bases in the Adriatic Sea were Venice, Brindisi, and Pola. The northern Adriatic was under the jurisdiction of the Northern Adriatic Autonomous Naval Command, headquartered in Venice and commanded by Vice Admiral Ferdinando of Savoy (replaced by Admiral Emilio Brenta shortly before the armistice with the Allies); the southern Adriatic was under the jurisdiction of the Southern Adriatic Naval Command, headquartered in Brindisi and commanded by Admiral Luigi Spalice. Vice Admiral Vittorio Tur was the naval commander of Albania, with headquarters in Durres. Naval commands also existed in Pola (home of the Italian Navy's submarine school) and Lussino.
Italian naval forces in the Adriatic, at the outbreak of the war, included the destroyers and and the 7th Torpedo Boat Squadron (, , and ) in Brindisi, the 15th Torpedo Boat Squadron (, , and ) in Venice, the gunboat Ernesto Giovannini in Pola, the 2nd MAS Squadron (four boats) in Pola, the 3rd MAS Squadron (two boats) in Brindisi, and several minelayers (the relatively shallow waters of the Adriatic Sea were particularly favourable for mine warfare). Seven submarines were based in Brindisi: , , , and (belonging to the 40th Submarine Squadron), (of the 42nd Squadron), (44th Squadron) and (48th Squadron).
Greco-Italian War
The Greco-Italian War lasted from 28 October 1940 to 30 April 1941 and was part of World War II. Italian forces invaded Greece and made limited gains. At the outbreak of hostilities, the Royal Hellenic Navy was composed of the old cruiser , 10 destroyers (four old Thiria class, four relatively modern Dardo class and two new Greyhound class), several torpedo boats and six old submarines. Faced with the formidable Regia Marina, its role was primarily limited to patrol and convoy escort duties in the Aegean Sea. This was essential both for the completion of the Army's mobilization and the overall resupply of the country, the convoy routes being threatened by Italian aircraft and submarines operating from the Dodecanese Islands. Nevertheless, the Greek ships also carried out limited offensive operations against Italian shipping in the Strait of Otranto.
On the Italian side, convoy operations between Italy and Albania were under the responsibility of the High Command for Traffic with Albania (Comando Superiore Traffico Albania, Maritrafalba), established in Valona on 5 October 1940 and initially held by Captain Romolo Polacchini. Maritrafalba's forces included two elderly s, eleven equally old torpedo boats (belonging to the , , Sirtori, and classes), four more modern s of the 12th Torpedo Boat Squadron, four auxiliary cruisers and four MAS of the 13th MAS Squadron. The main Italian supply routes were from Brindisi to Valona and from Bari to Durres.
Greek destroyers carried out three bold but fruitless night-time raids (14–15 November 1940, 15–16 December 1940 and 4–5 January 1941). The main Greek successes came from the submarines, which managed to sink some Italian transports (Greeks also lost a submarine in the process), but the Greek submarine force was too small to be able to seriously hinder the supply lines between Italy and Albania; between 28 October 1940 and 30 April 1941 Italian ships made 3,305 voyages across the Otranto straits, carrying 487,089 military personnel (including 22 field divisions) and 584,392 tons of supplies while losing overall only seven merchant ships and one escort ship. Although the Regia Marina suffered severe losses in capital ships from the British Royal Navy during the Taranto raid, Italian cruisers and destroyers continued to operate covering the convoys between Italy and Albania. Also, on 28 November, an Italian squadron bombarded Corfu, while on 18 December and 4 March, Italian naval units shelled Greek coastal positions in Albania.
The only surface engagement between the Regia Marina and the Royal Navy occurred on the night of 11–12 November 1940, when a British squadron of three light cruisers and two destroyers attacked an Italian return convoy consisting of four merchant ships escorted by the auxiliary cruiser Ramb III and the torpedo boat Nicola Fabrizi, in the Battle of the Strait of Otranto. All four merchants were sunk, and Nicola Fabrizi was heavily damaged. In March 1941, Fairey Swordfish torpedo bombers of the Fleet Air Arm, based in Paramythia, Greece, raided the harbour of Valona multiple times, sinking one merchant ship, one torpedo boat and the hospital ship Po; the Regia Aeronautica then discovered the air base and bombed it, knocking it out for some weeks. In April the air field became operational again and another raid on Valona was carried out, sinking two additional merchant ships; on the same day, however, German forces launched their invasion of Greece, and the base at Paramythia was bombed by the Luftwaffe and permanently destroyed.
Invasion of Yugoslavia
The Invasion of Yugoslavia (also known as Operation 25) began on 6 April 1941 and ended with the unconditional surrender of the Royal Yugoslav Army on 17 April. The invading Axis powers (Nazi Germany, Fascist Italy and Hungary) occupied and dismembered the Kingdom of Yugoslavia.
When Germany and Italy attacked Yugoslavia on 6 April 1941, the Yugoslav Royal Navy had available three destroyers, two submarines and 10 MTBs as the most effective units of the fleet. One other destroyer, the Ljubljana, was in dry-dock at the time of the invasion and she and her anti-aircraft guns were used in defence of the fleet base at Kotor. The remainder of the fleet was useful only for coastal defence and local escort and patrol work.
Kotor (Cattaro) was close to the Albanian border and the Italo-Greek front there, but Zara (Zadar), an Italian enclave, was to the north-west of the coast, and to prevent a bridgehead being established, the , four of the old torpedo boats and six MTBs were despatched to Šibenik, 80 km to the south of Zara, in preparation for an attack. The attack was to be co-ordinated with the 12th "Jadranska" Infantry Division and two Odred (combined regiments) of the Royal Yugoslav Army attacking from the Benkovac area, supported by air attacks by the 81st Bomber Group of the Royal Yugoslav Air Force.
The Yugoslav forces launched their attack on 9 April, but by 13 April Italian forces under General Vittorio Ambrosio had counter-attacked, and were in Benkovac by 14 April. The naval prong of the attack faltered when Beograd was damaged by near misses from Italian aircraft off Šibenik. With her starboard engine put out of action, she limped to Kotor, escorted by the remainder of the force, for repair. Italian air raids on Kotor badly damaged the minelayer Kobac, which was beached to prevent sinking.
The maritime patrol float-planes of the Royal Yugoslav Air Force flew reconnaissance and attack missions during the campaign, as well as providing air cover for mine-laying operations off Zara. Their operations included attacks on the Albanian port of Durrës, as well as strikes against Italian re-supply convoys to Albania. On 9 April, one Dornier Do 22K floatplane notably took on an Italian convoy of 12 steamers with an escort of eight destroyers crossing the Adriatic during the day, attacking single-handed in the face of intense AA fire. No Italian ships, however, were sunk by Yugoslav forces; an Italian tanker was claimed damaged by a near miss off the Italian coast near Bari. Most of the small Yugoslav fleet (the old cruiser Dalmacija, three destroyers, six torpedo boats, three submarines, eleven minelayers, and several auxiliary ships) was seized by Italian ground forces in its bases at Split and Kotor, and later recommissioned under Italian flag. Only four Yugoslav ships escaped capture: the submarine Nebojsa and two motor torpedo boats sailed to Allied-controlled ports, while the Zagreb was scuttled to prevent capture.
Italian occupation and Yugoslav resistance
After the invasion, Italy controlled the entire eastern Adriatic coast through the annexation of much of Dalmatia, the Italian occupation zone of the Independent State of Croatia, the Italian governorate of Montenegro, and the Italian puppet regime of the Albanian Kingdom (1939–1943).
Naval forces of the Yugoslav Partisans were formed as early as 19 September 1942, when Partisans in Dalmatia formed their first naval unit made of fishing boats, which gradually evolved (especially after the armistice between Italy and the Allies) into a force able to conduct complex amphibious operations. This event is considered to be the foundation of the Yugoslav Navy. At its peak during World War II, the Yugoslav Partisans' Navy commanded nine or 10 armed ships, 30 patrol boats, close to 200 support ships, six coastal batteries, and several Partisan detachments on the islands, around 3,000 men.
After the Italian capitulation of 8 September 1943, following the Allied invasion of Italy, the Partisans took most of the coast and all of the islands. On 26 October, the Yugoslav Partisans' Navy was organized first into four, and later into six Maritime Coastal Sectors (Pomorsko Obalni Sektor, POS). The task of the naval forces was to secure supremacy at sea, organize defense of coast and islands, and attack enemy sea traffic and forces on the islands and along the coasts.
British submarine activity
After the fall of Greece and Yugoslavia, the complete Italian control of both coasts of the Adriatic, and the distance from British naval and air bases, meant the end of all British air and surface operations in the Adriatic Sea. From the spring of 1941 to September 1943, Royal Navy activity in the Adriatic was thus limited to submarine operations, mainly in the Southern Adriatic; Italian convoys across the Adriatic suffered negligible losses. Between June 1940 and September 1943, only 0,6 % of the personnel and 0,3 % of the supplies shipped from Italy to Albania and Greece were lost; two-thirds of these losses were caused by submarines, mostly British. Four Royal Navy submarines were lost in the Adriatic, most likely to mines. British surface ships re-entered the Adriatic after the September 1943 armistice, when the much weaker Kriegsmarine forces remained the only opponent.
German occupation
As a first move (Operation Wolkenbruch) the Germans rushed to occupy the northern Adriatic ports of Trieste, Rijeka and Pula, and established the Operational Zone Adriatic Coast (OZAK), with its headquarters in Trieste, on 10 September. It comprised the provinces of Udine, Gorizia, Trieste, Pula (Pola), Rijeka (Fiume) and Ljubljana (Lubiana). Since an Allied landing in the area was anticipated, OZAK also hosted a substantial German military contingent, the Befehlshaber Operationszone Adriatisches Küstenland commanded by General der Gebirgstruppe Ludwig Kübler. On 28 September 1944, these units were redesignated XCVII Armeekorps. Soon, German marine units were also formed. Royal Navy engagement was also on the rise.
German navy in the Adriatic
Vizeadmiral Joachim Lietzmann was Germany's Commanding Admiral Adriatic (Kommandierender Admiral Adria). Initially, the area of operation ranged from Fiume to Valona, and the area of the Western coast was under the jurisdiction of the German navy for Italy (Deutsches Marinekommando Italien). The line of demarcation between the two naval commands corresponded with the line between Armed Group F (Balkans) and Armed Group E (Italy), acting as the border between the Italian Social Republic (RSI) and the Independent State of Croatia (NDH). Soon, at Lietzmann's insistence, the area of operation was extended to include the whole of Istria to the mouth of the Tagliamento, correspondence with the boundary line between the Italian Social Republic and the area of the Operational Zone Adriatic Coast (OZAK).
One of the first operations was Operation Herbstgewitter. This consisted of landing German troops on the islands of Krk, Cres and Lošinj in November 1943. The Germans used some old ships such as the cruiser and the auxiliary cruiser . During the action, the islands were cleared of partisan forces and Niobe with two S-boats managed to capture a British military mission on the island of Lošinj.
Gradually the German navy was built up, mostly with former Italian ships found in an advanced phase of construction in the yards of Fiume and Trieste. The strongest naval unit was the 11th Sicherungsflotille. Formed in May 1943 in Trieste as the 11. Küstenschutzflottille, in December 1943 it was designated 11. Sicherungsflottille. It was employed in protecting marine communications in the Adriatic, mostly from partisan naval attacks. On 1 March 1944, the Flotilla was extended and re-designated the 11. Sicherungsdivision.
Occupation of Dalmatia
Until the end of 1943, German forces were advancing into Dalmatia after the capitulation of Italy.
Starting in late 1943, the Allies undertook a major evacuation of civilian population from Dalmatia fleeing the German occupation, and in 1944 moved them to the El Shatt refugee camp in Egypt.
Vis island
By 1944, only the island of Vis remained unoccupied by the Germans, and Yugoslav and British troops were tasked with preparing its defenses against the later cancelled German invasion (Operation Freischütz). The island was about long and wide, with a mainly hilly outline, and a plain in the centre covered with vines, part of which had been removed to make way for an airstrip about long, from which four Spitfires of the Balkan Air Force were operating. At the west end of the island was the Port of Komiža, while at the other end was the Port of Vis; these were connected by the only good road running across the plain. Vis was organized as a great stronghold, held until the end of World War II.
In 1944 Tito's headquarters moved there, and eventually over 1,000 British troops were included in the defence of Vis. British forces on the island were called Land Forces Adriatic, and were under the command of Brigadier George Daly. The force consisted of No. 40 and No. 43 (Royal Marine) Commando of the 2nd Special Service Brigade, the 2nd Bn. The Highland Light Infantry, and other support troops. Operating from the two ports were several Royal Navy craft. Marshal Tito's forces numbered about 2,000. Vis was functioning as the political and military center of the liberated territories, until the liberation of Belgrade late in 1944.
A remarkable figure was the Canadian captain Thomas G. Fuller, son of the Canadian Chief Dominion Architect Thomas William Fuller, who in 1944 took command of the 61st MGB flotilla. Operating from Vis, he supplied the partisans by pirating German supply ships. He managed to sink or capture 13 German supply boats, was involved in 105 fire fights and another 30 operations where there was no gunfire. Characteristically for the Yugoslav operations theatre, Fuller attributed a good part of his success to the blood-curdling threats uttered by the Yugoslav partisan who manned the MGB's loud hailer: a 400-ton schooner was captured with its whole cargo and whose crew gave up without a struggle because of the explanation of what would be done to them personally, with knives, if they disobeyed.
Liberation of Dalmatia
British naval forces in the Middle East operating in the Adriatic Sea were under the command of the Flag Officer Taranto and Adriatic & Liaison with the Italians (F.O.T.A.L.I). All the naval forces were controlled from Taranto and operated in close coordination with the Coastal attack operations conducted by the BAF. The Yugoslavs used the units in the British navy to transport materials and men, but especially to make landings on the islands of Dalmatia to liberate them from German occupation.
During the Vis period, Partisans carried out several seaborne landings on Dalmatian islands with help of Royal Navy and commandos:
Korčula
Šolta – Operation Detained
Hvar – Operation Endowment
Mljet – Operation Farrier
Brač – Operation Flounced
The French Navy was involved as well in the first half of 1944, with the 10th Division of Light Cruisers made up of three s (Le Fantasque, Le Terrible, Le Malin) making high speed sweeps in the Adriatic, destroying German convoys. One notable action was the Battle off Ist on 29 February 1944 where a German convoy force of two corvettes and two torpedo boats escorting a freighter supported by three minesweepers. The French managed to destroy the German freighter and a corvette in return for no loss before withdrawing.
In the second half of 1944 the Royal Navy sent a destroyer flotilla into the Adriatic. The biggest engagement happened on 1 November, when two s and were patrolling the coastal shipping routes south of Lussino. That evening, two enemy corvettes (UJ-202 and UJ-208) were sighted. The two destroyers opened fire at a range of . In less than 10 minutes, the enemy ships were reduced to mere scrap, the two British ships were circling the enemy and pouring out a devastating fire of pom-pom and small calibre gunfire. When the first corvette was sunk Avon Vale closed to rescue the Germans while Wheatland continued to shoot up the second corvette which eventually blew up. Ten minutes later, the British came under fire from the German Torpedoboot Ausland destroyer (ex-Italian destroyer Audace) which suddenly appeared on the scene. When the two British ships directed their fire at her and the enemy destroyer was sunk. But while the Adriatic campaign continued to the end of the war, the Hunts did not again engage large German warships, although the German navy was constantly launching and commissioning light destroyer types from the yards of Trieste and Fiume. On 14 December, became the last British destroyer lost in World Warr II when struck a mine around the island of Škrda.
To prevent entrance to the North Adriatic in the last two years of World War II, Germany spread thousands of mines and blocked all ports and canals. Many underwater mine fields were situated in the open sea. Mine sweeping was executed by British ships equipped with special mine-sweeping technology. On 5 May 1945, the Shakespeare-class trawler hit a mine while it was sweeping the sea in front of Novigrad.
Planned Allied landings
The Allies, first under a French initiative of general Maxime Weygand, planned landings in the Thessaloniki area. Although discarded by the British, later Winston Churchill advocated for such a landing option. The so-called Ljubljana gap strategy proved ultimately to be little more than a bluff owing to American refusal and skepticism about the whole operation. Nevertheless, the British command planned several landing operations in Dalmatia and Istria codenamed ARMPIT and a more ambitious plan, GELIGNITE. Facing American opposition, the British-made attempts were marked by sending an air force called FAIRFAX to the Zadar area, and an artillery attachment called FLOYD FORCE also to Dalmatia, but due to Yugoslav obstruction, such attempts ceased. Nevertheless, the bluff worked since Hitler eventually awaited an allied landing in the northern Adriatic, and diverted important resources to the area. Instead of landings, the allied agreed to provide Tito's land units with aerial and logistical support by setting up the Balkan Air Force.
The biggest British-led combined operation in the eastern Adriatic codenamed Operation Antagonise in December 1944 was intended to capture the island of Lošinj, where the Germans kept E-boats and (possibly) midget submarines. It was only partially executed since the partisan Navy Commander in Chief, Josip Černi, refused to give his troops for the landing operation. Instead, a group of destroyers and MTBs shelled the German gun positions and 36 South African Air Force Bristol Beaufighters attacked the naval base installations with RP-3 Rocket Projectiles. As the attacks proved ineffective in stopping German activities they were repeated also in the first months of 1945.
Final naval operations
By the end of October 1944, the Germans still had five TA torpedo boats (TA20, , , TA44 and ) and three corvettes (UJ205, UJ206 and TA48) on the Adriatic. On 1 January 1945, there were four German destroyers operative in the northern Adriatic (TA40, TA41, TA44, and TA45) and three U-Boot Jäger corvettes (UJ205, UJ206, and TA48). Even as late as 1 April TA43, TA45 and UJ206 were in commission and available to fight. Allied aircraft sank four in port (at Fiume and Trieste) in March and April, British MTB torpedoed TA45 in April.
The very last operations of the German navy involved the evacuation of troops and personnel from Istria and Trieste before the advancing Yugoslavs that took place in May 1945. An estimated enemy force of 4,000 was landing from 26 ships of all types at the mouth of the Tagliamento River at Lignano Sabbiadoro. The area is a huge sand spit running out into a big lagoon, and at its southern end the Tagliamento River enters the sea. The Germans had evacuated Trieste to escape the Yugoslav Army. The Germans were protected by naval craft holding off three British MTBs, which could not get in close enough to use their guns effectively. There were about 6,000 of them and their equipment included E-boats, LSTs, a small hospital ship, all types of transport, and a variety of weapons. The 21st Battalion of the New Zealand 2nd Division was outnumbered by 20 to one, but at the end the Germans surrendered on 4 May 1945. Others had already surrendered to the British troops on German ships which arrived from Istria to Ancona on 2 May. British sources wrote there were about 30 boats, but no exact record is mentioned.
References
Balkans campaign (World War II)
History of the Adriatic Sea
Mediterranean Sea operations of World War II
Naval battles and operations of the European theatre of World War II
Greece in World War II
Yugoslavia in World War II
Battles and operations of World War II involving Greece
Campaigns, operations and battles of World War II involving the United Kingdom
Wars involving Slovenia |
```c++
#include <cstdio>
#define NIL 0
using namespace std;
struct node
{
int key, value;
node *ch[2];
node(int _key = 0, int _value = 0) : key(_key), value(_value) { ch[0] = ch[1] = NIL; }
}*root;
void rotate(node *&u, int dir)
{
node *o = u->ch[dir];
u->ch[dir] = o->ch[dir ^ 1];
o->ch[dir ^ 1] = u;
u = o;
}
void insert(node *&u, int key, int value)
{
if (u == NIL)
{
u = new node(key, value);
return;
}
if (key < u->key)
{
insert(u->ch[0], key, value);
rotate(u, 0);
}
else if (key > u->key)
{
insert(u->ch[1], key, value);
rotate(u, 1);
}
}
int find(node *&u, int key)
{
if (u == NIL)
{
return -1;
}
if (u->key == key)
{
return u->value;
}
int res;
if (key < u->key)
{
res = find(u->ch[0], key);
if (u->ch[0] != NIL)
rotate(u, 0);
}
else if (key > u->key)
{
res = find(u->ch[1], key);
if (u->ch[1] != NIL)
rotate(u, 1);
}
return res;
}
int main()
{
int in, key, value;
while (true)
{
scanf("%d", &in);
if (in == 1)
{
scanf("%d%d", &key, &value);
insert(root, key, value);
}
else if (in == 2)
{
scanf("%d", &key);
printf("%d\n", find(root, key));
}
else if (in == 0)
{
return 0;
}
else
{
printf("No such command!\n");
}
}
return 0;
}
``` |
Mike Burnett (born 6 October 1988) is an English former professional rugby league footballer who played in the 2000s and 2010s for Hull F.C. and the Harlequins RL in the Super League. His position of choice was as a .
Background
Burnett was born in Kingston upon Hull, Humberside, England.
Career
He was forced to retire from rugby league in 2012 due to a back injury.
References
External links
Profile at hullfc.com
Burnett boost for Harlequins RL
(archived by web.archive.org) Stats → PastPlayers → B at hullfc.com
(archived by web.archive.org) Statistics I at hullfc.com
(archived by web.archive.org) Statistics II at hullfc.com
1988 births
Living people
English rugby league players
Hull F.C. players
London Broncos players
Rugby league players from Kingston upon Hull
Rugby league second-rows |
Ben Hornok is an American Republican politician and General Contractor serving as a member of the Wyoming House of Representatives from the 42nd district. Elected on November 8, 2022, in the 2022 Wyoming House of Representatives election, he assumed office on January 2, 2023.
Biography
Hornok is a Christian, and works as a General contractor outside of politics. He obtained a B.A in Biblical Studies at Frontier School of the Bible in 1997, and studied Construction Management at Salt Lake Community College in 2003. He has five siblings. His father and grandfather were pastors.
References
Living people
Year of birth missing (living people)
Republican Party members of the Wyoming House of Representatives |
```xml
declare const _default: any;
export default _default;
//# sourceMappingURL=ExponentDeviceMotion.d.ts.map
``` |
```javascript
// Generated by CoffeeScript 1.12.7
(function() {
var NodeType, XMLCharacterData, XMLText,
extend = function(child, parent) { for (var key in parent) { if (hasProp.call(parent, key)) child[key] = parent[key]; } function ctor() { this.constructor = child; } ctor.prototype = parent.prototype; child.prototype = new ctor(); child.__super__ = parent.prototype; return child; },
hasProp = {}.hasOwnProperty;
NodeType = require('./NodeType');
XMLCharacterData = require('./XMLCharacterData');
module.exports = XMLText = (function(superClass) {
extend(XMLText, superClass);
function XMLText(parent, text) {
XMLText.__super__.constructor.call(this, parent);
if (text == null) {
throw new Error("Missing element text. " + this.debugInfo());
}
this.name = "#text";
this.type = NodeType.Text;
this.value = this.stringify.text(text);
}
Object.defineProperty(XMLText.prototype, 'isElementContentWhitespace', {
get: function() {
throw new Error("This DOM method is not implemented." + this.debugInfo());
}
});
Object.defineProperty(XMLText.prototype, 'wholeText', {
get: function() {
var next, prev, str;
str = '';
prev = this.previousSibling;
while (prev) {
str = prev.data + str;
prev = prev.previousSibling;
}
str += this.data;
next = this.nextSibling;
while (next) {
str = str + next.data;
next = next.nextSibling;
}
return str;
}
});
XMLText.prototype.clone = function() {
return Object.create(this);
};
XMLText.prototype.toString = function(options) {
return this.options.writer.text(this, this.options.writer.filterOptions(options));
};
XMLText.prototype.splitText = function(offset) {
throw new Error("This DOM method is not implemented." + this.debugInfo());
};
XMLText.prototype.replaceWholeText = function(content) {
throw new Error("This DOM method is not implemented." + this.debugInfo());
};
return XMLText;
})(XMLCharacterData);
}).call(this);
``` |
```objective-c
//
//
// 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.
#pragma once
#include <vector>
#include "paddle/phi/core/dense_tensor.h"
namespace phi {
template <typename T, typename Context>
void UniqueConsecutiveKernel(const Context& dev_ctx,
const DenseTensor& x,
bool return_inverse,
bool return_counts,
const std::vector<int>& axis,
DataType dtype,
DenseTensor* out,
DenseTensor* index,
DenseTensor* counts);
} // namespace phi
``` |
```kotlin
package mega.privacy.android.shared.sync
import androidx.annotation.StringRes
import mega.privacy.android.domain.entity.sync.SyncError
import mega.privacy.android.shared.resources.R
import javax.inject.Inject
/**
* UI Mapper that retrieves the appropriate Device Folder Error Message from a Device Folder's
* [SyncError]
*/
class DeviceFolderUINodeErrorMessageMapper @Inject constructor() {
/**
* Invocation function
*
* @param errorSubState The corresponding [SyncError]
* @return A [StringRes] of the specific Error Message
*/
operator fun invoke(errorSubState: SyncError?): Int? = when (errorSubState) {
SyncError.NO_SYNC_ERROR -> null
SyncError.UNKNOWN_ERROR -> R.string.general_sync_message_unknown_error
SyncError.UNSUPPORTED_FILE_SYSTEM -> R.string.general_sync_unsupported_file_system
SyncError.INVALID_REMOTE_TYPE -> R.string.general_sync_invalid_remote_type
SyncError.INVALID_LOCAL_TYPE -> R.string.general_sync_invalid_local_type
SyncError.INITIAL_SCAN_FAILED -> R.string.general_sync_initial_scan_failed
SyncError.LOCAL_PATH_TEMPORARY_UNAVAILABLE -> R.string.general_sync_message_cannot_locate_local_drive_now
SyncError.LOCAL_PATH_UNAVAILABLE -> R.string.general_sync_message_cannot_locate_local_drive
SyncError.REMOTE_NODE_NOT_FOUND -> R.string.general_sync_remote_node_not_found
SyncError.STORAGE_OVERQUOTA -> R.string.general_sync_storage_overquota
SyncError.ACCOUNT_EXPIRED -> R.string.general_sync_account_expired
SyncError.FOREIGN_TARGET_OVERSTORAGE -> R.string.general_sync_foreign_target_overshare
SyncError.REMOTE_PATH_HAS_CHANGED -> R.string.general_sync_remote_path_has_changed
SyncError.SHARE_NON_FULL_ACCESS -> R.string.general_sync_share_non_full_access
SyncError.LOCAL_FILESYSTEM_MISMATCH -> R.string.general_sync_local_filesystem_mismatch
SyncError.PUT_NODES_ERROR -> R.string.general_sync_put_nodes_error
SyncError.ACTIVE_SYNC_BELOW_PATH -> R.string.general_sync_active_sync_below_path
SyncError.VBOXSHAREDFOLDER_UNSUPPORTED -> R.string.general_sync_vboxsharedfolder_unsupported
SyncError.ACCOUNT_BLOCKED -> R.string.general_sync_account_blocked
SyncError.UNKNOWN_TEMPORARY_ERROR -> R.string.general_sync_unknown_temporary_error
SyncError.TOO_MANY_ACTION_PACKETS -> R.string.general_sync_too_many_action_packets
SyncError.LOGGED_OUT -> R.string.general_sync_logged_out
SyncError.BACKUP_MODIFIED -> R.string.general_sync_message_folder_backup_issue_due_to_recent_changes
SyncError.BACKUP_SOURCE_NOT_BELOW_DRIVE -> R.string.general_sync_backup_source_not_below_drive
SyncError.SYNC_CONFIG_WRITE_FAILURE -> R.string.general_sync_message_folder_backup_issue
SyncError.ACTIVE_SYNC_SAME_PATH -> R.string.general_sync_active_sync_same_path
SyncError.COULD_NOT_MOVE_CLOUD_NODES -> R.string.general_sync_could_not_move_cloud_nodes
SyncError.COULD_NOT_CREATE_IGNORE_FILE -> R.string.general_sync_could_not_create_ignore_file
SyncError.SYNC_CONFIG_READ_FAILURE -> R.string.general_sync_config_read_failure
SyncError.UNKNOWN_DRIVE_PATH -> R.string.general_sync_unknown_drive_path
SyncError.INVALID_SCAN_INTERVAL -> R.string.general_sync_invalid_scan_interval
SyncError.NOTIFICATION_SYSTEM_UNAVAILABLE -> R.string.general_sync_notification_system_unavailable
SyncError.UNABLE_TO_ADD_WATCH -> R.string.general_sync_unable_to_add_watch
SyncError.INSUFFICIENT_DISK_SPACE -> R.string.general_sync_insufficient_disk_space
SyncError.UNABLE_TO_RETRIEVE_ROOT_FSID,
SyncError.FAILURE_ACCESSING_PERSISTENT_STORAGE,
-> R.string.general_sync_unable_to_retrieve_root_fsid
SyncError.UNABLE_TO_OPEN_DATABASE,
SyncError.MISMATCH_OF_ROOT_FSID,
SyncError.FILESYSTEM_FILE_IDS_ARE_UNSTABLE,
SyncError.FILESYSTEM_ID_UNAVAILABLE,
-> R.string.general_sync_message_folder_backup_issue
SyncError.REMOTE_NODE_MOVED_TO_RUBBISH,
SyncError.REMOTE_NODE_INSIDE_RUBBISH,
-> R.string.general_sync_message_node_in_rubbish_bin
SyncError.ACTIVE_SYNC_ABOVE_PATH,
SyncError.LOCAL_PATH_SYNC_COLLISION,
-> R.string.your_sha256_hashther_backed_up_folder
else -> R.string.general_sync_message_unknown_error
}
}
``` |
The Prague Chamber Choir (Pražský komorní sbor) is a Czech choir founded in Prague in 1990 by singers of the Prague Philharmonic Choir. It has performed concerts in Australia, Brazil, Israel, Japan, Lebanon and many European countries (e.g. Wexford Festival Opera, Rossini Opera Festival).
External links
Czech choirs
Chamber choirs
Musical groups established in 1990
1990 establishments in Czechoslovakia |
27 Brigade () was a guerrilla force formed in Taichung, Taiwan, shortly after the outbreak of February 28 Incident. It was organized by Hsieh Hsueh-hung, a leading figure of Taiwanese Communist Party during the Japanese Administration Era, and was led by local Taichung scholar . The total strength of the brigade remains disputed, with sources putting it as low as 30 and as many as 4,000; however, it is agreed that the bulk of the force was made up of young students and discharged soldiers who had fought in World War II for the Empire of Japan. One source also claims that the 27 Brigade discovered a secret weapon cache left by the Japanese that contained enough weapons and ammunition to arm "three whole divisions," which remains disputed today.
On 15 March 1947, when the Kuomintang (KMT) forces closed-in on Taichung, the brigade sent several detachments out to engage. The confrontation became known as the . They did force the enemy force back, but also sustained heavy casualties and faced shortage of ammunition. The next day, the KMT force, after being reinforced and receiving heavy weaponry, assaulted positions held by the 27 Brigade, inflicted some casualties and forced them to retreat. At night, brigade leaders agreed to disband the brigade; brigade members hid their weapons and returned home shortly before midnight.
Legacy
In 2017, a monument was erected in Taichung commemorating the actions of the 27 Brigade. A documentary, The 27 Brigade Documentary (2七部隊紀錄片), was produced in the same year.
References
February 28 incident
Communism in Taiwan
History of Taiwan
Military units and formations disestablished in 1947
1947 establishments in Taiwan
Military units and formations established in 1947
1947 disestablishments in Taiwan |
Shatterfist is a name of two different fictional character properties:
Shatterfist (DC Comics)
Shatterfist (Marvel Comics) |
```text
Alternative Names
0
PARAM.SFO
/*
Resident Evil Revelations
*/
#
Invincible
0
xtatu
0 003E66CC 3880FFFF
0 0026A508 38800000
#
Infinite Reload
0
xtatu
0 003EA46C 4082003C
#
1P Hit Kill Ammo Mode
0
xtatu
0 002ACEAC 3860270F
#
Quick Shot Stab Fast
0
xtatu
0 002AF6A0 42C80000
#
AoB Invincible
0
xtatu
B 00010000 04000000
B 4181001463E3000038800001 4181001463E300003880FFFF
B 00010000 04000000
B 4BDA62B9835F0E706343000038800001 4BDA62B9835F0E706343000038800000
#
AoB Infinite Reload
0
xtatu
B 00010000 04000000
B 83FE0EDC63DD00002C1F00094182003C 83FE0EDC63DD00002C1F00094082003C
#
AoB Quick Shot + Stab Fast
0
xtatu
B 00010000 04000000
B your_sha256_hash your_sha256_hash
#
AoB 1P Hit Kill Ammo Mode
0
xtatu
B 00010000 04000000
B your_sha256_hash63840000 your_sha256_hash63840000
#
``` |
The short-billed pipit (Anthus furcatus) is a species of bird in the family Motacillidae.
It is found in Argentina, Brazil, Paraguay and Uruguay. Its natural habitats are temperate grassland and subtropical or tropical high-altitude grassland. The Puna pipit is sometimes considered a subspecies.
References
Further reading
short-billed pipit
Birds of the Puna grassland
Birds of Argentina
Birds of Uruguay
short-billed pipit
Taxonomy articles created by Polbot
Taxa named by Frédéric de Lafresnaye
Taxa named by Alcide d'Orbigny |
Mahuadanr is a village Panchayat located in the Latehar district of Jharkhand state, India.
Mahuadanr is one of the two subdivisions of the district Latehar (Latehar and Mahuadanr) and one of the 9 Development Blocks, namely Latehar, Chandwa, Balumath, Bariyatu, Herhanj, Manika, Barwadih, Garu and Mahuadanr. Mahuadanr is situated 118.3 km far from its district town Latehar amidst the dense forest, hilly terrains and agricultural fields.
Notable People from Mahuadanr
Biju Toppo, notable documentary filmmaker
References
Villages in Latehar district |
Rohnat, nicknamed village of rebels, is a village in the Bawani Khera tehsil of the Bhiwani district in the Indian state of Haryana. On 26 March 2022 Manish Joshi Bismil a famous theatre director of Haryana performed a play Dastan E Rohnat in Hisar . Manoharlal Khattar Chief Minister Haryana witnessed this performance and announced an academy on the name of Rohnat.Manoharlal Khattar also announced the shows of this play in all over Haryana. It lies approximately north west of the district headquarters town of Bhiwani. It is 12 km from Hansi on the MDR 108 Kanwari-Hansi road, 25 km from Hisar, 160 km from Delhi and 220 km from Chandigarh.
Geography
Nearby villages include Kanwari, Muzadpur and Nalwa. The village of Balali, the home village of the Phogat sisters is also close. The village, which lies in the basin of the Saraswati River and the Yamuna, is irrigated by the Sunder distributory of the Western Yamuna Canal.
History
Due to its participation in the Indian Rebellion of 1857, the village was nicknamed by the British Raj as the village of rebels. All the land of zamindars was taken away and freedom fighters were crushed under road rollers.
General Courtland attacked the village for their prolific role in the rebellion and the villagers fought back bravely. Courtland ordered the destruction of the village by bombarding it with cannon shells. Birhad Bairagi was tied to the mouth of a canon and blasted. Among the villagers who were caught, some were hanged by the still-extant banyan tree [dying and in the need of revival] on the banks of Dhab Johad wetland, others were crushed in Hansi town under the road roller on the Lal Sadak (literally Red Road). Naunda Jat and Rupa Khati were among the martyrs. Surviving villagers refused to apologise, as required by the British colonials, for their part in the 1857 war of independence. Consequently, the land of the freedom fighters was confiscated and auctioned off as a punishment.
The villagers still claim rights to the allegedly auctioned land. Due to this, villagers used to abstain from celebrating the Independence Day or unfurling the national flag because as per them, freedom had not yet arrived. On Martyrs Day on 23 March 2018, Chief Minister Manoharlal Khattar, for the first time, got a village elder to unfurl the flag in the village.
Demographics
, the village had 711 households with a population of 3,785, of which 1,970 were male and 1,815 female.
Culture
The major temple is Jakhli dham. Hindu festivals are celebrated every year. Teej is a popular Haryanvi festival observed with the music of Haryana.
Tourism
The village lies on the Golden Trinagle of West Haryana tourism i.e. the Hisar (Firoz Shah Palace Complex, Agroha Mound, Rakhi Garhi) - Hansi (Asigarh Fort) - Tosham (Tosham fort & rock inscription and Tosham Hill range) tourism circuit.
The government is developing the Rohnat Ahutatma Smarak (martyr's memorial) under the Rohnat Freedom Trust on 4 acres of land to commemorate the valour and sacrifice during the revolt of 1857. The installation of the tallest Indian flag is also planned, as well as the renovation on well martyrs and the revival of the dying tree on which martyrs were hanged.
See also
Administrative divisions of Haryana
Madhogarh Fort, Haryana
Tourism in Haryana
Tourism in India
References
Tourism in Haryana
Villages in Bhiwani district |
Euphorbia tridentata is a species of succulent spurge native to the southern Cape, South Africa.
Description
A small, low, spreading, semi-geophytic stem-succulent, with tuberous roots and rhizomes. During the dry seasons, the stems can die back above ground. The stems are somewhat segmented. Each branch is rounded-to-cylindrical, but at its point of growth it is constricted.
The solitary cyathia are carried on short peduncles. Their five involucral glands each carry 3 or 4 distinctive finger-like outgrowths.
Distribution and habitat
Euphorbia tridentata is endemic to South Africa.
In the Western Cape Province, it occurs around the town of Riversdale, westwards to Heidelberg and eastwards to Mossel Bay and Hartenbos.
References
tridentata
Renosterveld
Endemic flora of the Cape Provinces |
The Pusey and Jones Corporation was a major shipbuilder and industrial-equipment manufacturer. Based in Wilmington, Delaware, it operated from 1848 to 1959.
Shipbuilding was its primary focus from 1853 until the end of World War II, when the company converted the shipyard to produce machinery for paper manufacturing. The yard built more than 500 ships, from large cargo vessels to small warships and yachts, including Volunteer, the winner of the 1887 America’s Cup.
History
The company began in 1848, when Joshua L. Pusey and John Jones formed a partnership in Wilmington, Delaware, to run a machine shop in space rented from a whaling company. The shipyard sat between the Christina River and the main line of the Pennsylvania Railroad.
In 1851, Edward Betts and Joshua Seal, who were operating an iron foundry in Wilmington, purchased an interest in the business. The name of the company became Betts, Pusey, Jones & Seal.
In 1854, Pusey and Jones built the first U.S. iron-hulled sailing vessel: a schooner named Mahlon Betts after Edward's father, who had built the foundry.
At the beginning of the Civil War the company began building vessels for the U.S. military. The first was a sloop of war, which required immediate expansion of the workforce. The company also built engines and boilers for other shipbuilding firms.
In 1887, the company built the first steel-hulled yacht to win the America’s Cup, "Volunteer".
During World War I, the firm grew to more than 2,000 employees. It established the Pennsylvania Shipbuilding Corporation shipyard in Gloucester City, New Jersey, with four ways capable of launching ships up to 12,500 tons and two ways of up to 7,000 tons. Shortly thereafter, the New Jersey Shipbuilding Corporation was formed and their shipyard, which was virtually an addition to the Pennsylvania S.B. yard, was planned to have six slipways for building 5,000-ton cargo steam ships. The keel of the first 7,000dwt tanker was laid on 9 September 1916.
These two yards delivered 20 ships to the United States Shipping Board, all requisitions:
6 tankers of 7,000dwt
11 cargo ships of 12,500dwt
Yard#7, War Serpent, launched as Indianapolis
3 cargo ships of 5,000dwt
The Wilmington yard delivered 14 vessels, all requisitions, and two minesweepers for the United States Navy:
6 cargo, 2,600t
8 cargo, 3,000t
2 of 49 s
,
After the business slump of the early 1920s, the company reorganized in 1927 under businessman Clement C. Smith, becoming Pusey and Jones Corporation. The company focused on building large luxury steam and motor yachts for wealthy patrons.
As World War II approached, military orders increased. The highest employment was reached during World War II, when more than 3,600 employees worked in the shipyards, plants and offices of the company. Pusey and Jones built 19 Type C1 ships for the U.S. Maritime Commission.
Other craft such as minesweepers were built, along with specialty and smaller vessels. Many commercial and private vessels originally built by the company were also converted to military use.
On Liberty Fleet Day — September 27, 1941 — the yard launched the SS Adabelle Lykes.
After World War II, Pusey and Jones converted the shipyard's facilities to manufacture papermaking machinery.
The company closed in 1959.
Notable vessels
See also
:Category:Ships built by Pusey and Jones
Harlan and Hollingsworth: Nearby shipyard in Wilmington, Delaware
Jackson and Sharp Company: Nearby shipyard in Wilmington, Delaware
References
External links
Pusey and Jones paper industry website
List of ships built at the Wilmington shipyard shipbuildinghistory.com
List of ships built at the Gloucester City shipyard shipbuildinghistory.com
Wilmington Industrial History by Patrick Harshbarger
Delaware River Shipyards yorkship.com
Shipyards and Suppliers for U. S. Maritime Commission During World War II usmm.org
Ship builders and Owners (list) wrecksite.eu
Wilmington Strike Ends; Workers Return Today to Pusey & Jones Shipyards New York Times, December 5, 1941
Volunteer Americascup.com
Outboard Profiles of Maritime Commission Vessels, The C1 Cargo Ship, Conversions and Subdesigns
WWI Standard Built Ships, Shipbuilding Yards
Photos of Pusey and Jones ships and facilities
Building the Lydonia II Digital exhibit about a ship built at Pusey and Jones
Defunct shipbuilding companies of the United States
Maritime history of Delaware
Wilmington Riverfront
Companies based in Wilmington, Delaware
American companies established in 1848
Manufacturing companies established in 1848
Manufacturing companies disestablished in 1959
1959 disestablishments in Delaware
America's Cup yacht builders
1848 establishments in Delaware
Papermaking in the United States
Industrial machine manufacturers
American companies disestablished in 1959
Defunct manufacturing companies based in Delaware |
Gérard Fenouil (23 June 1945 – 8 October 2023) was a French athlete who mainly competed in the 100 metres.
Born in Paris, he competed for France in the 1968 Summer Olympics held in Mexico City, Mexico, where he won the bronze medal in the 4 x 100 metre relay with his team mates Jocelyn Delecour, Claude Piquemal and Roger Bambuck. Fenouil died on 8 October 2023, at the age of 78.
References
Sources
Sports Reference
1945 births
2023 deaths
French male sprinters
Athletes (track and field) at the 1968 Summer Olympics
Athletes (track and field) at the 1972 Summer Olympics
Olympic athletes for France
Olympic bronze medalists for France
Athletes from Paris
European Athletics Championships medalists
Medalists at the 1968 Summer Olympics
Olympic bronze medalists in athletics (track and field) |
Gunung Sahari Utara is an administrative village in the Sawah Besar district of Indonesia. It has postal code of 10720.
See also
List of administrative villages of Jakarta
Administrative villages in Jakarta
Central Jakarta |
Andrei Vladimirovich Liforenko (; born 20 June 1975) is a former Russian football player.
External links
1975 births
Footballers from Saint Petersburg
Living people
Russian men's footballers
FC Rubin Kazan players
FC Dynamo Saint Petersburg players
PFC CSKA Moscow players
Russian Premier League players
FC Moscow players
FC Shakhter Karagandy players
Russian expatriate men's footballers
Expatriate men's footballers in Kazakhstan
FC Mordovia Saransk players
Men's association football defenders
FC Lokomotiv Saint Petersburg players
FC Saturn-1991 Saint Petersburg players
FC Krasnoznamensk players |
The Battle of Khresili (, ) was fought in 1757, between the armies of the Kingdom of Imereti and the Ottoman Empire. The king of Imereti, Solomon I defeated the Turkish army. The battle took place on December 14, 1757. Solomon I established a strong monarchy and unified western Georgia. His actions strained the relations between the Georgian King and Ottoman Empire. The Ottomans, in particular, wanted to stop Solomon's struggle against slavery. The Ottomans were in an alliance with rebellious Georgian nobles, one such example was Levan Abashidze, who was fighting against the King of Imereti. Abashidze arrived in Akhaltsikhe and led an Ottoman army to the Kingdom of Imereti. Solomon enticed them into a strategically adroit place near Khresili and decisively defeated them.
Background
In the 17th century, western Georgia was a vassal of the Ottoman Empire. Ottoman garrisons were dispatched to Tsutskvati, Poti and Shorapani fortresses. 12,000 slaves were sold in the Ottoman Empire every year from Mengrelia alone. Realizing that Georgia was facing the threat of heavy depopulation, the King of Imereti, Solomon I prohibited slavery, opposing turncoat Lords and wanted independence from the Ottoman Empire. Sultan sent Gola Pasha with a large army to punish Solomon I and re-establish Ottoman rule over the Kingdom of Imereti.
Battle
Early in the morning, the Georgians started the attack. Ottoman army was cornered exactly where king Solomon I wanted them. Georgian attack was well prepared, numerically smaller Georgian army compensated its small size by high morale and determination to wipe out invading Turks from their land. King Solomon personally led his small army's charge, reached the Gola pasha and cut his head off. Turks panicked and tried to escape. But their leader, Abashidze somehow restored moral in Turkish army and they returned to battle, but soon Abashidze was killed by Georgian soldier: Gegela Tevdoradze (later he was called Gegelashvili). after they saw the death of their commander, Ottomans finally gave up on fighting and Georgians decisively defeated the Ottoman army. A large part of the Ottoman army was destroyed, a part was captured, a small part helped themselves by escaping. In the battle of Khresili, the commanders of the Ottoman army were killed: Gola Pasha, Kemkha Pasha and Levan Abashidze.
Ottomans never recovered from such a massive loss of manpower. Two further attempts to invade Imereti after this battle were with smaller Ottoman armies of 20,000 and 13,000 people strong, and while they were still numerically superior to Solomon I's small army, they were defeated just as well.
Strategic ramifications
After the battle of Khresili, in 1758-1766, the Ottomans attacked Imereti many times, but they could not subjugate Solomon I. Ottomans were eventually forced to sign a treaty with the kingdom of Imereti, which stated that Imereti was no longer an Ottoman vassal but a kingdom under Ottoman protection. the only remnant of past Ottoman glory in this treaty was an annual tribute of 60 women (of any ethnic origin, not necessarily Georgians), which king Solomon failed to honor anyway.
References
Khresili
Khresili
1757 in the Ottoman Empire
18th century in Georgia (country)
Battles involving the Ottoman Empire
Khresili |
This is a list of countries by population in 1500. Estimate numbers are from the beginning of the year, and exact population figures are for countries that held a census on various dates in that year. The bulk of these numbers are sourced from Alexander V. Avakov's Two Thousand Years of Economic Statistics, Volume 1, pages 12 to 14, which cover population figures from the year 1500 divided into modern borders. Avakov, in turn, cites a variety of sources, mostly Angus Maddison.
See also
List of countries by population
List of sovereign states in 1500
List of countries by population in 1600
List of countries by population in 1700
Notes
References
Sources
Kurt Witthauer. Bevölkerung der Erde (1958)
Calendario Atlante de Agostini, anno 99 (2003)
The Columbia Gazetteer of the World (1998)
Britannica Book of the Year: World Data (1997)
1500
1500 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.