text
stringlengths
1
22.8M
Levia Van Ouwerkerk (or Van Eurek, ; born 8 August 1991) is a Dutch-Israeli footballer who plays as a forward and has appeared for the Israel women's national team. Levie Van Ouwerkerk () was born in the Netherlands, to a Christian family. Her great-grandparents hid a Jewish girl during the Holocaust. Ouwerkerk's family immigrated to Israel in 2009. She has been capped for the Israel national team, appearing for the team during the 2019 FIFA Women's World Cup qualifying cycle. References External links 1991 births Living people Israeli women's footballers Israel women's international footballers Women's association football forwards Dutch women's footballers Israeli Christians Dutch emigrants to Israel
Santa Maria Regina Pacis a Monte Verde is a 20th-century parochial church and titular church in Monteverde, central Rome. History The first church for the Monteverde area was built in 1915. The present church was begun in 1925 but construction was stopped until 1931; construction was not complete until 1941. Thirty Jews were hidden in the church for a month during the Second World War. The mosaic of the Virgin and Child was added by Silvio Novaro in 1949–54. From 1959 twenty-two paintings depicting the life of Mary were added; they were destroyed in a fire in 1980. On 30 April 1969, it was made a titular church to be held by a cardinal-priest. Pope John Paul II visited in 1983. Cardinal-protectors Joseph Parecattil (1969–1987) Antony Padiyara (1988–2000) Francisco Alvarez Martínez (2001–2022) Oscar Cantoni (2022–present) References External links Titular churches Rome Q. XII Gianicolense Roman Catholic churches completed in 1942 20th-century Roman Catholic church buildings in Italy
```python import asyncio import concurrent.futures.thread import functools import time from contextvars import copy_context from .run import FuncThread from .threads import TMP_THREADS, start_worker_thread # reference to named event loop instances EVENT_LOOPS = {} class DaemonAwareThreadPool(concurrent.futures.thread.ThreadPoolExecutor): """ This thread pool executor removes the threads it creates from the global ``_thread_queues`` of ``concurrent.futures.thread``, which joins all created threads at python exit and will block interpreter shutdown if any threads are still running, even if they are daemon threads. Threads created by the thread pool will be daemon threads by default if the thread owning the thread pool is also a deamon thread. """ def _adjust_thread_count(self) -> None: super()._adjust_thread_count() for t in self._threads: if not t.daemon: continue try: del concurrent.futures.thread._threads_queues[t] except KeyError: pass class AdaptiveThreadPool(DaemonAwareThreadPool): """Thread pool executor that maintains a maximum of 'core_size' reusable threads in the core pool, and creates new thread instances as needed (if the core pool is full).""" DEFAULT_CORE_POOL_SIZE = 30 def __init__(self, core_size=None): self.core_size = core_size or self.DEFAULT_CORE_POOL_SIZE super(AdaptiveThreadPool, self).__init__(max_workers=self.core_size) def submit(self, fn, *args, **kwargs): # if idle threads are available, don't spin new threads if self.has_idle_threads(): return super(AdaptiveThreadPool, self).submit(fn, *args, **kwargs) def _run(*tmpargs): return fn(*args, **kwargs) thread = start_worker_thread(_run) return thread.result_future def has_idle_threads(self): if hasattr(self, "_idle_semaphore"): return self._idle_semaphore.acquire(timeout=0) num_threads = len(self._threads) return num_threads < self._max_workers # Thread pool executor for running sync functions in async context. # Note: For certain APIs like DynamoDB, we need 3x threads for each parallel request, # as during request processing the API calls out to the DynamoDB API again (recursively). # (TODO: This could potentially be improved if we move entirely to asyncio functions.) THREAD_POOL = AdaptiveThreadPool() TMP_THREADS.append(THREAD_POOL) class AsyncThread(FuncThread): def __init__(self, async_func_gen=None, loop=None): """Pass a function that receives an event loop instance and a shutdown event, and returns an async function.""" FuncThread.__init__(self, self.run_func, None, name="asyncio-thread") self.async_func_gen = async_func_gen self.loop = loop self.shutdown_event = None def run_func(self, *args): loop = self.loop or ensure_event_loop() self.shutdown_event = asyncio.Event() if self.async_func_gen: self.async_func = async_func = self.async_func_gen(loop, self.shutdown_event) if async_func: loop.run_until_complete(async_func) loop.run_forever() def stop(self, quiet=None): if self.shutdown_event: self.shutdown_event.set() self.shutdown_event = None @classmethod def run_async(cls, func=None, loop=None): thread = cls(func, loop=loop) thread.start() TMP_THREADS.append(thread) return thread async def run_sync(func, *args, thread_pool=None, **kwargs): loop = asyncio.get_running_loop() thread_pool = thread_pool or THREAD_POOL func_wrapped = functools.partial(func, *args, **kwargs) return await loop.run_in_executor(thread_pool, copy_context().run, func_wrapped) def run_coroutine(coroutine, loop=None): """Run an async coroutine in a threadsafe way in the main event loop""" loop = loop or get_main_event_loop() future = asyncio.run_coroutine_threadsafe(coroutine, loop) return future.result() def ensure_event_loop(): """Ensure that an event loop is defined for the currently running thread""" try: return asyncio.get_event_loop() except Exception: loop = asyncio.new_event_loop() asyncio.set_event_loop(loop) return loop def get_main_event_loop(): return get_named_event_loop("_main_") def get_named_event_loop(name): result = EVENT_LOOPS.get(name) if result: return result def async_func_gen(loop, shutdown_event): EVENT_LOOPS[name] = loop AsyncThread.run_async(async_func_gen) time.sleep(1) return EVENT_LOOPS[name] async def receive_from_queue(queue): from localstack.runtime import events def get(): # run in a retry loop (instead of blocking forever) to allow for graceful shutdown while True: try: if events.infra_stopping.is_set(): return return queue.get(timeout=1) except Exception: pass msg = await run_sync(get) return msg ```
The 2001 Brabantse Pijl was the 41st edition of the Brabantse Pijl cycle race and was held on 1 April 2001. The race started in Zaventem and finished in Alsemberg. The race was won by Michael Boogerd. General classification References 2001 Brabantse Pijl
Cydia leguminana is a moth belonging to the family Tortricidae. The species was first described by Friederike Lienig and Philipp Christoph Zeller in 1846. It is native to Europe. References Grapholitini
```php <?php namespace App\Models; use Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\SoftDeletes; use Zizaco\Entrust\Traits\EntrustUserTrait; use Illuminate\Foundation\Auth\Access\Authorizable; use Illuminate\Contracts\Auth\Authenticatable as AuthenticatableContract; use Illuminate\Contracts\Auth\Access\Authorizable as AuthorizableContract; use Laracasts\Presenter\PresentableTrait; use Venturecraft\Revisionable\RevisionableTrait; use Overtrue\LaravelFollow\FollowTrait; use App\Jobs\SendActivateMail; use Carbon\Carbon; use Cache; use Nicolaslopezj\Searchable\SearchableTrait; use Cmgmyr\Messenger\Traits\Messagable; class User extends Model implements AuthenticatableContract, AuthorizableContract { use Traits\UserRememberTokenHelper; use Traits\UserSocialiteHelper; use Traits\UserAvatarHelper; use Traits\UserActivityHelper; use Messagable; use PresentableTrait; public $presenter = 'Phphub\Presenters\UserPresenter'; use SearchableTrait; protected $searchable = [ 'columns' => [ 'users.name' => 10, 'users.real_name' => 10, 'users.introduction' => 10, ], ]; public function getAuthIdentifierName() { return 'id'; } // For admin log use RevisionableTrait; protected $keepRevisionOf = [ 'is_banned' ]; use EntrustUserTrait { restore as private restoreEntrust; EntrustUserTrait::can as may; } use SoftDeletes { restore as private restoreSoftDelete; } use FollowTrait; protected $dates = ['deleted_at']; protected $table = 'users'; protected $guarded = ['id', 'is_banned']; public static function boot() { parent::boot(); static::created(function ($user) { $driver = $user['github_id'] ? 'github' : 'wechat'; SiteStatus::newUser($driver); dispatch(new SendActivateMail($user)); }); static::deleted(function ($user) { \Artisan::call('phphub:clear-user-data', ['user_id' => $user->id]); }); } public function scopeIsRole($query, $role) { return $query->whereHas('roles', function ($query) use ($role) { $query->where('name', $role); } ); } public static function byRolesName($name) { $data = Cache::remember('phphub_roles_'.$name, 60, function () use ($name) { return User::isRole($name)->orderBy('last_actived_at', 'desc')->get(); }); return $data; } public function managedBlogs() { return $this->belongsToMany(Blog::class, 'blog_managers'); } /** * For EntrustUserTrait and SoftDeletes conflict */ public function restore() { $this->restoreEntrust(); $this->restoreSoftDelete(); } public function votedTopics() { return $this->morphedByMany(Topic::class, 'votable', 'votes')->withPivot('created_at'); } public function topics() { return $this->hasMany(Topic::class); } public function blogs() { return $this->hasMany(Blog::class); } public function replies() { return $this->hasMany(Reply::class); } public function subscribes() { return $this->belongsToMany(Blog::class, 'blog_subscribers'); } public function attentTopics() { return $this->belongsToMany(Topic::class, 'attentions')->withTimestamps(); } public function notifications() { return $this->hasMany(Notification::class)->recent()->with('topic', 'fromUser')->paginate(20); } public function revisions() { return $this->hasMany(Revision::class); } public function scopeRecent($query) { return $query->orderBy('created_at', 'desc'); } public function getIntroductionAttribute($value) { return str_limit($value, 68); } public function getPersonalWebsiteAttribute($value) { return str_replace(['path_to_url 'path_to_url '', $value); } public function isAttentedTopic(Topic $topic) { return Attention::isUserAttentedTopic($this, $topic); } public function subscribe(Blog $blog) { return $blog->subscribers()->where('user_id', $this->id)->count() > 0; } public function isAuthorOf($model) { return $this->id == $model->user_id; } /** * ---------------------------------------- * UserInterface * ---------------------------------------- */ public function getAuthIdentifier() { return $this->getKey(); } public function getAuthPassword() { return $this->password; } public function recordLastActivedAt() { $now = Carbon::now()->toDateTimeString(); $update_key = config('phphub.actived_time_for_update'); $update_data = Cache::get($update_key); $update_data[$this->id] = $now; Cache::forever($update_key, $update_data); $show_key = config('phphub.actived_time_data'); $show_data = Cache::get($show_key); $show_data[$this->id] = $now; Cache::forever($show_key, $show_data); } } ```
```javascript import { test } from '../../test'; export default test({ get props() { return { foo: 1 }; }, html: '1', async test({ assert, component, target }) { component.foo = 2; assert.htmlEqual(target.innerHTML, '2'); } }); ```
```ruby # frozen_string_literal: true class Mastodon::RackMiddleware def initialize(app) @app = app end def call(env) @app.call(env) ensure clean_up_sockets! end private def clean_up_sockets! clean_up_redis_socket! clean_up_statsd_socket! end def clean_up_redis_socket! RedisConfiguration.pool.checkin if Thread.current[:redis] Thread.current[:redis] = nil end def clean_up_statsd_socket! Thread.current[:statsd_socket]&.close Thread.current[:statsd_socket] = nil end end ```
Tokio Marine Nichido Shakujii Gymnasium is an arena in Nerima, Tokyo, Japan. It is the home arena of the Tokio Marine Nichido Big Blue of the B.League, Japan's professional basketball league. References Basketball venues in Japan Indoor arenas in Japan Sports venues in Tokyo Tokio Marine Nichido Big Blue
The third season of Matlock originally aired in the United States on NBC from November 29, 1988, through May 16, 1989. Cast Andy Griffith as Ben Matlock Nancy Stafford as Michelle Thomas Julie Sommars as ADA Julie March Kene Holliday as Tyler Hudson Cast notes Julie Sommars joined the cast this season Kene Holliday departed at the end of the season, but appeared twice more early in Season 4. He missed 7 episodes, because he was sent to a rehabilitation clinic, for his drug and alcohol abuse. Kene Holliday was absent for eight episodes Julie Sommars was absent for fifteen episodes Nancy Stafford was absent for six episodes Episodes References External links 1988 American television seasons 1989 American television seasons 03
The grapheme Ň (minuscule: ň) is a letter in the Czech, Slovak and Turkmen alphabets. It is formed from Latin N with the addition of a caron (háček in Czech and mäkčeň in Slovak) and follows plain N in the alphabet. Ň and ň are at Unicode codepoints U+0147 and U+0148, respectively. /ɲ/ In Czech and Slovak, ň represents , the palatal nasal, as in English canyon. Thus, it has the same function as Albanian and Serbo-Croatian nj / њ, French and Italian gn, Catalan and Hungarian ny, Polish ń, Occitan and Portuguese nh, Galician and Spanish ñ and Belarusian, Russian and Ukrainian нь. In the 19th century, it was used in Croatian for the same sound. In Slovak, ne is pronounced ňe. In Czech, this syllable is written ně. In Czech and Slovak, ni is pronounced ňi. In Russian, Ukrainian and similar languages, soft vowels (е, и, ё, ю, я) also change previous н to нь in pronunciation. /ŋ/ In Turkmen, ň represents the sound , the velar nasal, as in English thing. In Turkmen's Cyrillic script, this corresponds to the letter Ң ң (En with descender). In Janalif, it corresponds to the letter Ꞑ ꞑ (N with descender). In other Turkic languages with the velar nasal, it corresponds to the letter Ñ ñ (N with tilde). It is also used in Southern Kurdish to represent the same sound. Computing code References See also Czech orthography Czech phonology Latin letters with diacritics
Titus Gallus is an early Vergilian commentator, fl. in the 5th or 6th century. He is known only from a mention in the Berne scholia, haec omnia de commentariis Romanorum congregavi, id est Titi Galli et Gaudentii et maxime Iunilii Flagrii Mediolanensis. References Robert A. Kaster, Guardians of Language: The Grammarian and Society in Late Antiquity, Berkeley: University of California Press, 1997, p. 409. http://ark.cdlib.org/ark:/13030/ft8v19p2nc/ Virgil 5th-century writers in Latin
```java /* * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * * path_to_url * * Unless required by applicable law or agreed to in writing, software * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. */ package org.apache.rocketmq.common.constant; public class PermName { public static final int INDEX_PERM_PRIORITY = 3; public static final int INDEX_PERM_READ = 2; public static final int INDEX_PERM_WRITE = 1; public static final int INDEX_PERM_INHERIT = 0; public static final int PERM_PRIORITY = 0x1 << INDEX_PERM_PRIORITY; public static final int PERM_READ = 0x1 << INDEX_PERM_READ; public static final int PERM_WRITE = 0x1 << INDEX_PERM_WRITE; public static final int PERM_INHERIT = 0x1 << INDEX_PERM_INHERIT; public static String perm2String(final int perm) { final StringBuilder sb = new StringBuilder("---"); if (isReadable(perm)) { sb.replace(0, 1, "R"); } if (isWriteable(perm)) { sb.replace(1, 2, "W"); } if (isInherited(perm)) { sb.replace(2, 3, "X"); } return sb.toString(); } public static boolean isReadable(final int perm) { return (perm & PERM_READ) == PERM_READ; } public static boolean isWriteable(final int perm) { return (perm & PERM_WRITE) == PERM_WRITE; } public static boolean isInherited(final int perm) { return (perm & PERM_INHERIT) == PERM_INHERIT; } public static boolean isValid(final String perm) { return isValid(Integer.parseInt(perm)); } public static boolean isValid(final int perm) { return perm >= 0 && perm < PERM_PRIORITY; } public static boolean isPriority(final int perm) { return (perm & PERM_PRIORITY) == PERM_PRIORITY; } } ```
Richard Eastcott (baptised 1744–1828) was an English clergyman and writer on music. Born at Exeter about 1740, he matriculated at Oriel College, Oxford, but did not take a degree. Ordained in the Church of England in 1767, he lived in the Devon area and followed musical interests. At his death in 1828 Eastcott was chaplain of Livery Dale, Devonshire, on the presentation of Lord Rolle. Works Eastcott was author of Sketches of the Origin, Progress, and Effects of Music, with an Account of the Ancient Bards and Minstrels, Bath, 1793. The book, which was well received, was constructed from the histories of Charles Burney and John Hawkins. There is a chapter on the state of English church music, in which the author deprecated the custom of writing fugal music for voices, on the ground that such treatment prevents the words from being properly heard. An elaborate criticism of the book was in the Monthly Review, xiii. 45–50 (see also John Davy). At the end of his book appeared an advertisement of other works by the author. References Attribution 1744 births 1828 deaths Clergy from Exeter English chaplains 18th-century English non-fiction writers 18th-century English male writers 19th-century English non-fiction writers 18th-century English musicians 19th-century English musicians English writers about music 18th-century English Anglican priests 19th-century English Anglican priests Musicians from Exeter Writers from Exeter
Chesley Furneaux "Ches" Crosbie, (born 12 June 1953) is a Canadian lawyer and former politician. Crosbie was elected leader of the Progressive Conservative Party of Newfoundland and Labrador on April 28, 2018 serving until March 31, 2021. He served as the Leader of the Opposition in the Newfoundland and Labrador House of Assembly from 2018 until 2021. Early life Crosbie is the eldest of three children of Jane (Furneaux) and John C. Crosbie and was born and raised in St. John's. His father was a prominent figure in Newfoundland and Labrador and Canadian politics, a provincial and federal cabinet minister who also served as Lieutenant-Governor of the province (2008–13). Crosbie is also a grandson and namesake of Chesley A. Crosbie and the great-grandson of Sir John Crosbie, prominent businessmen and public figures in Newfoundland. Crosbie's early education was at Bishop Feild College in St. John's, and at St. Andrews College in Aurora, Ontario. He was selected as Newfoundland and Labrador's Rhodes Scholar in 1976, studying jurisprudence at Oxford, and continued his legal studies at Dalhousie University. There he met his future wife, Lois Hoegg, a native of Stellarton, Nova Scotia. She has been a Justice of the Newfoundland and Labrador Supreme Court since 2007. They have three daughters. Lawyer On completing law school, Crosbie returned to St. John's and was admitted to the bar in 1983. He founded Ches Crosbie Barristers in 1991. The firm developed expertise in class actions, and Crosbie first came into the public eye as an advocate for breast cancer patients affected by delayed and erroneous test results (settled in 2009, see Cameron Inquiry), for the victims of moose-vehicle accidents, for users of video lottery terminals, and for the former residents of residential schools in Labrador (settled in 2016). Crosbie was appointed Queen's Counsel in 2004. From an interest in helping injured children, Crosbie and his firm have given away thousands of bicycle helmets to young people across the province. He has worked on a pro bono basis with former shipyard employees attempting to get compensation for long-term health problems. He has also volunteered with heritage organizations such as the Sealer's Memorial and Interpretation Centre in Elliston, Trinity Bay, and worked with the Placentia Historical Society and the Town of Placentia to commemorate the 75th anniversary of the 1941 meeting of U.S. President Franklin D. Roosevelt and British Prime Minister Winston Churchill which established the Atlantic Charter. Politics Crosbie's earliest involvement in politics came as a supporter of his father, who was a candidate for the leadership of the Progressive Conservative Party of Canada in 1983. He is a long-time provincial Progressive Conservative and federal Conservative supporter. In 2014, Crosbie announced his candidacy for the federal constituency of Avalon. However, in 2015, his candidacy was rejected by the Conservative Party of Canada, reputedly as the result of his "playful barbs" concerning Prime Minister Stephen Harper in a Shakespearean-parody fundraising skit. His father, John Crosbie, then accused the federal Conservatives of squashing his son's candidacy because he was too independent and because Newfoundland senator David Wells wanted to keep his control over Newfoundland patronage appointments, an accusation that Wells denied. Leader of the Progressive Conservative Party of Newfoundland and Labrador In February 2017, Crosbie announced an exploratory candidacy for the leadership of the Progressive Conservative Party of Newfoundland and Labrador, following the resignation of leader and former Premier Paul Davis. On April 28, 2018, Crosbie defeated Health Authority CEO Tony Wakeham to succeed Davis. The leadership convention operated under a mixed vote-points system in which a hundred points were awarded in each of 40 districts across the provinces, based on the percentage of vote each candidate won. The final tally was Crosbie with 2,298.92 and Wakeham with 1,701.08 points respectively. In August 2018, Crosbie announced his candidacy for the district of Windsor Lake following the resignation of MHA Cathy Bennett. On September 20, 2018, Crosbie won the race and therefore became Leader of the Opposition. Crosbie led the party into the 2019 provincial election with the party increasing its seat count from 7 to 15. The PCs finished 1% behind the Liberals in the popular vote and the Ball government was reduced to a minority. Crosbie was personally re-elected in Windsor Lake. Crosbie endorsed Peter Mackay in the 2020 Conservative Party of Canada leadership election. Crosbie led the party into the 2021 provincial election. He was personally defeated in his district of Windsor Lake; while the party lost one other seat, electing 13 MHAs. The Liberals under Furey won a majority government. On March 31, 2021, Crosbie resigned as PC leader. Retirement On February 14, 2022, it emerged that Crosbie donated $800 to the protesters in the Freedom Convoy. He endorsed Pierre Poilievre in the 2022 Conservative Party of Canada leadership election. Election results } |- |} References External links 1953 births Living people Canadian lawyers Canadian King's Counsel Progressive Conservative Party of Newfoundland and Labrador MHAs Leaders of the Progressive Conservative Party of Newfoundland and Labrador Newfoundland Rhodes Scholars Schulich School of Law alumni
```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. * * Contributors: * ohun@live.cn () */ package com.mpush.cache.redis.mq; import com.google.common.collect.Lists; import com.google.common.collect.Maps; import com.mpush.api.MPushContext; import com.mpush.api.spi.common.ExecutorFactory; import com.mpush.api.spi.common.MQClient; import com.mpush.api.spi.common.MQMessageReceiver; import com.mpush.cache.redis.manager.RedisManager; import com.mpush.monitor.service.MonitorService; import com.mpush.monitor.service.ThreadPoolManager; import com.mpush.tools.log.Logs; import java.util.List; import java.util.Map; import java.util.concurrent.Executor; public final class ListenerDispatcher implements MQClient { private final Map<String, List<MQMessageReceiver>> subscribes = Maps.newTreeMap(); private final Subscriber subscriber; private Executor executor; @Override public void init(MPushContext context) { executor = ((MonitorService) context.getMonitor()).getThreadPoolManager().getRedisExecutor(); } public ListenerDispatcher() { this.subscriber = new Subscriber(this); } public void onMessage(String channel, String message) { List<MQMessageReceiver> listeners = subscribes.get(channel); if (listeners == null) { Logs.CACHE.info("cannot find listener:{}, {}", channel, message); return; } for (MQMessageReceiver listener : listeners) { executor.execute(() -> listener.receive(channel, message)); } } public void subscribe(String channel, MQMessageReceiver listener) { subscribes.computeIfAbsent(channel, k -> Lists.newArrayList()).add(listener); RedisManager.I.subscribe(subscriber, channel); } @Override public void publish(String topic, Object message) { RedisManager.I.publish(topic, message); } public Subscriber getSubscriber() { return subscriber; } } ```
Hughes–Stovin Syndrome (HSS) is a rare autoimmune disorder often described as inflammation in relation to blood vessels, a form of vasculitis. It is not associated with any known cause and is typically characterized by multiple aneurysms in pulmonary arteries and deep vein thromboses. It is named after the two British physicians, John Patterson Hughes and Peter George Ingle Stovin, who first described it in 1959. HSS is presumed to be a rare variant of Behçet's disease, which entails more general problems with the circulatory system. Due to its clinical similarity with Behçet's disease, it has also been referred to as 'Incomplete Behçet's disease.' Most patients are young adult males between the age of 20–40. Common clinical presentations include fever, cough, dyspnea and hemoptysis. Radiological features are similar to those of Behçet's disease. Signs and symptoms The signs and symptoms of the disease are mostly associated by the diagnostic feature of the disease, the presence of both pulmonary artery aneurysms and deep vein thromboses. Other symptoms to this disease are typically secondary to these two conditions, the common reported clinical symptoms present in patients are listed below; Multiple pulmonary aneurysms: secondary to the aneurysms present in the lung, other symptoms may persist, such as; cough, dyspnea (shortness of breath), chest pain and hemoptysis. Peripheral venous thrombosis Recurrent fever Chills intracranial hypertension: this is in relation with the vein thrombosis persistent with patients with HSS, due to blood constriction. pulmonary hypertension: this symptom is associated with the pulmonary aneurysms constricting lung capacity. Cause The pathogenesis of this syndrome is still not clear and not complete, as there has not been enough studies on it, and therefore not enough published literature. It has been presumed that the possible causes of this syndrome include presence of infections and/or possibly angiodysplasia, characterized by vascular malformation of the gut. The possibility of the disease being a consequence of infections was ruled out as the use of antibiotics did not aid patients. Angiodysplasia could be an underlying cause of Hughes-Stovin as it can account for the vascular changes. As Hughes-Stovin syndrome is clinically considered an autoimmune disorder, the primary mechanism by which it precedes is presumed to be in the same manner as other autoimmune disorders, the syndrome occurs when the body begins attacking its own cells. This syndrome yields the inflammation of blood vessels in the body due to the body's overreactive immune system targeting affected cells. This causes coagulation, forming blood clots and begins the development of pulmonary aneurysms and thrombosis. Pathophysiology The etiology or pathophysiology of the disease remains unclear. However, in recent years, Hughes-Stovin Syndrome has been found to be potentially caused by systemic venous angiitis or collagen disease. Systemic venous angiitis or vasculitis is an inflammatory disease of the blood vessels walls, secondary to autoimmune diseases. It is essentially a T helper cell driven reaction, recruited by dendritic cells. The vascular impact can affect the blood circulation in the veins and thus give rise to the syndrome of Hughes-Stovin. It can occur in any type of artery or vein and cause the underlying main symptoms prevalent in the disease. This is presumed as Behçet's disease is caused by a similar form of vasculitis, and there is heavy vascular involvement in the disease. Diagnosis There is no rigid set of diagnostic criteria for Hughes-Stovin. Hughes-Stovin can be discerned from similar conditions by its resemblance to vasculitis without a presenting infection. The syndrome is also identified as being associated with pulmonary/bronchial artery aneurysms and thrombophlebitis, without the known diagnostic symptoms and features of Behçet's disease (BD)." However physicians have often diagnosed Hughes-Stovin Syndrome by using one or more of these techniques; Lab Findings Bronchoscopy Ventilation-perfusion Scan (V-Q): to examine air circulation in the lungs. Doppler Ultrasound of Extremities: this is a measure of the amount of blood flow in the body, particularly in the limbs. Radiological Diagnosis: a. Chest roentgenograms b. Traditional angiography is often employed to characterize the severity and prognosis of the disease by evaluating the pulmonary aneurysms and assessing the angiodysplasia in bronchial arteries. c. Helical computed tomography d. magnetic resonance angiography Histological Diagnosis: This requires the assistance of a histologist to examine tissue under a microscope in order to diagnose disease. Physicians have to be able to differentiate between HSS and Behçet's disease, as HSS is often clinically considered a rare variant of this disease. The way they do this is through the absence of some of the more common symptoms of Behçet's disease, mouth and genital ulcers. Therefore, in the presence of multiple pulmonary artery aneurysms (PAA) and deep vein thrombosis, physicians differentiate between HSS and Behçet's disease and ultimately rule out Behçet's disease on the basis of the absence of skin-related findings. Management There is currently no satisfactory treatment for this condition. Immunosuppressive therapy is the most common treatment, involving a mix of glucocorticoids and cyclophosphamide. This is most effective in the early stages and may cause remission of the aneurysms, but is ineffective once the disease has progressed. The administration of corticosteroids, a type of steroid hormones, in combination with cytotoxic agents aid in the stabilization of the pulmonary artery aneurysms. Furthermore, the presence of thrombosis typically would require anticoagulants, however, they are typically not prescribed due to the possible life-threatening rupture of the pulmonary artery aneurysms. Therefore, if anticoagulants are given, this done in extensive care and in special cases. Depending on the state of the pulmonary artery aneurysms, surgery might also be an option when the aneurysm is localized, this would improve the state of the patient. Prognosis Hughes-Stovin Syndrome compromises of vein dysfunctions, formation of thrombosis and pulmonary aneurysms. The disease is noted to proceed in three main clinical stages; the first stage observed is regarded as thrombophlebitis symptoms. Thrombophlebitis typically occurs in the presence of an inflammation or injury related to the veins, where a blood clot forms. It can also proceed by the occurrence of frequent coagulation caused by the body. The second clinical stage is the formation of pulmonary artery aneurysms. The mechanism of the formation of pulmonary aneurysms is typically a result of inflammation. In most cases, the third stage is associated with aneurysm ruptures and massive blood loss, possibly resulting in fatal consequences. The syndrome is often detected very late in its precedence, relatively late in the course of the disease, therefore, it is associated with a significantly high rate of mortality. This is often associated with the high risk of blood loss as a result of a rupture of the pulmonary artery aneurysms or bronchial artery hypertrophy secondary to ischemia related to the pulmonary artery occlusion. The terminal events associated with this disease are typically due to the massive hemorrhage near lungs after rupture of the aneurysms. There is some existing evidence that suggests some success in managing the disease with immunosuppressive therapy, additionally, a lung transplant might also decrease the threat the disease presents. Epidemiology HSS is a largely rare disorder with less than 50 published English literature or case studies, therefore, population based incidence has yet to be specified. However, the disorder has been reported to be more prevalent among men aged 12-40, the young adult bracket with much less reported female incidence. The reported cases show no preponderance for a specific geographic location as the cases vary in precedent countries. The reported cases show a diverse geographical locations of occurrence, to exemplify; North America, Africa, Europe and Asia, therefore, no geographic location preponderance as case studies have been published all over the world. There is also no reported significance of genetic background of any familial predisposition. Research directions There is less than 50 published English literature on this condition, therefore, the available research can often be limited in providing thorough information on the syndrome. Therefore, some aspects of the illness are not adequately researched due to the lack of case reports. Authors have established a focus research group to establish the necessary information on Hughes-Stovin Syndrome, the research group had been called HSS International Study Group, HSSISG. The research group hopes to gather available information on the syndrome to better assess the pathogenesis of the disease, its course of action and the way it progresses. This would allow the facilitation of early diagnosis and enhance the efficiency at which the syndrome is assessed, potentially reducing the risk of mortality. Recent research further emphasizes the need of early diagnosis, as multiple research presents patients with severe cases due to neglecting treatment. Overall, the available research is limited in providing knowledge on the mechanism and course of the disease, however, multiple cited research articles present the disease as an incomplete form of Behçet's disease. Current research presume the disease proceeds in a manner similar to Behçet's disease, with similar symptoms except skin findings. Furthermore, current research heavily consists of case studies that allows us to depict the similarities of patients suffering from Hughes-Stovin Syndrome. Presented research also stresses the importance of early diagnosis and treatment to improve the prognosis of the disease and prevent fatal consequences. There is a clear need for further research to further investigate genetic, etiological and pathological basis for the disease. References External links Syndromes Autoimmune diseases Diseases of arteries, arterioles and capillaries Syndromes affecting the cardiovascular system
```c++ // Aseprite // // This program is free software; you can redistribute it and/or modify // published by the Free Software Foundation. #ifdef HAVE_CONFIG_H #include "config.h" #endif #include "app/app.h" #include "app/commands/command.h" #include "app/commands/params.h" #include "app/context_access.h" #include "app/document_api.h" #include "app/find_widget.h" #include "app/load_widget.h" #include "app/modules/gui.h" #include "app/transaction.h" #include "app/ui/main_window.h" #include "app/ui/status_bar.h" #include "doc/layer.h" #include "doc/sprite.h" #include "ui/ui.h" #include <cstdio> #include <cstring> namespace app { using namespace ui; class NewLayerCommand : public Command { public: NewLayerCommand(); Command* clone() const override { return new NewLayerCommand(*this); } protected: void onLoadParams(const Params& params) override; bool onEnabled(Context* context) override; void onExecute(Context* context) override; private: bool m_ask; bool m_top; std::string m_name; }; static std::string get_unique_layer_name(Sprite* sprite); static int get_max_layer_num(Layer* layer); NewLayerCommand::NewLayerCommand() : Command("NewLayer", "New Layer", CmdRecordableFlag) { m_ask = false; m_top = false; m_name = ""; } void NewLayerCommand::onLoadParams(const Params& params) { m_ask = (params.get("ask") == "true"); m_top = (params.get("top") == "true"); m_name = params.get("name"); } bool NewLayerCommand::onEnabled(Context* context) { return context->checkFlags(ContextFlags::ActiveDocumentIsWritable | ContextFlags::HasActiveSprite); } void NewLayerCommand::onExecute(Context* context) { ContextWriter writer(context); Document* document(writer.document()); Sprite* sprite(writer.sprite()); std::string name; // Default name (m_name is a name specified in params) if (!m_name.empty()) name = m_name; else name = get_unique_layer_name(sprite); // If params specify to ask the user about the name... if (m_ask) { // We open the window to ask the name std::unique_ptr<Window> window(app::load_widget<Window>("new_layer.xml", "new_layer")); Widget* name_widget = app::find_widget<Widget>(window.get(), "name"); name_widget->setText(name.c_str()); name_widget->setMinSize(gfx::Size(128, 0)); window->openWindowInForeground(); if (window->closer() != window->findChild("ok")) return; name = window->findChild("name")->text(); } Layer* activeLayer = writer.layer(); Layer* layer; { Transaction transaction(writer.context(), "New Layer"); DocumentApi api = document->getApi(transaction); layer = api.newLayer(sprite, name); // If "top" parameter is false, create the layer above the active // one. if (activeLayer && !m_top) api.restackLayerAfter(layer, activeLayer); transaction.commit(); } update_screen_for_document(document); StatusBar::instance()->invalidate(); StatusBar::instance()->showTip(1000, "Layer `%s' created", name.c_str()); App::instance()->mainWindow()->popTimeline(); } static std::string get_unique_layer_name(Sprite* sprite) { char buf[1024]; std::snprintf(buf, sizeof(buf), "Layer %d", get_max_layer_num(sprite->folder())+1); return buf; } static int get_max_layer_num(Layer* layer) { int max = 0; if (std::strncmp(layer->name().c_str(), "Layer ", 6) == 0) max = std::strtol(layer->name().c_str()+6, NULL, 10); if (layer->isFolder()) { LayerIterator it = static_cast<LayerFolder*>(layer)->getLayerBegin(); LayerIterator end = static_cast<LayerFolder*>(layer)->getLayerEnd(); for (; it != end; ++it) { int tmp = get_max_layer_num(*it); max = MAX(tmp, max); } } return max; } Command* CommandFactory::createNewLayerCommand() { return new NewLayerCommand; } } // namespace app ```
```xml <?xml version="1.0" encoding="utf-8"?> <animated-vector xmlns:android="path_to_url" xmlns:aapt="path_to_url" android:drawable="@drawable/vd_pathmorph_digits_four"> <target android:name="iconPath"> <aapt:attr name="android:animation"> <objectAnimator android:propertyName="pathData" android:valueFrom="@string/path_four" android:valueTo="@string/path_three" android:valueType="pathType"/> </aapt:attr> </target> </animated-vector> ```
An Unfinished Piece for Mechanical Piano () is a 1977 Soviet drama film directed by Nikita Mikhalkov, who also co-stars. It is based on Anton Chekhov's Platonov, as well as several of his other short stories. It was filmed at Pushchino-Na-Oke (Artsebashev Estate), Pushchino, Russia, which was dilapidated in the film and is now abandoned. Plot Some members of the gentry gather at a house in rural Russia in the early twentieth century. As the day progresses, relationships develop, and the question arises of where these new relationships will lead. Cast Aleksandr Kalyagin: Mikhail Vassilyevich Platonov Elena Solovey: Sophia Yegorovna Yevgeniya Glushenko: Sashenka Antonina Shuranova: Anna Petrovna Voinitseva Yuri Bogatyryov: Sergey Pavlovich Voinitsev Oleg Tabakov: Pavel Petrovich Shcherbuk Nikolai Pastukhov: Porfiry Semyonovich Glagolyev Pavel Kadochnikov: Ivan Ivanovich Triletsky Nikita Mikhalkov: Nikolai Ivanovich Triletsky Anatoli Romashin: Gerasim Kuzmich Petrin Natalya Nazarova: Verochka Kseniya Minina: Lizochka Sergey Nikonenko: Yakov Sergei Guryev: Petechka (as Seryozha Guryev) Reception Critical response An Unfinished Piece for Mechanical Piano has an approval rating of 86% on review aggregator website Rotten Tomatoes, based on 7 reviews, and an average rating of 8.00/10. The Japanese filmmaker Akira Kurosawa cited this movie as one of his 100 favorite films. References External links 1977 films 1977 drama films 1970s Russian-language films Films about social class Films based on works by Anton Chekhov Films set in Russia Films set in the 1900s Films set in country houses Films set in the Russian Empire Films shot in Moscow Oblast Films directed by Nikita Mikhalkov Films scored by Eduard Artemyev Soviet drama films Mosfilm films
Raffaele Giammaria (born 1 September 1977 in Civitavecchia) is an Italian racing car driver. He was runner-up in the Formula Renault 2000 Italy series in 2000, then progressed through German and Italian Formula Three and Italian Formula 3000 to International Formula 3000 for 2003 with the Durango team. He scored one podium and was placed tenth in the championship with 12 points, a respectable score in his début season. 2004 was even better for Giammaria, with 27 points scored and eighth place in the championship secured by the season's end. However, he missed one of the races due to financial problems, and was forced to switch teams, from Durango to Astromega. It was therefore not much of a surprise when he failed to get a drive in the rebranded GP2 Series for 2005. He competed in Formula Renault 3.5 Series and Italian F3000 instead, but only in part-time roles. He was also part of A1 Team Italy for the inaugural season of the A1 Grand Prix series, but never drove the car. He competed in Italian GT racing for 2006. Racing record Complete International Formula 3000 results (key) (Races in bold indicate pole position; races in italics indicate fastest lap.) Complete Formula Renault 3.5 Series results (key) (Races in bold indicate pole position) (Races in italics indicate fastest lap) Complete 24 Hours of Le Mans results Complete WeatherTech SportsCar Championship results (key) (Races in bold indicate pole position) External links 1977 births Living people Italian racing drivers 24 Hours of Le Mans drivers Auto GP drivers Italian Formula Renault 2.0 drivers Italian Formula Three Championship drivers German Formula Three Championship drivers International Formula 3000 drivers European Le Mans Series drivers World Series Formula V8 3.5 drivers Superstars Series drivers Sportspeople from Civitavecchia Blancpain Endurance Series drivers International GT Open drivers 24 Hours of Spa drivers FIA GT Championship drivers Rolex Sports Car Series drivers FIA World Endurance Championship drivers WeatherTech SportsCar Championship drivers Team Astromega drivers Durango drivers DAMS drivers AF Corse drivers Target Racing drivers Cram Competition drivers Euronova Racing drivers Scuderia Coloni drivers Iron Lynx drivers
FLOX is a flameless combustion process developed by WS Wärmeprozesstechnik GmbH. History In experiments with industrial gasoline engines conducted in April 1990, Joachim Alfred Wünning found that when combustion occurred at a temperature greater than 850 °C, the flames were blown away. Although this observation was initially thought to be an error, it turned out to be a discovery which led to the invention of what he called FLOX-Technology, a name derived from the German expression "flammenlose Oxidation" (flameless oxidation). The advantages of this technology attracted funding for a project at Stuttgart University called FloxCoal, a programme aiming to engineer a flameless atomizing coal burner. The reduced pollutant emission in FLOX combustion has been considered a promising candidate for use in coal pollution mitigation and the higher efficiency combustion in FLOX received increased interest as a result of the 1990 oil price shock. FLOX burners have since been used within furnaces in the steel and metallurgical industries. Technology FLOX requires the air and fuel components to be mixed in an environment in which exhaust gases are recirculated back into the combustion chamber. Flameless combustion also does not display the same high energy peaks as the traditional combustion observed within a swirl burner, resulting in a more smooth and stable combustion process. When combustion occurs, NOx is formed at the front of the flame: suppression of peak flame offers the theoretical possibility of reducing NOx production to zero. Experiments with FLOX-Technology have established that it can reduce the amount of NOx generated by 20% in the case of Rhenisch brown coal, and by 65% in the case of Polish black coal. The role of combustion temperature in NOx formation has been understood for some time. Reduction of the combustion temperature in gasoline engines, by reducing the compression ratio, was among the first steps taken to comply with the U.S. clean air act in the 1970s. This lowered the NOx emissions by lowering the temperature at the flame front. References External links list of article at WS Wärmetechnik Combustion
```javascript Defining Tasks Deleting Files and Folders Only Passing Through Changed Files Server with Live-Reloading Sharing Streams with Stream Factories ```
Team Bath Football Club was an English association football club affiliated with the University of Bath in the city of Bath, Somerset. The club, formed in 1999, allowed players to combine professional football with higher education. In nine seasons, Team Bath rose rapidly through the English football league system to reach the Conference South in 2008. Still, the club disbanded at the end of the 2008–09 season following a decision by the Football Conference and The Football League to disqualify it from further promotion because of its financial structure. The club competed in the Western League for the first time in 2000–01. Promotion that season, and again in 2002–03, gained the club entry into the Southern League. The club gained significant media exposure for an FA Cup run in the 2002–03 season, when it reached the first-round proper of the competition, becoming the first university team to compete at that stage since 1880. After five seasons in the Southern League, Team Bath was promoted into the Conference South after winning the 2007–08 Southern League Playoff Final. Team Bath's home matches were played at the university's sports grounds for their first four seasons. In 2004 the club secured a deal to ground-share with Bath City at Twerton Park, capable of holding more than 8,000 supporters. Team Bath struggled to attract fans, and generally had among the lowest average attendances in their leagues. History Formation and early success In 1999, TeamBath, the sports department of the University of Bath, set out to establish a football club that played within the English professional league structure, but also allowed the players to continue their education with studies at the university. In the 2000–01 season, the club entered the Western League, the ninth level of the English football league system. Paul Tisdale, a recently retired player who had appeared for Southampton and Yeovil Town was appointed as the team's head coach. The team won promotion from Division One to the league's Premier Division in their first season. They continued to be successful in their second year, but missed out on back-to-back promotions, finishing fourth in the league in their first season in the Premier Division. They competed in the FA Vase for the first time in 2001–02, advancing to the third round before being eliminated by Arlesey Town. In their third season, Team Bath attracted global interest due to their involvement in the FA Cup. Playing in the competition for the first time, Bath beat Barnstaple Town 4–0 in the preliminary round to begin their campaign. They followed this up with victories over Backwell United, Bemerton Heath Harlequins, and Newport County in the early stages of the qualifying rounds. They faced Horsham in the fourth qualifying round; a place in the first round proper awaiting the victors. The match at Horsham's ground finished 0–0, and the teams returned to Bath for the replay, which Bath won 4–2 on penalties after a 1–1 draw. Their victory meant that Team became the first university team to compete in the first round since Oxford University, who were runners up in 1880. Bath drew Mansfield Town at home, and despite the offer of reversing the fixture and playing at Mansfield's Field Mill stadium, the club opted to play the match at their home ground at the university, securing permission from the local police and the city council to erect temporary seating for the match. The match, which drew a record home attendance for Team Bath of 5,469, was won convincingly by Mansfield, who were leading 3–0 by half-time. Despite two late goals from Carl Heiniger and Caleb Kamara-Taylor, Bath lost the match 4–2, and was eliminated from the cup. The team was less successful in the FA Vase: after beating Fairford Town in a replay, Bath were knocked out of the competition by Lymington & New Milton in the second round. In the league, Team Bath won 27 of their 34 matches and were unbeaten at home to finish top of the Western League Premier Division and gain promotion to the Southern League. Southern League Team Bath played the 2003–04 season in the Southern League Western Division, one of two divisions that fed the Premier Division. The team won 21 of their 40 matches and finished the season in sixth position. Despite their relative success, Team Bath struggled to attract spectators to their ground: their average home attendance of 103 was the lowest in the league, and their lowest attended matches were the 2–1 victory over Bedworth United, and their defeat by the same scoreline to Gresley Rovers, each of which had 55 recorded spectators. For the 2004–05 season, the non-league structure was adjusted due to introducing a second division for the Football Conference. As a result, Team Bath's sixth place in the Western Division was sufficient to "promote" them to the Premier Division of the Southern League. The team struggled in the next two seasons, winning just 14 of their 42 league matches each season, resulting in league finishes of 14th and 17th respectively. In 2004–05, the club had its most successful FA Trophy campaign, reaching the Third round before being eliminated 2–1 by Histon. During the summer of 2006, head coach Paul Tisdale left the club to take up the vacant manager's position at Exeter City. He was replaced at Team Bath by Andy Tillson, a former Grimsby Town and Bristol Rovers defender. The 2006–07 season brought success to both Bath clubs; Bath City won the Southern League, and Team Bath finished as runners-up. In the playoffs, Team Bath won their semi final against Hemel Hempstead Town 3–1, and advanced to play Maidenhead United in the final. Maidenhead, who had been relegated from the Conference South the season before, won the match 1–0, consigning Team Bath to another season in the Southern League. Team Bath repeated their league form the following season, and once again finished as runners-up, this time behind King's Lynn. A 4–1 victory against Bashley in the playoff semi-final, aided by a hat-trick from the league's top-scorer Sean Canham, saw Bath reach their second successive playoff final. Team Bath improved on the previous season, beating Halesowen Town 2–1 in the final, Canham once again providing Bath with a decisive goal in the 89th minute. The win secured the team a place in the Conference South. Conference South For the 2008–09 season, Team Bath played at the highest level they achieved in their history. Competing in the Conference South, the club were two promotions away from The Football League. Early in the season Bath were competing for a play-off berth, but failed to maintain their form, eventually finishing 11th in the table with 16 wins. Towards the end of the season, the Football Conference notified Team Bath that as they were not a limited company they would be ineligible for further promotions, and would no longer be allowed to compete in the FA Cup; the club opted to resign from the Conference at the end of the season rather than restructure. Team Bath had at the time been discussing the possibility of a merger with Bath City, with the aim of getting the merged team into the Football League. Management and financing Team Bath were managed by University of Bath director of sport Ged Roddy. Although the "nucleus" of the team was made up of students, they were supplemented by semi-professional players. The team was supported financially by the University of Bath, which according to an article published in the Bath Chronicle has declined to make detailed accounts publicly available, citing section 43 of the UK's Freedom of Information Act. In the 2005–6 season £48,510 was paid to players on sports scholarships, although no figures have been released for the amount paid to those not on scholarships. Neither has it been revealed how much was paid in rent for the use of Bath City's Twerton Park stadium, nor the remuneration received by the club's coaches. Performance summary Honours Southern League Division One Runners-up: 2006–07, 2007–08 Western League Premier Champions: 2002–03 Western League Division One Champions: 2000–01 Somerset Premier Cup Champions: 2006–07 The FA Cup First round 2002–03, 2007–08 & 2008–09 References External links Association football clubs established in 1999 Association football clubs disestablished in 2009 Defunct football clubs in England Southern Football League clubs National League (English football) clubs F.C. University and college football clubs in England 1999 establishments in England 2009 disestablishments in England
Chrysospalax is a small genus of mammal in the family Chrysochloridae. The two members are endemic to South Africa. It contains the following species: Rough-haired golden mole (Chrysospalax villosus) Giant golden mole (Chrysospalax trevelyani) References Afrosoricida Mammal genera Taxa named by Theodore Gill Taxonomy articles created by Polbot
The Progressive Conservative Party of Manitoba ran 38 candidates in the 1953 provincial election, under the leadership of Errick Willis. Twelve of these candidates were elected, and the Progressive Conservatives formed the official opposition in the legislature. Some candidates have their own biography pages; information about others may be founded here. Between 1940 and 1950, Manitoba had been administered by a coalition government led by the Liberal-Progressive Party. The Progressive Conservatives, who had been the secondary power in the coalition, left the government in 1950. This decision split the party, and a number of Progressive Conservatives either retired or chose to remain on the government side. After ten years of coalition government, the Progressive Conservative Party's provincial machinery had largely fallen into disrepair. The party was not able to field a full slate of candidates, and had difficulty mounting effective campaigns in some regions. The 1953 Manitoba election was determined by instant-runoff voting in most constituencies. Three constituencies (Winnipeg Centre, Winnipeg North and Winnipeg South) returned four members by the single transferable vote (STV), with a 20% quota for election. St. Boniface elected two members by STV, with a 33% quota. The Progressive Conservatives ran three candidates in Winnipeg South, two in St. Boniface and Winnipeg Centre, and one in Winnipeg North. In Kildonan—Transcona, the local Progressive Conservative association endorsed independent candidate Steve Melnyk. In St. George, the association endorsed Liberal-Progressive incumbent Chris Halldorson. Harry Shewman, an Independent candidate in Morris, also seems to have been at least tacitly endorsed by the Progressive Conservative Party. The party also did not field candidates in Carillon, Emerson, Fisher, Gimli, Gladstone, La Verendrye, Mountain or The Pas. The party also did not contest the deferred elections in Rupertsland and Ste. Rose. Progressive Conservatives candidate had been nominated for both divisions, but in each case the candidate withdrew before election day. J. Arthur Ross (Arthur) Ross was elected in a two-candidate contest with 1,920 votes (57.14%). See his biography page for more information. George E. Fournier (Assiniboia) Fournier was born in Winnipeg, and was an employee for the Canadian Pacific Railway (CPR) for thirty-one years. He managed the CPR baseball club, and was a member of the Knights of Columbus. He finished third with 1,528 votes (17.68%) on the first count, and was eliminated. The winner was Reginald Wightman of the Liberal-Progressive Party. Fournier died shortly after the election, on September 7, 1953, at age fifty-two. For the last fourteen years of his life, he had resided in the Winnipeg suburb of St. James. Francis Macdonald Manwaring (Birtle) Manwaring was a late nominee in the contest. He received 957 votes (30.82%), losing to Liberal-Progressive candidate Francis Bell in a straight two-candidate contest. Reginald Lissaman (Brandon City) Lissaman placed first on the first count with 3,514 votes (46.04%), and was declared elected on the second count. See his biography page for more information. Roderick George Hurton (Cypress) Hurton was a doctor in Glenboro. He first campaigned for the Manitoba legislature in the 1936 provincial election as a Conservative candidate in Cypress, and narrowly lost to Liberal-Progressive incumbent James Christie. He ran against Christie again in the 1941 election as an independent coalition supporter, and lost by an increased margin. Hurton finished second on the first count in 1953 with 1,198 votes (30.46%), and lost to new Liberal-Progressive candidate Francis Ferg on the second count. Christie had died earlier in the year. Ernest N. McGirr (Dauphin) McGirr served in the Manitoba legislature from 1949 to 1953. He finished third on the first count in the 1953 election with 1,235 votes (23.83%), and was eliminated on transfers. The winner was William Bullmore of the Social Credit Party. See McGirr's biography page for more information. James O. Argue (Deloraine-Glenwood) Argue was elected in a two-candidate contest with 1,862 votes (53.88%). See his biography page for more information. Earl Collins (Dufferin) Collins served in the Manitoba legislature from 1943 to 1949. He finished third out of three candidates in 1953 with 911 votes (22.37%). See his biography page for more information. John L. Solomon (Ethelbert) Solomon finished third out of four candidates with 276 votes (7.23%). Liberal-Progressive candidate Michael N. Hryhorczuk was elected on the first count. Daniel McFadyen (Fairford) McFadyen placed third out of four candidates on the first count with 288 votes (12.70%), and was eliminated. The winner was James Anderson of the Liberal-Progressive Party. Bardette Elliott (Gilbert Plains) Elliott was a farmer and livestock dealer from Grandview. He defeated H.G. Bell and W.G. Chaloner for the Progressive Conservative nomination. In the general election, he finished fourth out of four candidates with 380 votes (12.18%). Edward P. Venables (Hamiota) Venables first campaigned for the Manitoba legislature in the 1949 provincial election, as a Progressive Conservative coalitionist. He received 1,237 votes, and finished a close second against Liberal-Progressive candidate Charles Shuttleworth. He finished second again in 1953 with 1,227 votes (36.62%), losing to Shuttleworth on the second count. John McDowell (Iberville) McDowell finished first on the first count with 1,442 votes (38.68%), and was declared elected on the second count. See his biography page for more information. Abram Harrison (Killarney) Harrison finished first on the first count with 1,786 votes (48.51%), and was declared elected on the second count. See his biography page for more information. Charles H. Spence (Lakeside) Spence was an insurance agent in Poplar Point. He won the Progressive Conservative nomination over Gordon Troop of Burnside. In the general election, he finished third out of four candidates with 662 votes (16.23%). Liberal-Progressive candidate Douglas Campbell, the Premier of Manitoba, won the constituency on the first count. Thomas H. Seens (Lansdowne) Seens served in the Manitoba legislature from 1949 to 1953. He finished second on the first count with 1,563 votes (36.47%), and lost to Liberal-Progressive Matthew R. Sutherland on the second count. See his biography page for more information. Hugh Morrison (Manitou-Morden) Morrison finished in first place on the first count with 1,606 votes (46.99%), and was declared elected on the second count. See his biography page for more information. John A. Burgess (Minnedosa) Burgess was a merchant in Minnedosa, and a former mayor of the community. He defeated a young insurance executive named Ralph B. Clarke for the nomination; a third candidate, Percy Coutts of Newdale, withdrew before the vote. Burgess finished third out of three candidates with 1,047 (26.98%). His transfers gave an unexpected victory to Social Credit candidate Gilbert Hutton, who had finished second on the first count. Harold Alexander Nelson (Norfolk—Beautiful Plains) Nelson was a farmer in the Carberry district. He campaigned for the House of Commons of Canada in the 1949 federal election as a candidate of the Progressive Conservative Party of Canada, and finished second against Liberal candidate William Gilbert Weir in Portage—Neepawa. He ran for the provincial party later in the year, as a candidate for Norfolk—Beautiful Plains in the 1949 provincial election. He again finished second, against Liberal-Progressive candidate Samuel Burch. Nelson fell to third place in 1953, receiving 1,365 votes (27.90%) in a three-candidate race. Burch was again declared the winner. William C. Warren (Portage la Prairie) Warren was born in Oakland, Manitoba, and was 36 years old at the time of the election. He had served with the Royal Canadian Air Force in World War II, was shot down over Germany in 1942, and spent two-and-a-half years in a prisoner of war camp. He worked as a teacher after returning to Canada. He finished second on the first count in 1953 with 1,329 votes (35.29%), and lost to Liberal-Progressive candidate Charles Greenlay on the second count. Leo A. Recksiedler (Rhineland) Recksiedler was a farmer in Rosenfeld, Manitoba. He was nominated in 1953 to challenge Wallace Miller, a provincial cabinet minister who had been elected as a Progressive Conservative, but crossed to the Liberal-Progressive benches after the coalition government came to an end. At the nomination meeting, chair A.J. Thiessen made the following comment: “We have no desire to run down our present representative, but we feel it is the democratic right of the citizens of Rhineland to express their wishes at the ballot” (Winnipeg Free Press, 6 February 1953). His supporters claimed that Rhineland needed a representative who understood the concerns of farmers. Miller was re-elected, while Recksiedler finished third with 565 votes (18.01%). Recksiedler ran against Miller again in the 1959 provincial election, and finished a much closer second. Miller subsequently died in office, and Recksiedler once again campaigned for the legislature in a by-election held on November 26, 1959. He was narrowly defeated by Jacob Froese of the Social Credit Party. Fred E. Cowan (Roblin) Cowan was born in Killarney, Manitoba. He was a bookkeeper in Roblin, and was sixty years old at the time of the election. He finished fourth out of four candidates with 227 votes (7.74%). H.G. Langrell (Rockwood) Langrell finished second out of three candidates with 656 votes (21.89%). Independent Liberal-Progressive candidate Robert Bend was elected on the first count. Keith Porter (Russell) Porter was a resident of Binscarth. He finished third out of four candidates on the first count with 723 votes (17.51%), and was subsequently eliminated. The winner was Independent Liberal-Progressive candidates Rodney S. Clement. Keith H. Robson (St. Andrews) Robson was a doctor. He finished second with 1,366 votes (26.57%), losing on the first ballot to Liberal-Progressive candidate Thomas Hillhouse. Raymond Hughes (St. Boniface) Hughes was an alderman in St. Boniface at the time of the election. He finished fifth on the first count with 2,101 votes (10.74%), and was eliminated after the fourth count with 2,568 votes (13.13%). Louis Leger (St. Boniface) Leger was also an alderman in St. Boniface at the time of the election. He had previously worked as a clerk. He campaigned for the House of Commons of Canada in the 1949 federal election, and finished third out of three candidates with 2,557 votes. The winner was Fernand Viau of the Liberal Party of Canada. In 1953, he finished eighth out of eight candidates on the first count with 737 votes (3.77%), and was eliminated. Walter H. Whyte (St. Clements) Whyte finished fourth out of four candidates with 378 votes (6.51%). Liberal-Progressive candidate Stanley Copp was declared elected on the first count. A.H. Watt (Springfield) Watt was filling station operator, and a resident of Rennie. He finished third out of three candidates in the general election with 643 votes (16.72%). The winner was William Lucko of the Liberal-Progressive Party. George Renouf (Swan River) Renouf placed first on the first count with 2,383 votes (49.32%), and was subsequently declared elected on transfers. See his biography page for more information. Errick Willis (Turtle Mountain) Willis, the party leader, was elected on the first count with 1,777 votes (56.11%). See his biography page for more information. John Thompson (Virden) Thompson defeated Clarence Moore and W.T. Cann to win the Progressive Conservative nomination on December 19, 1952. He was elected on the first count with 2,182 votes (57.38%). See his biography page for more information. Hank Scott (Winnipeg Centre) Scott finished fourth on the first count with 2,085 votes (10.13%), and was declared elected to the fourth position on the tenth count with 3,108 votes (15.11%). See his biography page for more information. Joseph Stepnuk (Winnipeg Centre) Stepnuk received 478 votes (2.32%) on the first count, finishing eleventh out of fourteen candidates. He was eliminated after the third count, having increased his total to 489 votes (2.38%). During the campaign, Stepnuk argued that Canadian resources should be chiefly for domestic use, not for export. He also used the slogan, "Vote Conservative for Winnipeg - reduce taxes". Stepnuk later campaigned in Elmwood in the 1958 provincial election, and finished in third place with 1,084 votes. The winner was Steve Peters of the Manitoba Cooperative Commonwealth Federation. Note: The Progressive Conservatives nominated Scott and Stepnuk for Winnipeg Centre on December 1, 1952, and indicated that other candidates might follow. None did. Stanley M. Carrick (Winnipeg North) Carrick was a councillor in Winnipeg for many years, serving with the centre-right Civic Election Committee. He was first elected to the city council in 1952 for Ward 3, which covered the city's north end. At the time, Winnipeg's three wards elected six members to council in two-year staggered terms, with members chosen by the single transferable vote. Carrick finished fourth on the first count in 1952, but performed well enough on transfers to defeat incumbent Jacob Penner by 17 votes on the fifth and final count. Penner was a member of the Communist Labour Progressive Party, and his defeat brought a temporary end to Communist representation on the council. He first ran for the Manitoba legislature in the 1949 provincial election, as a Progressive Conservative candidate supporting the governing alliance with the Liberal-Progressives. He finished eighth on the first count with 1,126 votes, and was eliminated after the fifth count with 1,384. Carrick was nominated for the 1953 election as the lone Progressive Conservative candidate in Winnipeg North, defeating challenger John F. Kubas. He finished fifth on the first count with 1,795 votes, and was eliminated after the sixth count with 2,373 votes. During this election, he used the slogan, "Was a good school trustee, is a good alderman, will be a good MLA". After the provincial campaign, Carrick sought the federal Progressive Conservative nomination in Winnipeg North for the 1953 federal election. He was defeated by John Kereluk. He ran for the legislature a third time in the 1958 election, after Winnipeg's multi-member constituencies had been replaced with single-member divisions. He finished second in St. John's, losing to David Orlikow of the Cooperative Commonwealth Federation by 1,200 votes. Dufferin Roblin (Winnipeg South) Roblin was declared elected to the second position on the first ballot. He became leader of the Progressive Conservative Party in 1954, and Premier of Manitoba in 1958. See his biography page for more information. Gurney Evans (Winnipeg South) Evans was declared elected to the fourth position on the seventh and final count. During the campaign, he used the slogan "Better government demands better plans". He later served as a cabinet minister under Roblin. See his biography page for more information. Maude McCreery (Winnipeg South) McCreery was a Winnipeg city councillor at the time of the election. Serving as a member of the Civic Election Committee. Shortly before the election, she was one of five councillors to oppose a bill outlawing racial discrimination in the workplace. McCreery was the first woman to run for provincial office in Manitoba as a candidate of the Progressive Conservative Party. She finished fifth on the first count with 1,820 votes (6.25%), and was eliminated on the sixth count with 2,318 votes (7.96%). She was re-elected to the Winnipeg City Council for Ward One in the 1953 Winnipeg municipal election, held a few months after the provincial contest. The Progressive Conservatives also endorsed Independent candidate Steve Melnyk in Kildonan—Transcona. 1953
```javascript import { MAX_CHARS_API } from '@proton/shared/lib/calendar/constants'; import { getFutureRecurrenceUID } from './createFutureRecurrence'; describe('create future recurrence', () => { it('should append a recurrence offset for short uids without previous offset', () => { expect( getFutureRecurrenceUID( '6pG/5UGJGWB9O88ykIOCYx75cjUb@proton.me', new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), false ) ).toBe('6pG/5UGJGWB9O88ykIOCYx75cjUb_R20000101T010101@proton.me'); expect(getFutureRecurrenceUID('9O88ykIOCYx75cjUb', new Date(Date.UTC(1990, 8, 13, 13, 0, 15)), false)).toBe( '9O88ykIOCYx75cjUb_R19900813T130015' ); expect(getFutureRecurrenceUID('9O@8@8yk@google.com', new Date(Date.UTC(2000, 1, 1, 0, 0, 0)), true)).toBe( '9O@8@8yk_R20000101@google.com' ); }); it('should append a recurrence offset for long uids without previous offset', () => { const chars180 = your_sha256_hashyour_sha256_hash13tenchars14tenchars15tenchars16tenchars17tenchars18'; const domain = '@proton.me'; const expectedOffsetPartday = '_R20000101T010101'; const expectedOffsetAllday = '_R20000101'; expect(getFutureRecurrenceUID(`${chars180}${domain}`, new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), false)).toBe( `${chars180.slice( chars180.length + expectedOffsetPartday.length + domain.length - MAX_CHARS_API.UID )}${expectedOffsetPartday}${domain}` ); expect(getFutureRecurrenceUID(`${chars180}${domain}`, new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), true)).toBe( `${chars180.slice( chars180.length + expectedOffsetAllday.length + domain.length - MAX_CHARS_API.UID )}${expectedOffsetAllday}${domain}` ); }); it('should replace recurrence offset(s) for short uids with previous offsets', () => { // part-day -> part-day; single offset expect( getFutureRecurrenceUID( '6pG/5UGJGWB9O88ykIOCYx75cjUb_R22220202T020202@proton.me', new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), false ) ).toBe('6pG/5UGJGWB9O88ykIOCYx75cjUb_R20000101T010101@proton.me'); // part-day -> all-day; single offset expect( getFutureRecurrenceUID( '6pG/5UGJGWB9O88ykIOCYx75cjUb_R22220202T020202@proton.me', new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), true ) ).toBe('6pG/5UGJGWB9O88ykIOCYx75cjUb_R20000101@proton.me'); // all-day -> all-day; single offset expect( getFutureRecurrenceUID( '6pG/5UGJGWB9O88ykIOCYx75cjUb_R22220202@proton.me', new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), true ) ).toBe('6pG/5UGJGWB9O88ykIOCYx75cjUb_R20000101@proton.me'); // all-day -> part-day; single offset expect( getFutureRecurrenceUID( '6pG/5UGJGWB9O88ykIOCYx75cjUb_R22220202@proton.me', new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), false ) ).toBe('6pG/5UGJGWB9O88ykIOCYx75cjUb_R20000101T010101@proton.me'); // multiple part-day offsets expect( getFutureRecurrenceUID( '9O88ykIOCYx75cjUb_R22220202T020202_R33330303T030303', new Date(Date.UTC(1990, 8, 13, 13, 0, 15)), false ) ).toBe('9O88ykIOCYx75cjUb_R19900813T130015'); // multiple all-day offsets expect( getFutureRecurrenceUID( '9O88ykIOCYx75cjUb_R22220202_R33330303', new Date(Date.UTC(1990, 8, 13, 13, 0, 15)), true ) ).toBe('9O88ykIOCYx75cjUb_R19900813'); // multiple mixed offsets expect( getFutureRecurrenceUID( '9O@8@8yk_R22220202T020202_R33330303@google.com', new Date(Date.UTC(2000, 1, 1, 0, 0, 0)), false ) ).toBe('9O@8@8yk_R20000101T000000@google.com'); expect( getFutureRecurrenceUID( '9O@8@8yk_R22220202T020202_R33330303_R44440404T040404@google.com', new Date(Date.UTC(2000, 1, 1, 0, 0, 0)), true ) ).toBe('9O@8@8yk_R20000101@google.com'); expect( getFutureRecurrenceUID( '9O@8@8yk_R11110101_R22220202T020202_R33330303_R44440404T040404@google.com', new Date(Date.UTC(2000, 1, 1, 0, 0, 0)), false ) ).toBe('9O@8@8yk_R20000101T000000@google.com'); // multiple badly mixed offsets expect( getFutureRecurrenceUID( '9O_R44440404T040404@8@8yk_R22220202_R33330303T030303@google.com', new Date(Date.UTC(2000, 1, 1, 0, 0, 0)) ) ).toBe('9O_R44440404T040404@8@8yk_R20000101T000000@google.com'); }); it('should replace recurrence offset(s) for long uids with previous offset', () => { const chars180 = your_sha256_hashyour_sha256_hash13tenchars14tenchars15tenchars16tenchars17tenchars18'; const domain = '@proton.me'; const expectedOffsetPartday = '_R20000101T010101'; const expectedOffsetAllday = '_R20000101'; expect( getFutureRecurrenceUID( `${chars180}_R22220202T020202_R33330303T030303${domain}`, new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), false ) ).toBe( `${chars180.slice( chars180.length + expectedOffsetPartday.length + domain.length - MAX_CHARS_API.UID )}${expectedOffsetPartday}${domain}` ); expect( getFutureRecurrenceUID( `${chars180}_R22220202T020202_R33330303T030303${domain}`, new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), true ) ).toBe( `${chars180.slice( chars180.length + expectedOffsetAllday.length + domain.length - MAX_CHARS_API.UID )}${expectedOffsetAllday}${domain}` ); // real-life examples expect( getFutureRecurrenceUID( your_sha256_hashyour_sha256_hash00_R20210905T000000_R20210906T000000_R20210907T000000@proton.me', new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), false ) ).toBe('pEZO1MmPI87KEexIjCGcHQVz4yP8_R20000101T010101@proton.me'); expect( getFutureRecurrenceUID( your_sha256_hash000000_R20200623T000000_R20200624T000000_R20200625T000000@google.com', new Date(Date.UTC(2000, 1, 1, 1, 1, 1)), true ) ).toBe('07e673fo4slrlb4tvaadrh0bjv_R20000101@google.com'); }); }); ```
Geleyerd () is a village in Ahlamerestaq-e Jonubi Rural District, in the Central District of Mahmudabad County, Mazandaran Province, Iran. At the 2006 census, its population was 1,074, in 279 families. References Populated places in Mahmudabad County
Saeko is a feminine Japanese given name. Possible writings サエコ in katakana さえこ in hiragana 紗子, "gauze, child" 小枝子, "little, bough, child" 紗江子, "gauze, creek, child" 冴子, "be clear, child" 佐江子, "assistant, creek, child" 佐恵子, "assistant, favor, child" 佐枝子, "assistant, bough, child" People with the name , Japanese actress and model , Japanese singer and voice actress , Japanese novelist, essayist, and playwright , Japanese table tennis player , Japanese synchronized swimmer , Japanese long jumper , Japanese voice actress , Anime Character from Haikyuu , Japanese singer , Japanese actress Japanese feminine given names Feminine given names
2 Chronicles 17 is the seventeenth chapter of the Second Book of Chronicles the Old Testament in the Christian Bible or of the second part of the Books of Chronicles in the Hebrew Bible. The book is compiled from older sources by an unknown person or group, designated by modern scholars as "the Chronicler", and had the final shape established in late fifth or fourth century BCE. This chapter belongs to the section focusing on the kingdom of Judah until its destruction by the Babylonians under Nebuchadnezzar and the beginning of restoration under Cyrus the Great of Persia (2 Chronicles 10 to 36). The focus of this chapter (and the next ones until chapter 20) is the reign of Jehoshaphat, king of Judah. Text This chapter was originally written in the Hebrew language and is divided into 19 verses. Textual witnesses Some early manuscripts containing the text of this chapter in Hebrew are of the Masoretic Text tradition, which includes the Aleppo Codex (10th century), and Codex Leningradensis (1008). There is also a translation into Koine Greek known as the Septuagint, made in the last few centuries BCE. Extant ancient manuscripts of the Septuagint version include Codex Vaticanus (B; B; 4th century), and Codex Alexandrinus (A; A; 5th century). Old Testament references : : : ; : : : ; : ; ; ; ; ; ; ; ; ; : Analysis This chapter divides into three parts: two general judgements on Jehoshaphat's rule (17:1–6, 10–19) and one report on teaching the law to the people (17:7–9). The first judgement (verses 1–6) focuses on domestic politics and religion, wheres the second (verses 10–19) concerns with foreign and military policy. Both 1 Kings and 2 Chronicles commend his reign (1 Kings 22:43–44; 2 Chronicles 16:3–4; 20:32–33), but the Chronicles provide more information not recorded in 1 Kings. Jehoshaphat, king of Judah (17:1–6) Jehoshaphat's reign was marked with peace, especially there were no conflicts with the northern kingdom (verse 1), drawing parallel with Solomon. Despite his successes as ruler—honored and wealthy (verse 5)—Jehoshaphat remained humble and God-fearing. Jehoshaphat’s educational plan (17:7–9) The education of all people of Judah on the book of the law of the Lord (Deuteronomy 17:18–20; 2 Kings 22:8–13) was performed by the royal officers, Levites, and priests (in that particular order), reflecting the growing importance of the Torah teaching and the Levites as teachers in postexilic era (Ezra 7:25; Nehemiah 8). Verse 7 Also in the third year of his reign he sent to his princes, even to Benhail, and to Obadiah, and to Zechariah, and to Nethaneel, and to Michaiah, to teach in the cities of Judah. Cross references: ; “The third year": in Thiele's chronology is between September 867 and 866 BCE. Jehoshaphat became coregent, while his father Asa became sick, in September 873 BCE and ruled alone as king between September 870 and April 869 BCE. "Benhail" means "son of power" Jehoshaphat’s military power (17:10–19) This section contains a second summarizing description of Jehoshaphat's reign from the perspective of foreign and military policy, with all Judah and the lands around Judah were struck by fear of the Lord (verse 10) and paid tributes to the king (verse 11; cf. 2 Chronicles 27:5). The army's composition (verses 14–19) were closely linked with the construction of forts, differentiating between army divisions from Judah and Benjamin (less than Judah and equipped with light armour consisting of bows and shields). See also Related Bible parts: Deuteronomy 17, 2 Chronicles 14, 2 Chronicles 15, 2 Chronicles 21, Isaiah 7, Isaiah 10, Isaiah 31, Jeremiah 20, Zechariah 4 Notes References Sources Thiele, Edwin R., The Mysterious Numbers of the Hebrew Kings, (1st ed.; New York: Macmillan, 1951; 2d ed.; Grand Rapids: Eerdmans, 1965; 3rd ed.; Grand Rapids: Zondervan/Kregel, 1983). External links Jewish translations: Divrei Hayamim II - II Chronicles - Chapter 17 (Judaica Press) in Hebrew and English translation [with Rashi's commentary] at Chabad.org Christian translations: Online Bible at GospelHall.org (ESV, KJV, Darby, American Standard Version, Bible in Basic English) 2 Chronicles Chapter 17. Bible Gateway 17
```javascript /** * @license Apache-2.0 * * * * 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. */ 'use strict'; // MODULES // var Boolean = require( '@stdlib/boolean/ctor' ); var addon = require( './../src/addon.node' ); // MAIN // /** * Tests if a finite double-precision floating-point number is an odd number. * * @private * @param {number} x - value to test * @returns {boolean} boolean indicating whether the number is odd * * @example * var bool = isOdd( 2.0 ); * // returns false * * @example * var bool = isOdd( 5.0 ); * // returns true */ function isOdd( x ) { return Boolean( addon( x ) ); } // EXPORTS // module.exports = isOdd; ```
William Pryor Letchworth (May 26, 1823 – December 1, 1910) was an American businessman notable for his charitable work, including his donation of his 1,000-acre estate to the State of New York which became known as Letchworth State Park. Early years Letchworth was born in Brownville, New York on May 26, 1823, the fourth of eight children born to Josiah Letchworth and Ann ( Hance) Letchworth. Raised as a Quaker, Letchworth learned the values of hard work, charity, and development of the intellect from his family. Career At age 15, Letchworth was hired as a clerk at Hayden & Holmes, a saddlery and hardware company. Letchworth succeeded at his tasks and in business in general, and by age 22 was a partner at Pratt & Letchworth, a company involved in the "malleable iron" business, with Samuel Fletcher Pratt. He retired from the saddlery and iron goods work at age 46 and devoted himself to charitable works. Charity and social work In 1873, Letchworth was appointed to the New York State Board of Charities. "In 1875, he had inspected all the orphan asylums, poor-houses, city alms houses, and juvenile reformatories in the state which had an aggregate population of 17,791 children." Following his investigation, he recommended that all children under 2 years of age be removed from these institutions, which was accepted by the state. In 1878, Letchworth was elected as President of the Board. Letchworth resigned from the State Board of Charities in 1897. Letchworth spent the next few years traveling around Europe and the United States at his own expense to explore the treatment and condition of the insane, epileptics and poor children. From this research, he wrote two books: The Insane in Foreign Countries and Care and Treatment of Epileptics. Many of his recommendations were later adopted by Craig Colony, a state epileptic hospital which he helped to establish in Western New York in 1896. Letchworth served as President of the National Association for the Study of Epilepsy and the Care of Treatment of Epilepsy, and edited the Proceedings of its first Annual Meeting Letchworth Village in Thiells, New York was also named for Letchworth. In addition, he was President of the First New York State Conference of Charities and Corrections, as well as President of the National Conference of Charities and Correction, held in St. Louis in 1884. Glen Iris Estate Although successful, Letchworth found the day-to-day operations of business burdensome. He sought refuge from the business world and decided to build a retreat estate. He settled on a location in former Seneca territory in Western New York. The Seneca people were pushed out of the area following the American Revolutionary War, as they had been allies of the defeated British. As a tourist, Letchworth visited the Sehgahunda Valley of the Genesee River in western New York. In 1859 he purchased his first tract of land near Portage Falls. Letchworth hired noted landscape architect William Webster to design the grounds of the estate, and named it Glen Iris. He reportedly spent $500,000 improving the land. In 1906, he bequeathed his estate to New York state with the provision that the American Scenic and Historic Preservation Society serve as custodian of the land and allowing himself a life tenancy. It now makes up the heart of Letchworth State Park. Personal life Letchworth died at Glen Iris on December 1, 1910. References Further reading External links Biography of William Pryor Letchworth William Pryor Letchworth The Story of Glen Iris American manufacturing businesspeople 1823 births 1910 deaths People from Brownville, New York American epileptologists 19th-century American philanthropists 19th-century American businesspeople
```javascript //! moment.js locale configuration //! locale : Indonesian [id] //! author : Mohammad Satrio Utomo : path_to_url //! reference: path_to_url ;(function (global, factory) { typeof exports === 'object' && typeof module !== 'undefined' && typeof require === 'function' ? factory(require('../moment')) : typeof define === 'function' && define.amd ? define(['../moment'], factory) : factory(global.moment) }(this, (function (moment) { 'use strict'; //! moment.js locale configuration var id = moment.defineLocale('id', { months: your_sha256_hashober_November_Desember'.split( '_' ), monthsShort: 'Jan_Feb_Mar_Apr_Mei_Jun_Jul_Agt_Sep_Okt_Nov_Des'.split('_'), weekdays: 'Minggu_Senin_Selasa_Rabu_Kamis_Jumat_Sabtu'.split('_'), weekdaysShort: 'Min_Sen_Sel_Rab_Kam_Jum_Sab'.split('_'), weekdaysMin: 'Mg_Sn_Sl_Rb_Km_Jm_Sb'.split('_'), longDateFormat: { LT: 'HH.mm', LTS: 'HH.mm.ss', L: 'DD/MM/YYYY', LL: 'D MMMM YYYY', LLL: 'D MMMM YYYY [pukul] HH.mm', LLLL: 'dddd, D MMMM YYYY [pukul] HH.mm', }, meridiemParse: /pagi|siang|sore|malam/, meridiemHour: function (hour, meridiem) { if (hour === 12) { hour = 0; } if (meridiem === 'pagi') { return hour; } else if (meridiem === 'siang') { return hour >= 11 ? hour : hour + 12; } else if (meridiem === 'sore' || meridiem === 'malam') { return hour + 12; } }, meridiem: function (hours, minutes, isLower) { if (hours < 11) { return 'pagi'; } else if (hours < 15) { return 'siang'; } else if (hours < 19) { return 'sore'; } else { return 'malam'; } }, calendar: { sameDay: '[Hari ini pukul] LT', nextDay: '[Besok pukul] LT', nextWeek: 'dddd [pukul] LT', lastDay: '[Kemarin pukul] LT', lastWeek: 'dddd [lalu pukul] LT', sameElse: 'L', }, relativeTime: { future: 'dalam %s', past: '%s yang lalu', s: 'beberapa detik', ss: '%d detik', m: 'semenit', mm: '%d menit', h: 'sejam', hh: '%d jam', d: 'sehari', dd: '%d hari', M: 'sebulan', MM: '%d bulan', y: 'setahun', yy: '%d tahun', }, week: { dow: 0, // Sunday is the first day of the week. doy: 6, // The week that contains Jan 6th is the first week of the year. }, }); return id; }))); ```
```php <?php /** */ namespace OC\Preview; use OCP\Files\File; use OCP\IImage; use wapmorgan\Mp3Info\Mp3Info; use function OCP\Log\logger; class MP3 extends ProviderV2 { /** * {@inheritDoc} */ public function getMimeType(): string { return '/audio\/mpeg/'; } /** * {@inheritDoc} */ public function getThumbnail(File $file, int $maxX, int $maxY): ?IImage { $tmpPath = $this->getLocalFile($file); try { $audio = new Mp3Info($tmpPath, true); /** @var string|null|false $picture */ $picture = $audio->getCover(); } catch (\Throwable $e) { logger('core')->info('Error while getting cover from mp3 file: ' . $e->getMessage(), [ 'fileId' => $file->getId(), 'filePath' => $file->getPath(), ]); return null; } finally { $this->cleanTmpFiles(); } if (is_string($picture)) { $image = new \OCP\Image(); $image->loadFromData($picture); if ($image->valid()) { $image->scaleDownToFit($maxX, $maxY); return $image; } } return null; } } ```
Alma Rosalie Ostra-Oinas (born Alma Ostra, also known as Alma Anvelt-Ostra; 4 or 16 September 1886 – 2 November 1960) was an Estonian journalist, writer and politician. Early life and education Born in the village of Vastse-Kuuste on 4 or 16 September 1886, Ostra completed her elementary education at Schwarz Elementary School between 1893 and 1898, after which she began studying at G. Faure's dairy. She then attended Pushkin Girls' Gymnasium at Tartu between 1901 and 1905 and became active in underground radical-national politics, joining the Russian Social Democratic Party in 1903, working on its inter-school organisation and attending speeches by Russian socialists. Politics, family and later life She was forced to leave school in 1905 over her involvement in radical politics and moved to Riga, where she was arrested by the Russia authorities for her involvement in an illegal printing press, and was eventually sent to Siberia, escaping imprisonment in 1906 and attending the Russian Social Democractic Party Congress in London in 1907. In 1909, she married the communist Jaan Anvelt so she could assume a different legal name, and between 1910 and 1915 she studied mathematics and philosophy in the Bestuzhev Courses at St Petersburg, also marrying the politician Aleksander Oinas in 1914. She then settled in the Estonian town of Võnnu where, between 1916 and 1917, she was a director of Severopomoštš , and in 1917 she moved was elected a member of the Council of Workers and Soldiers, also editing the newspaper Social Democrat (Sotsiaaldemokraadi toimetus) between 1917 and 1918. She was a city councillor for Tallinn and Tartu, being among the first women to be a city councillor in Estonia, and joined the Estonian Provincial Assembly on 20 November 1918, replacing Jaan Treial; she was also a member of the Asutav Kogu (Constituent Assembly) between 1919 and 1920, and was elected to the first legislature of the Riigikogu (Estonian parliament), in 1920, serving until the end of the session. In the second legislature, she replaced Mihkel Janson on 3 October 1925 and sat until the end of the session. She was elected to the third legislature when convened in 1926, but stepped down on 1 July in that year, and was replaced by Eduard Kink. Throughout, she sat as a member of the Estonian Social Democratic Workers' Party (ESDTP). Her work in the Riigikogu included introducing a bill concerning family law, which was not passed but influenced subsequent legislation. Ostra-Oinas remained active as a journalist; she was editor of Ametiühisusline kuukiri (1923–27), and also returned to studies, initially in medicine but from 1921 to 1929 studied law at the University of Tartu. She also received the second class of the Order of the Estonian Red Cross, in 1929. Ostra-Oinas's husband Aleksander was arrested by the Soviet authorities and sent to a prison camp in Siberia, where he died in 1942. Ostra-Oinas herself was arrested during the Second World War, firstly by the occupying Germans and then in 1944 by the Soviets; she was sentenced to five years' imprisonment and deportation, and died in 1960 in Inta, in the Komi Autonomous Soviet Socialist Republic of the USSR. Aside from her contributions to Estonian politics, Ostra-Oinas is remembered as one of the first women politicians in Estonia, having been one of only a small number to serve in its first legislative chambers. References 1886 births 1960 deaths People from Põlva Parish People from Kreis Dorpat Estonian Social Democratic Workers' Party politicians Estonian Socialist Workers' Party politicians Members of the Estonian Provincial Assembly Members of the Estonian Constituent Assembly Members of the Riigikogu, 1920–1923 Members of the Riigikogu, 1923–1926 Members of the Riigikogu, 1926–1929 Women members of the Riigikogu 20th-century Estonian women politicians Estonian prisoners and detainees
```objective-c /* $OpenBSD: fenv.h,v 1.3 2011/05/25 21:46:49 martynas Exp $ */ /* * * Permission to use, copy, modify, and distribute this software for any * purpose with or without fee is hereby granted, provided that the above * copyright notice and this permission notice appear in all copies. * * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. */ #ifndef _ALPHA_FENV_H_ #define _ALPHA_FENV_H_ /* * Each symbol representing a floating point exception expands to an integer * constant expression with values, such that bitwise-inclusive ORs of _all * combinations_ of the constants result in distinct values. * * We use such values that allow direct bitwise operations on FPU registers. */ #define FE_INVALID 0x01 #define FE_DIVBYZERO 0x02 #define FE_OVERFLOW 0x04 #define FE_UNDERFLOW 0x08 #define FE_INEXACT 0x10 /* * The following symbol is simply the bitwise-inclusive OR of all floating-point * exception constants defined above. */ #define FE_ALL_EXCEPT (FE_INVALID | FE_DIVBYZERO | FE_OVERFLOW | \ FE_UNDERFLOW) /* * Each symbol representing the rounding direction, expands to an integer * constant expression whose value is distinct non-negative value. * * We use such values that allow direct bitwise operations on FPU registers. */ #define FE_TOWARDZERO 0x0 #define FE_DOWNWARD 0x1 #define FE_TONEAREST 0x2 #define FE_UPWARD 0x3 /* * The following symbol is simply the bitwise-inclusive OR of all floating-point * rounding direction constants defined above. */ #define _ROUND_MASK (FE_TOWARDZERO | FE_DOWNWARD | FE_TONEAREST | \ FE_UPWARD) #define _ROUND_SHIFT 58 /* * fenv_t represents the entire floating-point environment. */ typedef struct { unsigned int __sticky; unsigned int __mask; unsigned int __round; } fenv_t; /* * The following constant represents the default floating-point environment * (that is, the one installed at program startup) and has type pointer to * const-qualified fenv_t. * * It can be used as an argument to the functions within the <fenv.h> header * that manage the floating-point environment, namely fesetenv() and * feupdateenv(). */ __BEGIN_DECLS extern fenv_t __fe_dfl_env; __END_DECLS #define FE_DFL_ENV ((const fenv_t *)&__fe_dfl_env) /* * fexcept_t represents the floating-point status flags collectively, including * any status the implementation associates with the flags. * * A floating-point status flag is a system variable whose value is set (but * never cleared) when a floating-point exception is raised, which occurs as a * side effect of exceptional floating-point arithmetic to provide auxiliary * information. * * A floating-point control mode is a system variable whose value may be set by * the user to affect the subsequent behavior of floating-point arithmetic. */ typedef unsigned int fexcept_t; #endif /* !_ALPHA_FENV_H_ */ ```
Antisense small RNAs (abbreviated anti small RNA or anti-sRNA) are short RNA sequences (about 50-500 nucleotides long) that are complementary to other small RNA (sRNA) in the cell. sRNAs can repress translation via complementary base-pairing with their target mRNA sequence. Anti-sRNAs function by complementary pairing with sRNAs before the mRNA can be bound, thus freeing the mRNA and relieving translation inhibition. Anti-sRNAs lead to higher expression of mRNAs by inhibiting the action of sRNAs. Sponge RNA is another term used to describe anti-sRNAs. Discovery and Identification Methods While the mRNA-regulating small RNAs were discovered in 1984, the first natural anti-sRNA was only discovered in 2014 in an Escherichia coli model. The initial characterization of antisense small RNA within E. coli models were demonstrated through microarrays and computational predictions. Recent experiments have used Northern blot analysis and 5'-end mapping to correctly identify potential antisense sRNA candidates. RNA-Seq has emerged as a popular method for the identification of small RNA, since its ability to distinguish between messenger and structural RNA allows for increased sensitivity in sRNA analysis. Strand-specific RNA-Seq provides further characterization of sRNA by predicting transcript structures with enhanced accuracy. In 2019, a new algorithm called APERO was established which allows accurate genome-wide detection of small transcripts from paired-end bacterial RNA-Seq data. Paired-end bacterial sequencing allows for sequencing across both ends of the fragment, which increases the accuracy of the read by providing enhanced alignment. Protein-binding oriented techniques such as cross-linking immunoprecipitation, which isolates anti-sRNAs bound to proteins, have further contributed to the identification and detection of new anti-sRNA. A major contributor to this approach is the Hfq protein, a conserved RNA-binding protein that is known to attach various sRNAs. However, cross-linking immunoprecipitation fails to provide information on which two RNAs are interacting with each other, which is critical to identify the regulatory role of sRNAs. This shortcoming has been remedied by utilizing an RNA ligase to join the ends of the two RNAs that are interacting, allowing the mapping of sRNAs that are interacting with each other using RNA-Seq. Function Antisense small RNA are found in all domains of life, including Eukaryotes, Bacteria and Archaea. They are non-coding RNA sequences involved in regulatory processes, such as metabolism and aiding in transcription. Many anti-sRNAs are involved in regulatory activities to modulate gene expression, with the bulk of research exploring specific interactions within the bacterial domain. One example of this is established in bacterial trans-encoded sRNA, which demonstrate only partial complementarity to the target RNA. These sRNA function to modulate base-pair interactions and translation by directly targeting the mRNA, thereby affecting its stability. Anti-sRNAs are able to interact with other sRNAs by targeting either the region involved in targeting the mRNA, or it can bind to another corresponding region along the sRNA. This has further been characterized in gene circuits that are sRNA-controlled and regulate aspects of bacterial pathogenesis. Antisense small RNA can also be engineered and utilized by scientists to perform experimental functions. In synthetic biology, employing non-coding RNA such as antisense small RNA has advantages for creating regulatory architecture within engineering systems, provided the ability to predict function using the strand sequence. In experiments, engineered riboregulators, which are specific RNA that respond to signal RNA through complementary base pairing utilizing anti-small RNA, have been found to be capable of activating independent gene expression. Development of RNA array-based interaction assays that allow for screening in vitro have further advanced platforms targeting gene expression with antisense small RNAs. RNA-array based interaction assays screen for synthetic antisense small RNA interactions in vitro, through a surface-capture technique. An array of immobilized double-stranded DNA template for antisense small RNA sits opposite to an RNA-capture surface composed of possible antisense small RNA targets, separated by a solution of transcription reagents. Captured RNA are visualized using fluorescent staining, which can indicate whether a prospective antisense small RNA has been bound to its target. Anti-bacterial targeting of V. cholerae occurs through the promotion of gene expression patterns that liberate bacteria from its host. This has been achieved by utilizing antisense small RNAs designed through the RNA array pipeline, opening the possibilities for future antimicrobial or therapeutic applications. Examples AsxR AsxR, previously known as EcOnc02, is an anti-sRNA encoded within the 3' region of the stx2B gene of E.Coli bacteria. It acts to increase expression of the ChuS heme oxygenase via destabilisation of FnrS sRNA. This aids bacterial infection of the animal host gut. AgvB AgvB, previously known as EcOnc01, inhibits GcvB sRNA repression. Pathogenicity island associated AgvB aids enterohemorrhagic E. coli growth at the colonized site within the host animal. This bacterial growth often manifests into an increased risk of developing other conditions such as hemolytic uremic syndrome. RosA RosA, has been found to inhibit two sRNAs (RoxS and FsrA). Inhibition of RoxS by RosA plays a role in metabolism regulation, while FsrA is involved in maintaining iron availability for protein function. RosA is also the first antisense small RNA experimentally confirmed in Gram-positive bacteria. References RNA Non-coding RNA
Leverage is the fourth studio album by the German folk metal band Lyriel. Style Among a mix of soft folk rock as well as symphonic metal and Gothic Metal it features a duet with Schandmaul vocalist Thomas Lindner. Leverage contains two songs "The Road Not Taken" and "Parting" that are based on lyrics by Robert Frost and Charlotte Brontë respectively On the extended edition there is a version of "Everything's Coming Up Roses" by Black. Reception Leverage received several positive reviews in Germany, Austria and the United Kingdom. It was however noted that the "album does lose some steam near its conclusion" and that the band should have dared to evolve towards harder metal songs. Metal Hammer Germany criticised also that many songs were drifting off towards "Celtic kitsch", and that Lyriel's new orientation towards Nightwish was only backed up by their instrumental performance but not by the vocals. Track list All music written by Oliver Thierjung, all lyrics written by Linda Laukamp, except where noted. Personnel Lyriel Jessica Thierjung – vocals Tim Sonnenstuhl – guitars Steffen Feldmann – bass Joon Laukamp – violin Oliver Thierjung – guitars Marcus Fidorra – drums Linda Laukamp – cello, backing vocals Additional personnel Stefan Grawe – piano on "Wenn die Engel Fallen" Thomas Lindner – vocals on "Wenn die Engel Fallen" Sebastian Sonntag – vocals on "Voices in My Head" Hiko – cover art, layout Thomas Pleq Johansson – mixing Sinan Muslu – photography Patrick Temme – photography References 2012 albums Lyriel albums AFM Records albums
The Source is the ninth studio album from Ayreon, a progressive metal/rock opera project by Dutch musician Arjen Anthony Lucassen, released on 28 April 2017. It is Lucassen's first album under his new label, Mascot Label Group. As with every Ayreon album, it is a concept album with each character being portrayed by one singer. Unlike the previous album The Theory of Everything, it marks a return to science fiction and the Ayreon storyline; it acts, in particular, as a prequel to 01011001, making it the first album in the storyline's chronology. In The Source, the Alphans, ancestors of humanity, try to prevent the extinction of their race from machines who took control of the entire planet Alpha, by sending a select few Alphans into space so they can attempt to start anew on a distant world. In the typical style of the project, the album features several guest singers to portray the characters across the album; although Lucassen usually prefers to work only once with each singer in Ayreon, he mostly cast returning performers for The Source, including James LaBrie (Dream Theater), Simone Simons (Epica), Floor Jansen (Nightwish), Hansi Kürsch (Blind Guardian), Tobias Sammet (Edguy, Avantasia), Tommy Karevik (Kamelot, Seventh Wonder), and Russell Allen (Symphony X), together with newcomers such as Tommy Rogers (Between the Buried and Me), for a total of eleven main vocalists. Plot The Source is set before all previous albums, and tells the origins of the Forever, an alien race central to the Ayreon storyline. It acts as a prequel to 01011001. It is set in four parts, referred to as Chronicles. In the booklet, at the debut of each Chronicle is featured writings by The Historian (James LaBrie), giving more details about the story. Chronicle 1: The 'Frame The story begins in the distant past on a planet called Alpha in the Andromeda Galaxy, inhabited by our human ancestors. Despite the best efforts of The Opposition Leader (Tommy Karevik), The President (Russell Allen) has given a mainframe computer known as "The 'Frame" full powers over Alpha, so it can solve its seemingly insurmountable ecological and political problems. However, the 'Frame, whose intelligence has surpassed the Alphans', has decided that the only possible way to do so was to destroy humanity, and shut down all support systems to extinguish their race. The Alphans despair about their doom, as The President realizes he was mistaken ("The Day That the World Breaks Down"). Some Alphans, such as The Diplomat (Michael Eriksen) and The Counselor (Simone Simons), believe there is still hope, as does The Captain (Tobias Sammet), who proposes to use his spaceship, the Starblade, to carry a small number of Alphans to a new world so they can start anew; meanwhile, The Prophet (Nils K. Rue) foresees that they will indeed leave, while also predicting "a sea of machines" similar to Alpha's and a mysterious castle ("Sea of Machines"). Ultimately, the Alphans come to the conclusion that there is no hope of saving their world ("Everybody Dies"). Chronicle 2: The Aligning of the Ten People are then selected, based on their competencies, to leave Alpha aboard the Starblade. It includes all characters previously mentioned plus TH-1 (Mike Mills), a robot stayed faithful to the human race, to assist them, and try to start anew on a distant world, a water planet located near the star of Sirrah ("Star of Sirrah"). Heartbroken, they give their final goodbyes to their loved ones ("All That Was"). Going through the apocalyptic chaos their world has turned into, they manage by miracle to reach the Starblade ("Run! Apocalypse! Run!"), but, as they get ready for departure, are overwhelmed by the guilt and sadness of having doomed the world, and having been chosen to go while the rest of the world stays behind to die ("Condemned to Live"). Chronicle 3: The Transmigration After finally escaping from Alpha, the surviving humans are injected with a drug made by The Chemist (Tommy Rogers), named "Liquid Eternity" but mostly referred to as "The Source", that will make their bodies able to live underwater and communicate by telepathy, as the world they are going to is an aquatic one; it will also drastically extend their lifespans, making them virtually immortal. They put themselves in suspended animation, as their trip will take many years ("Aquatic Race"). In their sleep, the humans dream of the beautiful world that awaits them ("The Dream Dissolves"). The former Alphans ultimately awaken as they reach Sirrah and mourn, aware that during the many years it took them to travel, their planet, together with all their loved ones, has come to an end ("Deathcry of a Race"). However, they are also filled with hope at the sight of their new world ("Into the Ocean"). Chronicle 4: The Rebirth The humans and TH-1 start building their new home, which they name the "Bay of Dreams"; they now live underwater, as the sunrays from Sirrah are deadly. Some of them are worried about the future, some are hopeful. The Prophet foresees that they will indeed make the human race continue its course, but also predicts that the future awaiting them is dark ("Bay of Dreams"). With their minds communicating by telepathy, the survivors now feel more united than ever, and decide to name their new planet "Y" ("Planet Y Is Alive!"). As a side-effect, the Source helps them relax, and gradually makes them forget about their past lives on Alpha. They happily let it happen ("The Source Will Flow"), and, with the guilt and sadness from the past gone, now look brightly at the future ("Journey to Forever"). They still have doubts however, fearing that they might repeat their past mistakes, and that the Source might change their minds and make them lose their humanity; The Prophet predicts that their spirits will indeed become hollow, but that "the second coming of the Universal Soul" will one day make them whole once again ("The Human Compulsion"). Meanwhile, TH-1, left purposeless, predicts that he will grow and become the new 'Frame, starting the cycle anew' and announces that "the age of shadows will begin" (the melody and line directly referring to the 01011001 opening song "Age of Shadows"). Production Songwriting When Lucassen began to write new music, he thought that would result in a solo album. Eventually, he realized the music was too heavy for him to sing, so he thought of making it an album by Star One, another of his projects. Finally, he noticed some folk elements and decided it would be an Ayreon release. Mike Mills wrote his character's melodies for "The Day That the World Breaks Down", in which his lyrics are the ASCII encoded binary digits for "Trust TH1", TH1 being his character in the album. According to Lucassen, The Source is more guitar-oriented than previous Ayreon albums. Floor Jansen's character is called The Biologist; coincidentally, she wanted to be a biologist as a kid, which Lucassen didn't know. James LaBrie's performance on The Theater Equation prompted Arjen to invite him for an eventual new project, which LaBrie accepted even before Lucassen could finish his sentence. Lucassen was not pleased with Marcel Coenen's initial guitar solo, so they worked on a second version which made it to the album and was described by Lucassen as "one of the best solos I ever heard". According to him, Coenen thanked him for pushing him further. Recording Several cast members did not record their parts with Lucassen at the Electric Castle studio as it is usually done: Tommy Karevik couldn't make the travel, but Lucassen stated that "he's such an amazing singer that I knew it wasn't needed". Tommy Rogers and Nils K. Rue recorded their vocals in their native United States and Norway, respectively. Drummer Ed Warby, violinist Ben Mathot, and flutist Jeroen Goossens, all longtime Ayreon collaborators, returned for the album. In August 2018, Lucassen stated that he had asked Andrew Latimer of Camel, one of his "top five favorite guitarists of all time", to be in the album. The two agreed to work together when they met at the 2014 Prog Awards, where Lucassen received the Virtuoso Award; however, Latimer found The Source "way to heavy for him" when he received the samples, and he eventually turned down Lucassen's offer. Promotion Lucassen officially announced that his next project would be a new Ayreon album on 6 October 2016 via a teaser featuring some of the already recorded music. From October 13 to December 23, he regularly organized "guessing games" on Ayreon's Facebook page, publishing a sample of the album featuring either one singer or one guest musician and asking his fans to guess who it was, then picking one of the correct answers to get a gift. On 13 January 2017 he announced that Yann Souetre was in charge of that artwork, and on January 19, revealed the album's title and cover, adding that Souetre's art was a big inspiration in the creative process of the album. "The Day That the World Breaks Down", the opening song of the album which features all the cast except Zaher Zorgati, was released by Lucassen on YouTube on 26 January 2017. Another song, "Everybody Dies" was released on February 23. The third lyric video, "The Source Will Flow", came after a contest which culminated in four fan-made videos, with the winner being decided via popular vote. "Star of Sirrah" is the fourth track to receive a lyric video on 18 April. Reception Critical reception The Source received positive reviews from music critics. Sputnikmusic gave a rating of 3.5 out of 5, stating: "With The Source, Arjen continues to fully realize his conceptual ideas, although when piecing together the obviously stronger tracks, it seems a double album may not have been so necessary in the end" . Maximum Volume Music gave a perfect 10 rating and stated "whilst April is too early to proclaim a record as the best of 2017, what we will say is this: anything that ends up being better than “The Source” is going to have to be extremely special, because this is truly magnificent". Myglobalmind gave a perfect 10 rating, stating "The Source is yet another outstanding rock opera that once again proves Arjen Lucassen’s ability to tell a compelling story, while still giving his fans memorable songs and some excellent instrumental work, to go along with a truly impressive cast of singers". The Barefoot Review gave a very positive review, stating "it's difficult to take it all in on a single listen [...] This is something that reveals itself over many listens, and hearing it in different forms and locations. [...] The mix of different vocalists adds a really interesting dimension to things, and there’s quite a few guest musicians on here too, including The Aristocrat's brilliant axeman Guthrie Govan, with each guest artist lending a piece of themselves to the whole. This is definitely a work of art that will impress not only fans of progressive metal, but discerning fans of just about every other musical style too." Accolades PopMatters elected it the second best progressive rock and metal album of 2017. Track listing These credits are adapted from the album's liner notes. Vocalists are listed in the order in which they first enter the song. CD 1 CD 2 Personnel These credits are adapted from the album's liner notes. Vocalists James LaBrie (Dream Theater) as The Historian Tommy Karevik (Kamelot, Seventh Wonder) as The Opposition Leader Tommy Rogers (Between the Buried and Me) as The Chemist Simone Simons (Epica) as The Counselor Nils K. Rue (Pagan's Mind) as The Prophet Tobias Sammet (Edguy, Avantasia) as The Captain Hansi Kürsch (Blind Guardian) as The Astronomer Mike Mills (Toehider) as TH-1 Russell Allen (Symphony X) as The President Michael Eriksen (Circus Maximus) as The Diplomat Floor Jansen (Nightwish, ex-After Forever, ex-ReVamp) as The Biologist Will Shaw (Heir Apparent), Wilmer Waarbroek, Jan Willem Ketelaars, and Lisette van den Berg (Scarlet Stories) as The Ship's Crew Zaher Zorgati (Myrath) as The Preacher1 Instrumentalists Joost van den Broek (ex-After Forever) – grand piano and electric piano Mark Kelly (Marillion) – synthesizer solo on "The Dream Dissolves" Maaike Peterse (Kingfisher Sky) – cello Paul Gilbert (Mr. Big, Racer X) – guitar solo on "Star of Sirrah" Guthrie Govan (The Aristocrats, ex-Asia) – guitar solo on "Planet Y Is Alive!" Marcel Coenen (Sun Caged) – guitar solo on "The Dream Dissolves" Ed Warby – drums Ben Mathot – violin Jeroen Goossens (ex-Pater Moeskroen) – flute, wind instruments Arjen Anthony Lucassen – electric and acoustic guitars, all other instruments Production Arjen Anthony Lucassen – production, mixing, recording Brett Caldas-Lima – mastering Pieter Kop – mastering Yann Souetre – cover art and artwork Lori Linstruth – creative consultant, filming and editing of "Behind the Scenes" and "Interviews" for bonus DVD, management Jos Driessen – co-recording of Ed Warby Braeden Kozy – recording of James LaBrie Thomas Gieger – recording of Hansi Kürsch Sascha Paeth – recording of Tobias Sammet Dick Hodgin – recording of Russell Allen Jamie King – recording of Tommy Rogers Charts See also List of Ayreon guest musicians References External links 2017 albums Ayreon albums Rock operas Science fiction concept albums
Pine Creek Township may refer to: Pine Creek Township, Ogle County, Illinois Pine Creek Township, Ozark County, Missouri, in Ozark County, Missouri Pine Creek Township, Clinton County, Pennsylvania Pine Creek Township, Jefferson County, Pennsylvania Township name disambiguation pages
Amir Ayyub (, also Romanized as Amīr Ayyūb and Amīr ‘Ayūb) is a village in Poshtkuh-e Rostam Rural District, Sorna District, Rostam County, Fars Province, Iran. At the 2006 census, its population was 246, in 58 families. References Populated places in Rostam County
Batrachosuchoides is an extinct genus of prehistoric amphibian from the Early Triassic of Russia. It was found in the Baskunchakskaia Series and the Lestanshorskaya Svita. See also Prehistoric amphibian List of prehistoric amphibians References Brachyopids
The Antigua Trades and Labour Union (ATLU) is the national trade union of Antigua and Barbuda. It was formed in 1939 and is closely related to the Antigua Labour Party. It has a membership of 7,000 and is led by Wigley George as president. History The organization, whose first president was Reginald Stevens, was first formally registered in 1940, after a new changed trade union law that was installed in December 1939. Despite the increase of wages, the wage was initially not sufficient for the subsistence of the residences considering the inflation that was perceived by the residents, and strikes for higher wages continued in the 1940s. After the war, however, the union gained political success as they won a seat in the legislative council and the political committee. In 1967, the Antigua Workers' Union broke out from the group becoming a rival group, and the political parties Antigua labor party(ALP) and Progressive Labour Movement(PLM) was born from it. See also List of trade unions References International Trade Union Confederation Trade unions in Antigua and Barbuda Trade unions established in 1939 1939 establishments in Antigua and Barbuda Antigua and Barbuda in World War II British Leeward Islands in World War II
Jacques Marty (30 July 1940 – 2 August 2012) was a French boxer. He competed in the men's middleweight event at the 1964 Summer Olympics. References 1940 births 2012 deaths French male boxers Olympic boxers for France Boxers at the 1964 Summer Olympics Sportspeople from Neuilly-sur-Seine Middleweight boxers
Aleksei Lysov (born 21 November 1976) is a Russian sledge hockey player. In 2013 he and his team won the bronze medal at the IPC Ice Sledge Hockey World Championships which were hosted in Goyang, South Korea. In the 2014 Winter Paralympics, he won the silver medal with Russia. References External links 1976 births Living people Russian sledge hockey players Paralympic sledge hockey players for Russia Paralympic silver medalists for Russia Ice sledge hockey players at the 2014 Winter Paralympics Medalists at the 2014 Winter Paralympics Paralympic medalists in sledge hockey 21st-century Russian people
Volha Hapeyeva (; born 1982 in Minsk) is a Belarusian poet, writer, translator, and linguist. Hapeyeva holds a doctorate in comparative linguistics and has taught at two universities, in Minsk and Vilnius. Hapeyeva has been publishing poetry, prose, and drama since 1999. In addition, she is a translator of fiction and poetry from English, German, Chinese, and Japanese. She is a member of the Belarusian PEN-Centre and of the Union of the Belarusian Writers. Her works have been translated into English, German, Polish, Czech, Macedonian, Latvian, Lithuanian, Slovenian, Georgian, Dutch, and Russian. A collection of her poetry in English, In My Garden of Mutants, appeared with Arc Publications in 2021, translated by Annie Rutherford. The collection received a PEN Translates award. Volha collaborates with electronic musicians and gives audio-visual performances. Translation activity Volha Hapeyeva translates to Belarusian mainly from English, German and Chinese, but also other languages, including Japanese, Latvian and Ukrainian. She teaches translation theory and practice at Minsk State Linguistic University and gives seminars on translation studies for various initiatives and organizations. She does not use bridge languages or word-for-word translations and always translates directly from the original language. Among others, she has translated works by Robert Walser, Sarah Kane, Dai Wangshu, Mari Konno, Maira Asare and . Scholarships and awards August 2008 Sommerakademie für Übersetzer deutscher Literatur, Literarischen Colloquium Berlin. July–August 2009 Literary Colloquium Berlin (Germany) August 2010 International House of Writers and Translators Ventspils (Latvia) 2011 “Golden Apostrophe” Literary Award for the Best Publication of Poetry July 2012 International House of Writers and Translators Ventspils (Latvia) July–August 2013 Artist in Residence in the International Hause of Authors Graz „IHAG“ (Austria). Autumn 2013 “Ex-libris” Prize for the best Children's book "Sumny sup” (‘Sad Soup’). April–May 2014 Artist-in-Residence in Wien (KulturKontakr Austria und Bundesministerium für Unterricht, Kunst und Kultur). 2015 – winner of the Literature Prize “A Book of the Year”. 2017: "The Grammar of Snow" named Best Poetry Book of 2017 by Radio Liberty 2018: "The Grammar of Snow" shortlisted for the Prize for Best Poetry Book after Natallia Arsennieva 2020: "Black Poppies" was shortlisted for the Prize for Best Poetry Book after Natallia Arsennieva 2021 – PEN Translates award for In My Garden of Mutants (UK) Bibliography Translated into English Volha Hapeyeva, tr. Annie Rutherford: In My Garden of Mutants – Arc, 2021 (poetry) Books (all in Belarusian) Volha Hapeyeva “Reconstruction of the Sky”. – Minsk: Lohvinau, 2003. – 142 p. (poetry, prose, drama). Volha Hapeyeva “Unshaven Morning”. – Minsk: Lohvinau, 2008. – 65 p. (book of poetry). Volha Hapeyeva “Moiré Fringe Method”. – Minsk: Galijafy, 2012. – 76 p. (book of poetry). Volha Hapeyeva “Embers and Stubble”. – Minsk: Lohvinau, 2013. – 60 p. (book of poetry with CD). Volha Hapeyeva “(Incr)edible stories”. – Minsk: bybooks.eu, 2013. – (e-book of short stories). Volha Hapeyeva “Sad Soup”. – Minsk: Halijafy, 2014. – 72 p. (a children's book). Volha Hapeyeva “Two Sheep” (book for children in poems) – Minsk: Lohvinau. – (in print). Volha Hapeyeva "The Grammar of Snow" – Minsk: Halijafy, 2014. – (poetry) Volha Hapeyeva "Black Poppies" – Minsk: Halijafy, 2017. – (poetry) Volha Hapeyeva "Words that Happened to Me" – Minsk: Halijafy, 2020. – (poetry) Volha Hapeyeva "Camel Travel" – Minsk: Halijafy, 2020. – (novel) Publications in anthologies (selected) «Labirynt. Antologia współczesnego dramatu białoruskiego» — Radzyń Podlaski, 2013. “European Borderlands. Sprachlandschaften der Poesie”. – Міnsk : Lohvinau, 2009. – 96 p. “Frontlinie–2” / Anthologie der Deutschen und Belarussischen Texten. – Minsk: Lohvinau, 2007. “Krasa i Sila. Anthology of Belarusian Lyric of the 20th c.”/ Comp. by Skobla M.; Ed. by Pashkevich – Minsk: Limaryus, 2003. – 880 p. “Frontlinie” / Anthologie der Deutschen und Belarussischen Texten. – Minsk: Lohvinau, 2003. – 240 p. “Versh na Svabodu” (Poem for Liberty). Poetry Anthology. Radio Liberty, 2002. – 464 p. “Anthology of the Young Poems”. Miensk: Uradzhaj, 2001. – 351 p. Publications in literary magazines “Modern Poetry in Translation” (UK) “Hopscotch” (US) “Tint Journal” (US) “ARCHE” (Belarus) „Dziejaslou“ (Belarus) „pARTtizan“ (Belarus) “Maladosc” (Belarus) “Krynica” (Belarus) “Pershacvet“ (Belarus) “Polymia” (Belarus) “Texty” (Belarus) “Blesok” (Macedonia) „Die Horen“ (Germany) „OSTRAGEHEGE“ (Germany) „Literatur und Kritik“ (Austria) „Manuskripte“ (Austria) “ახალი საუნჯე” (New Treasure, Georgia) References External links 'In My Garden of Mutants' (Arc, 2021) Volha Hapeyeva on the Versopolis website Старонка на сайце Саюза беларускіх пісьменнікаў – https://web.archive.org/web/20161030155230/http://lit-bel.org/by/friends/34/259.html "Беларускія аўтары ўсё вымушаны рабіць самі"- Інтэрв'ю для часопіса "Большой" (2014) – http://bolshoi.by/gorod/volga-gapeeva-belaruskiya-a%D1%9Etary-%D1%9Esyo-vymushany-rabic-sami/ "Лекцыя для Бога" – Інтэрв'ю для часопіса "Большой" (2011) – http://bolshoi.by/uvlecheniya/lekcyya-dlya-boga/ Living people Belarusian dramatists and playwrights Belarusian women dramatists and playwrights 1982 births 21st-century Belarusian poets Belarusian translators Belarusian women poets Date of birth missing (living people) Writers from Minsk 21st-century women writers 21st-century translators
Le Jardin du Luxembourg is a song by Joe Dassin. It was the first track of side 1 of his 1976 album Le Jardin du Luxembourg. The female vocals are by Dominique Poulain. Writing and versions The song was written by Vito Pallavicini and Toto Cutugno. The French lyrics were written by Claude Lemesle. The song will be later covered by Dassin himself in Spanish under the title "En los jardines de mi ciudad". The original Italian version (by Vito Pallavicini and Toto Cutugno), titled "Quindici minuti di un uomo", was recorded by Albatros (a band founded by Toto Cutugno). Release The song was released as a two-part promo single. Composition and reception According to the producer Jacques Plait, it is a "song / symphony / one-man musical", its main theme is "One more day without love". The song lasts almost a quarter of an hour. "The most amazing thing," Dassin recounted, "is that with this song I found myself at the top of the charts at Canadian radio." Track listing 7" promo single CBS 4858 (1976) A. "Le Jardin du Luxembourg" (1ėre Partie) (6:37) B. "Le Jardin du Luxembourg" (2e Partie) (5:23) Other covers 2013: Hélène Ségara with Joe Dassin on the album Et si tu n'existais pas References 1976 songs 1976 singles Joe Dassin songs French songs CBS Disques singles Songs written by Toto Cutugno Songs with lyrics by Vito Pallavicini Songs written by Claude Lemesle Song recordings produced by Jacques Plait
```objective-c #ifndef _RESOLV_H #define _RESOLV_H #include <stdint.h> #include <arpa/nameser.h> #include <netinet/in.h> #ifdef __cplusplus extern "C" { #endif #define MAXNS 3 #define MAXDFLSRCH 3 #define MAXDNSRCH 6 #define LOCALDOMAINPARTS 2 #define RES_TIMEOUT 5 #define MAXRESOLVSORT 10 #define RES_MAXNDOTS 15 #define RES_MAXRETRANS 30 #define RES_MAXRETRY 5 #define RES_DFLRETRY 2 #define RES_MAXTIME 65535 /* unused; purely for broken apps */ typedef struct __res_state { int retrans; int retry; unsigned long options; int nscount; struct sockaddr_in nsaddr_list[MAXNS]; # define nsaddr nsaddr_list[0] unsigned short id; char *dnsrch[MAXDNSRCH+1]; char defdname[256]; unsigned long pfcode; unsigned ndots:4; unsigned nsort:4; unsigned ipv6_unavail:1; unsigned unused:23; struct { struct in_addr addr; uint32_t mask; } sort_list[MAXRESOLVSORT]; void *qhook; void *rhook; int res_h_errno; int _vcsock; unsigned _flags; union { char pad[52]; struct { uint16_t nscount; uint16_t nsmap[MAXNS]; int nssocks[MAXNS]; uint16_t nscount6; uint16_t nsinit; struct sockaddr_in6 *nsaddrs[MAXNS]; unsigned int _initstamp[2]; } _ext; } _u; } *res_state; #define __RES 19960801 #ifndef _PATH_RESCONF #define _PATH_RESCONF "/etc/resolv.conf" #endif struct res_sym { int number; char *name; char *humanname; }; #define RES_F_VC 0x00000001 #define RES_F_CONN 0x00000002 #define RES_F_EDNS0ERR 0x00000004 #define RES_EXHAUSTIVE 0x00000001 #define RES_INIT 0x00000001 #define RES_DEBUG 0x00000002 #define RES_AAONLY 0x00000004 #define RES_USEVC 0x00000008 #define RES_PRIMARY 0x00000010 #define RES_IGNTC 0x00000020 #define RES_RECURSE 0x00000040 #define RES_DEFNAMES 0x00000080 #define RES_STAYOPEN 0x00000100 #define RES_DNSRCH 0x00000200 #define RES_INSECURE1 0x00000400 #define RES_INSECURE2 0x00000800 #define RES_NOALIASES 0x00001000 #define RES_USE_INET6 0x00002000 #define RES_ROTATE 0x00004000 #define RES_NOCHECKNAME 0x00008000 #define RES_KEEPTSIG 0x00010000 #define RES_BLAST 0x00020000 #define RES_USEBSTRING 0x00040000 #define RES_NOIP6DOTINT 0x00080000 #define RES_USE_EDNS0 0x00100000 #define RES_SNGLKUP 0x00200000 #define RES_SNGLKUPREOP 0x00400000 #define RES_USE_DNSSEC 0x00800000 #define RES_DEFAULT (RES_RECURSE|RES_DEFNAMES|RES_DNSRCH|RES_NOIP6DOTINT) #define RES_PRF_STATS 0x00000001 #define RES_PRF_UPDATE 0x00000002 #define RES_PRF_CLASS 0x00000004 #define RES_PRF_CMD 0x00000008 #define RES_PRF_QUES 0x00000010 #define RES_PRF_ANS 0x00000020 #define RES_PRF_AUTH 0x00000040 #define RES_PRF_ADD 0x00000080 #define RES_PRF_HEAD1 0x00000100 #define RES_PRF_HEAD2 0x00000200 #define RES_PRF_TTLID 0x00000400 #define RES_PRF_HEADX 0x00000800 #define RES_PRF_QUERY 0x00001000 #define RES_PRF_REPLY 0x00002000 #define RES_PRF_INIT 0x00004000 struct __res_state *__res_state(void); #define _res (*__res_state()) int res_init(void); int res_query(const char *, int, int, unsigned char *, int); int res_querydomain(const char *, const char *, int, int, unsigned char *, int); int res_search(const char *, int, int, unsigned char *, int); int res_mkquery(int, const char *, int, int, const unsigned char *, int, const unsigned char*, unsigned char *, int); int res_send(const unsigned char *, int, unsigned char *, int); int dn_comp(const char *, unsigned char *, int, unsigned char **, unsigned char **); int dn_expand(const unsigned char *, const unsigned char *, const unsigned char *, char *, int); int dn_skipname(const unsigned char *, const unsigned char *); #ifdef __cplusplus } #endif #endif ```
Casimir "Hippo" Gozdowski (March 26, 1902 – September 19, 1952) was an American football fullback for the Toledo Maroons of the National Football League. Nicknamed "Hippo" because of his large size, Gozdowski was a well-known athlete in Toledo, playing professional and semi-professional football and baseball for many years in the city. Early life Casimir Gozdowski was born on March 26, 1902, in Chicago, Illinois, but had moved to Toledo, Ohio by the time he reached his twenties. Football career In 1922, Gozdowski played for the Toledo Maroons of the National Football League, which at the time was only three years old and had just begun to call itself the NFL. Gozdowski had not played college football, unlike most of the starters on the team. He played backup to starting right guard Cap Edwards. Gozdowski's most prolific game saw him score two rushing touchdowns in a 39–0 rout of the Louisville Brecks, in which the Brecks failed to even get a first down. Baseball career In 1925, Gozdowski played pitcher for a Toledo semi-professional baseball team called the Eagles. Described as "a big Polish boy" and likened to Babe Ruth by the Sandusky Star-Journal, he was considered far and away the best player on the team. Later life and death Gozdowski died in Toledo on September 19, 1952, at the age of 50. References 1902 births 1952 deaths American football fullbacks American people of Polish descent Baseball players from Ohio Toledo Maroons players Players of American football from Ohio
BBC Prime was the BBC's general entertainment TV channel in Europe, Middle East, Africa, South Asia and Asia Pacific from 30 January 1995 until 11 November 2009, when it was replaced by BBC Entertainment. Launch BBC Prime was officially opening ceremony or grand opening at 19:00:00 or 7:00:00pm GMT on Thursday, 26 January 1995 when the former BBC World Service Television was officially opening to split into two separate television stations: BBC World (since renamed BBC News): 24-hour English free-to-air terrestrial international news channel: news bulletins, information, business and financial news magazines and current affairs programmes officially opening ceremony or grand opening on Monday 16 January 1995 at 19:00:00 or 7:00:00pm GMT. BBC Prime (since replaced by BBC Entertainment): 24-hour English cable lifestyle, variety and entertainment channel: variety, culture, leisure, lifestyle, art and light entertainment programmes officially opening ceremony or grand opening on Monday 30 January 1995 at 19:00:00 or 7:00:00pm GMT. Programming The channel broadcast drama, comedy and lifestyle programmes which it repeated on a monthly basis. Every day since the channel's 2000 rebrand, it allocated six hours per day to educational programmes from BBC Learning (shown in the European small hours, between 01:00 and 07:00 CET); this practice was abandoned on 23 July 2006 "with the intention of improving the relevance and appeal of the channel to the widest audience". It also included a special children's strand, using the CBBC brand and idents, by the name of CBBC on BBC Prime, or CBBC Prime. When it first launched, BBC Prime also carried programming from the former ITV company Thames Television, since BBC Worldwide had a joint venture with Thames's parent company, Pearson and Cox Communications, known as European Channel Management. This was dissolved in 1998, when the BBC became the sole owner of the channel, as its sister service BBC World was struggling financially. Pearson and Cox, on their behalf, were heavily dissatisfied with the BBC's management ethos. BBC Prime explained their decision to schedule older programmes in addition to newer ones: "For the majority of our viewers, who are European and African nationals, this is the first chance to see these programmes, and often the only way to view them." Funding Unlike the BBC's domestic channels, and some of their foreign channels paid for by the UK Foreign Office, BBC Prime was funded by subscription available either as part of a satellite package or as a stand-alone channel. It was also funded by adverts placed on the channel in breaks, and because of this, it was not available in the UK. Much of BBC Prime's programming was available to watch through BBC One, Two or the UKTV network, part owned by the BBC and showing archive programming. Presentation BBC Prime's first ident consisted of five different diamonds shining, at first by each other, and then all of them, in a black background, with the BBC Prime logo placed in the bottom right corner. The logo at the time had the BBC logo, with "Prime" written in all capitals below in the Trajan Bold font. The ident had another version which had a jazz-styled music. After the BBC went on its major rebrand, on 4 October 1997, BBC Prime rebranded for the first time. The logo now had the BBC blocks, with "Prime" in all capitals in the Gill Sans font next to it. The idents were designed by Martin Lambie-Nairn (along with the whole 1997 BBC branding) and start with epileptic water scenes with full of colours, before settling on the main part of the ident, which features the water in a blue to orange gradient with ripples and two marbles, reflected and inverted by each other. The logo is placed at the bottom. On 4 December 2000, BBC Prime rebranded for the second time, also created by Lambie-Nairn. The idents were known as "Festival" and featured cartoon draws of famous UK sights, like the Big Ben, the Tower Bridge or the Stonehenge, shooting fireworks, followed by the looped, 15-second long sequence with exploding firework animations. The idents had a xylophone-and-trumpet music, with firework sounds playing in the background. Like the 1997 idents, the logo is placed at the bottom. BBC Prime's final rebrand took place on 23 July 2006 with BBC Learning's discontinuation. The logo featured the 1997 logo being placed inside a turquoise circle (although the 1997 logo remained in use as the DOG). The idents consisted of differently coloured circles as people who do different situations, like going on a rollercoaster, jumping and swimming in the pool, or the grass being clipped with a lawnmower. These idents were used until BBC Prime was completely replaced by BBC Entertainment on 11 November 2009. Availability The channel was available in many areas through satellite and cable television In the Netherlands and Belgium, the channel was available on cable, alongside BBC One, BBC Two and BBC World News. It was available on digital terrestrial television (DTT) in the Netherlands and Malta. In Gibraltar, GBC relayed BBC Prime on its VHF and UHF channels with opt-outs. In Turkey, it was available on Türksat Cable TV and Digiturk. In Italy, it was available on SKY Italia. In MENA, it was available on the Orbit Network Bahrain. The South Africa service was launched in 1999 and contained some different programmes to that broadcast in Europe, due to some programmes already being licensed to other channels. The Asia service was launched on 1 December 2004 and had a different schedule to that of the Europe service to reflect the different time zones, and cultural practices. It was available in Hong Kong (on Now TV's Channel 529), Thailand (on TrueVisions' (Channel 35), Singapore (on StarHub TV's Channel 76) and South Korea (on Skylife's Channel 334). In order to cater to a wider audience, who do not have English as their first language, BBC Prime carried subtitles in Swedish, Danish, Norwegian, Czech, Polish, Romanian, Hungarian, Italian, Hebrew and Serbian. The Asian service also had subtitles in Chinese, Thai, and Korean. A similar channel, called BBC Japan, launched in Japan on 1 December 2004, but ceased broadcasting on 30 April 2006 owing to problems with its local distributor. Replacement In September 2006 it was announced that the BBC Prime brand was to be phased out and replaced by BBC Entertainment, one of a number of new international channels planned by BBC Worldwide. The process began with the Asian services, which switched on 6 October 2006, followed by the South African service on 1 September 2008. BBC Prime was completely replaced by BBC Entertainment on 11 November 2009. Notes External links BBC Prime Ident Compilation BBC Prime at TV Ark International BBC television channels Television channels and stations established in 1995 Television channels and stations disestablished in 2009 Defunct television channels in the Netherlands Defunct television channels hu:BBC Prime
Sverre Wilberg (24 December 1929 – 19 July 1996) was a Norwegian actor, perhaps best remembered as the clumsy police superintendent Hermansen, always going after Egon and the rest of Olsenbanden. Sometimes he manages to catch up with them, and sometimes he fails completely, and is often demoted by his superior to parking ticket guard, officer of the riding police, and such. He died in Oslo in 1996. References External links Norwegian male film actors 1929 births 1996 deaths People from Fredrikstad 20th-century Norwegian male actors Alumni of RADA
```glsl varying highp vec2 textureCoordinate; uniform sampler2D inputImageTexture; uniform lowp float brightness; void main() { lowp vec4 textureColor = texture2D(inputImageTexture, textureCoordinate); gl_FragColor = vec4((textureColor.rgb + vec3(brightness)), textureColor.w); } ```
Commonwealth v. Brady, 510 Pa. 123, 507 A.2d 66 (Pa. 1986), is a case decided by the Supreme Court of Pennsylvania in 1986 which overruled close to two centuries of decisional law in Pennsylvania and established a common law exception to the rule against hearsay. Rule of law The decision stands for the proposition that the recorded, adopted statement of a witness to a crime inconsistent with her testimony at trial is properly admitted for both purposes of impeachment and as substantive evidence: "for its truth." In Commonwealth v. Lively, the rule was extended with respect to "verbatim contemporaneous recording[s] of . . . oral statement[s]," provided the "recordings" are electronic, audiotape, or videotape. Facts The facts as set forth in the majority opinion are excerpted: On September 14, 1980, the body of George Hoffman was discovered at about 7:30 a.m. at the Wilson Manufacturing plant in Sunbury where he was employed as a security guard. Appellee, Anthony Edward Brady, was arrested later that day and charged with the stabbing death of George Hoffman. Appellee was sixteen years of age at the time of trial, but was tried as an adult before a jury in the Court of Common Pleas of Northumberland County. Evidence introduced at trial disclosed the following events. In the early morning hours of September 14, 1980, appellee awakened his girlfriend, Tina Traxler, at her residence in Sunbury and persuaded her to take a ride with him. The two drove around for a while until, near an area outside of Sunbury known as the Shale Pit, appellee ran the car into a ditch alongside a dirt road. Unable to extricate the car from the ditch, appellee and Ms. Traxler began to walk back to Sunbury and, along the way, walked by the Wilson Manufacturing plant. They climbed the fence surrounding the plant and entered it through a side door. Once inside, appellee was attempting to pry open a dollar-bill change machine when George Hoffman, the plant security guard, encountered him and Ms. Traxler. A scuffle ensued during which appellee stabbed the victim who fell to the floor. Appellee and Ms. Traxler then left the plant and returned to Sunbury to their friends' home. The most damaging evidence against appellee was a tape-recorded statement given by Tina Traxler to the police on the evening of September 14, 1980. That statement set forth the events recounted above. At trial, however, Tina Traxler, called as a witness for the Commonwealth, recanted the tape-recorded statement and testified that neither she nor appellee had entered the Wilson Manufacturing plant on September 14, 1980 after the car had broken down. Over objection, the Commonwealth was permitted to introduce the tape-recorded statement as substantive evidence, not merely to impeach Ms. Traxler's credibility. Application Prior to the Supreme Court's decision in Brady, a criminal defendant could obtain a judgment of acquittal when the Commonwealth's case relied completely or principally on out of court statements by witnesses. The typical scenario would involve a witness that recanted or disavowed an earlier statement made to police officers (see Facts section infra) concerning the defendant's liability. Under Brady and its progeny, it is then for the finder of fact to determine whether the witness is telling the truth now, or whether the witness was being truthful when he or she gave the first statement to the police. References External links Pennsylvania Rules of Evidence Federal Rules of Evidence Philadelphia Bar Association Criminal Justice Section CLE Lecture on Brady-Lively featuring Daniel-Paul Alva, Judge Sarmina, and Professor Jules Epstein 1986 in United States case law Pennsylvania state case law United States hearsay case law United States state evidence case law 1986 in Pennsylvania
Thirumullaivoyal railway station is one of the railway stations on the Chennai Central–Arakkonam section of the Chennai Suburban Railway Network. It serves the neighbourhoods of moondru nagar, Jayalakshmi Nagar, Senthil Nagar and Thirumullaivoyal and a suburb of Chennai located 17 km west of the city centre. It is situated at Senthil Nagar near Ambattur and has an elevation of 21.73 m above sea level. History The first lines in the station were electrified on 29 November 1979, with the electrification of the Chennai Central–Tiruvallur section. Additional lines at the station were electrified on 2 October 1986, with the electrification of the Villivakkam–Avadi section. Layout The station is the newest one in the Chennai Central-Arakkonam section. There are four tracks—two serving exclusively for the suburban trains. The suburban tracks are served by an island platform, on which the station building is situated. A footbridge connects the platform with the neighbourhood. See also Chennai Suburban Railway Railway stations in Chennai References External links Thirumullaivoyal station at Indiarailinfo.com Stations of Chennai Suburban Railway Railway stations in Chennai Railway stations in Tiruvallur district
Don't Worry is the first full-length album by MC Magic. Track listing illetyoudoit-2-me - 4:35 Summertime - 4:08 It's OK - 4:21 Lost in Love - 4:09 Don't Worry - 3:26 Pandilleros - 0:58 Girl I Love You - 4:33 Comin Out the PHX - 4:08 Back in the Day - 4:42 Here It Comes - 3:13 Jam - 3:37 Excited - 3:49 Don't Worry Remix - 4:44 Dre's Groove - 4:34 References 1995 debut albums MC Magic albums
Thomas Reaney was a footballer who played three games at right-back in the Football League for Burslem Port Vale in the mid-1900s. Career Reaney played for Bridgetown Amateurs before joining Burslem Port Vale in August 1904. His debut came on 17 December; in a 2–1 defeat to Bolton Wanderers at the Athletic Ground. He played only a further two Second Division games before being released at the end of the season. Career statistics Source: References Year of birth missing Year of death missing English men's footballers Men's association football fullbacks Port Vale F.C. players English Football League players Place of birth missing
The men's 30 kilometre pursuit at the FIS Nordic World Ski Championships 2011 took place on 27 February 2011 at 12:00 CET at Holmenkollen National Arena. The defending world champion was Norway's Petter Northug while the defending Olympic champion was Sweden's Marcus Hellner. Results References FIS Nordic World Ski Championships 2011
The 6th Congress of the Workers' Party of Korea (WPK) was held in the February 8 House of Culture in Pyongyang, North Korea, from 10 to 14 October 1980. The congress is the highest organ of the party, and is stipulated to be held every four years. 3,062 delegates represented the party's membership; 117 foreign delegates attended the congress, without the right to speak. The congress saw the reappointment of Kim Il Sung as WPK General Secretary and the Presidium of the Politburo established as the highest organ of the party between congresses. At this congress, Kim Il Sung designated his son Kim Jong Il as his successor. The move was criticized by the South Korean media and ruling communist parties of the Eastern Bloc because it was considered nepotist. The congress also saw the WPK and North Korea move away from orthodox communism by emphasizing the Juche idea over Marxism–Leninism, giving the party a nationalistic bent. The next party congress was not convened until 2016, despite party rules stipulating that a congress had to be held every fifth year. Preparations Little is known about the preparations for the 6th Congress. It was convened a decade after the 5th WPK Congress (in 1970), outside the party norm of a quadrennial meeting. There was no official reason for its postponement, but it was probably due to the fact that WPK General Secretary Kim Il Sung spent much of the 1970s gathering support (and creating an independent power base) for his son and planned successor Kim Jong Il. In addition, a great deal of time was spent restructuring party organizations and functions. The primary reason for the 6th Congress was to formalize Kim Jong Il as Kim Il Sung's chosen successor. Delegates and attendees The 6th Congress was attended by 3,062 delegates with voting rights and 158 without them; this marked an increase of 1,349 voting and 137 non-voting delegates from the 5th Congress. The increase indicates a growth in membership. The 6th Congress is significant for its large number of delegations: 177 delegations from 118 countries were represented. While communist and workers' parties customarily invite "fraternal parties" to party congresses, the WPK had taken the unusual step of not inviting foreign delegations to the 1st, 2nd and 5th congresses. Among those invited this time were the Chinese Communist Party and the Communist Party of the Soviet Union. The WPK leadership also invited a number of non-communist parties and organizations to the congress. The official report said that 155 foreign organizations from 105 countries attended the congress, indicating that 22 delegations remained incognito. For unknown reasons, no foreign delegates spoke at the congress. The Congress The 6th Congress was held at the February 8 House of Culture from 10 to 14 October 1980, with a recess on 11 October. Compared to its predecessor, the 6th Congress was fairly short. It began with opening addresses by Kim Il Sung, the Executive Bureau, the Secretariat and the Credentials Committee. After the opening remarks, the congress' agenda was decided: "(1) Summing up the work of the Party Central Committee; (2) Evaluation of the work of the Party Central Auditing Committee; (3) Revision of the Party Rules and (4) Election of the central leading agencies of the Party." This was followed by a report on the Central Committee's performance since the 5th Congress. The 6th Congress was adjourned on 11 October, and 12 October began with the election of a committee to draft congressional decisions. Lee Nak-bin then delivered a report on the work of the Central Auditing Committee since the 5th Congress. The rest of the day was spent discussing the Central Committee report. 13 October was devoted to debates and congratulatory speeches, and on 14 October the congress elected the 6th Central Committee and the 6th Central Auditing Commission. Significant at the 6th Congress was the generational shift within the WPK, with Kim Il Sung planning to formalize the position of Kim Jong Il. 248 members were elected to the 6th Central Committee: 145 full members and 103 candidate members. This was an increase of 76 members from the 5th Central Committee, which had 172 members. The expansion of the Central Committee is a sign of an expanding party, since one Central Committee member represents 10,000 party members. Of the 248 members, "139 (60 full members and 79 candidate members)" were new to the Central Committee. However, compared to previous Central Committees the replacement rate was relatively low (41.4%, compared with 72.2% at the 5th Congress). Only two members have sat on the Central Committee since the 1st Central Committee: Kim il-sung and Kim Il. The cause of the high Central Committee replacement rate had been intra-party conflict, and the Yanan, South Korean, domestic and Soviet-Korean factions (as well as ideological opponents of hereditary succession) had been purged from the Central Committee at previous congresses. Amendments to Party rules changed the name of the Political Committee back to its original name (the Politburo), and created a Presidium within the Politburo to further centralize the power of the ruling elite. Of the 158 delegates with speaking rights, 39 participated in the debates—much-lower participation than at the 5th Congress, in which 98 of 137 delegates with speaking rights participated. All debate participants were Party bureaucrats and technocrats, making it the first congress at which the "revolutionary generation" was not present. 38 topics were debated: twenty-one focused on the economy, ten on politics, five on social and cultural affairs, one on military affairs and one on possible unification with South Korea. Socialist construction, the designated primary task of the party during the 1980s, was the focal point of the discussions. The 6th Congress ended with Kim Il Sung presenting a summary of what had been decided: "(a) Shining victory of the Three Revolutions—achievements in ideological, technological and cultural revolutions; (b) Conversion of entire society along the lines of Juche idea; (c) Independent and peaceful reunification of the fatherland; (d) Strengthening of the solidarity with the anti-imperialist self-reliant forces; (e) strengthening of Party work." 1st plenum The 1st plenum of the 6th Central Committee, to elect the central party leadership, was held immediately after the 6th Congress. 34 members were elected to the 6th Politburo, an increase from 15 in the 5th Politburo. Of these 34, 19 were full members and 15 candidate members. Five members were elected to the Presidium, and Kim Jong Il was ranked fourth in the hierarchy of the Politburo and the Presidium. The 6th Secretariat was composed of nine members, with Kim Jong Il ranked second. The size of the Secretariat did not change from the 5th Congress, but of its nine members only Kim Il Sung was from the party's "revolutionary generation" (60% of the members of the 5th Secretariat came from that generation). Kim Il Sung and Kim Jung-rin were the only incumbents to be reelected. The elected 6th Central Military Commission (CMC) was composed of 19 members, of which Kim Jong Il ranked third (behind Kim Il Sung and O Jin-u). This marked the first time in the party's history that the CMC membership was made public. Kim Il Sung and Kim Jong Il became the only officials with seats in all four bodies: the Presidium, Politburo, Secretariat and CMC. While Kim Jong Il was outranked in the Presidium, Politburo and Secretariat, none of the members who outranked him had positions in other bodies (except for O Jin-ju, second-ranked member of the CMC). Below is a list of members (and their respective rankings) of the Presidium, full and candidate members of the Politburo, Secretariat and CMC: The 1st plenum saw the "revolutionary generation" retire from their executive posts, surrendering them to the new generation of Kim Jong Il; however, they still controlled the highest organs of power: the Presidium and the Politburo. The plenum saw the disappearance of Kim Yong-ju (Kim Il Sung's brother, considered his chosen successor before Kim Jong Il), Kim Dong-gyu, Ryu Jang-sik and Ri Yong-mu from important party positions. The reason for the purge is unknown, but presumably linked to Kim Il Sung's time-consuming consolidation of his son's power base. Policy decisions Kim Jong-il as successor Kim Yong-ju was believed to be Kim Il Sung's first choice as successor, and his authority increased until he became co-chairman of the North–South Coordination Committee. From late 1972 until the 6th Congress, Kim Yong-ju became an increasingly remote figure within the regime; at the 6th Congress, he lost his seats in the Politburo and on the Central Committee. However, rumors were confirmed that Kim Il Sung began grooming Kim Jong Il in 1966. From 1974 until the 6th Congress, Kim Jong Il (called the "Party centre" by North Korean media) became the second-most-powerful man in North Korea. The choice of Kim Jong Il as Kim Il Sung's successor met with considerable criticism. Critics accused Kim Il Sung of creating a dynasty, turning North Korea into a feudal state. An anonymous South Korean critic said, "Hereditary succession of power [was an] inevitable consequence of the elder Kim's irrevocable commitment to the dream of founding a dynasty of his own and of his family", adding that Kim Jong Il's rise to power was proof of the "degeneration" of the WPK into a "thoroughly personalized family affair built up around a personality cult." The Communist Party of the Soviet Union, the Chinese Communist Party and other ruling parties of socialist states did not approve Kim Jong Il's appointment as heir apparent. Kim Il Sung's choice of successor arguably concerned the promotion of revolutionary zeal in the country (taking into account the negative treatment Joseph Stalin received from his successor). Korean unification At the congress, Kim Il Sung stressed the importance of "achieving the goal of the unification of the fatherland which has been the greatest and long-cherised desire of the whole people is the most important revolutionary task facing the Party". He warned his audience that if Korea remained divided, it might never be unified again because of relations among the big powers. Kim Il Sung called for the establishment of the "Democratic Confederal Republic of Korea" (DCRK), a national government of North and South Korea. The DCRK would be ruled by a Supreme Confederal National Congress (SCNC), with an equal number of representatives from North and South Korea. The SCNC representatives would elect a Presidium, which would rule on its behalf. Under this system, South Korea would remain capitalist and North Korea socialist. However, the WPK leadership named three conditions for North Korea to join the DCRK: (1) Social democratization of South Korea, the ouster of its current ruling class, repeal of the Anti-Communist and National Security Laws and replacement of its military regime by a democratic one representing the will of the people; (2) Reducing tensions with the establishment of a truce and a peace agreement; (3) Reducing American interference in the region, holding open the possibility of improved relations with the United States if it supported Korean reunification. From communism to nationalism The 6th Congress signified a move away from orthodox communism, with the Juche given primacy over Marxism–Leninism; in foreign relations, an independent national policy was given primacy over proletarian internationalism. According to political analyst Kim Nam-sik, "They [changes] represent a marked departure from the fundamental principles of communism, and a new orientation for the North Korean future in the 1980s." In contrast to other ruling communist parties in socialist states, democratic centralism in the WPK did not hold the leader (the WPK General Secretary) accountable. In many ways it functioned the other way around, with the WPK accountable to the leader. This unusual system is rooted in North Korea's leader theory. In contrast to other socialist states (which upheld the orthodox communist belief that the masses are masters of historical development), WPK ideology asserts that the masses can only initiate revolutionary change through a leader. While other socialist states often emphasized certain historical figures, due weight was still given to the people. The opposite occurred in North Korea, where the party line was "The great revolutionary task of the working class is pioneered and led to victory by the Leader and completed under the leadership of the Leader only." From this perspective, the revolutionary task given the working class by the other socialist regimes became the sole responsibility of the leader in North Korea. The leader theory supports one-man leadership, since all important tasks can only be accomplished by a great leader it argues. This ideological outlook may explain why Kim Il Sung appointed his son, Kim Jong Il, as his successor. In North Korea, Kim Il Sung was considered a "Great Leader" with a decisive role; he was cited by official media as the man who established the WPK and founder of the Juche idea. Because of this, Kim Il Sung was not "elected" WPK General Secretary; the position was bestowed on him by divine right. While North Korea had already begun to move from a foreign policy based upon proletarian internationalism at the Conference of Party Representatives in 1966, the WPK leadership had never explicitly broken with proletarian internationalism as it did at the 6th Congress. In theory, a communist party supports policy contributing to the world revolution. Communist regimes rarely lived up to this ideal; by the 1950s, ideological schisms within the world communist movement made it all but impossible. From 1966 onwards, North Korea strengthened relations with neutral countries in the global Cold War. Proletarian internationalism was replaced with a national, independent foreign policy; if a socialist and non-socialist country were at war, North Korea could (in theory) support the non-socialist country if it benefited North Korea. At the 6th Congress, Kim Il Sung attached more importance to relations with Third World countries than to unity in the socialist camp. Nevertheless, North Korea still received massive funds and aid from the Soviet bloc, the People's Republic of China and relations with the United States would remain bitterly cold. While North Korea argues that independence and proletarian internationalism are not exclusive, in orthodox communist theory they are. Footnotes Works cited Further reading Political history of North Korea Congress of the Workers' Party of Korea Congress of the Workers' Party of Korea Congresses of the Workers' Party of Korea
The 130th New York Infantry Regiment was an infantry regiment that served in the Union Army during the American Civil War. Service The 130th New York Volunteer Infantry was mustered into service at Portage, New York, by Lt. Col. Thomas J. Thorp in September 1862. Consisting of ten companies, the men were recruited from Allegany, Livingston, and Wyoming counties and placed under the command of Col. Alfred Gibbs. The regiment left New York on August 6, 1862, and arrived in Suffolk, Virginia, on August 13 where it was assigned to the 1st Division, VII Corps of the Army of the Potomac. The 1st Division was commanded by Gen. Michael Corcoran. The 130th New York was engaged at the Battle of Deserted House and took part in the Siege of Suffolk in April and May 1863. The regiment was converted to cavalry on July 28, 1863, and designated as the 19th Regiment New York Volunteer Cavalry. The 19th Cavalry was officially re-designated as the 1st Regiment New York Dragoons on September 10, 1863. The 130th New York had the distinction of being the only Union army volunteer regiment which was converted entirely from infantry to cavalry during the Civil War. See also 1st Regiment New York Dragoons List of New York Civil War regiments Notes References The Civil War Archive New York State Military Museum and Veterans Research Center - Civil War – 1st Dragoons Regiment Infantry 130 1862 establishments in New York (state) Military units and formations established in 1862 Military units and formations disestablished in 1863 1863 disestablishments in New York (state)
Secrets And Falling is the 1991 EP from Cindytalk released by Midnight Music. "Empty Hand" differs slightly from the versions on Wappinschaw and the Sound From Hands compilation. Features images and samples from the film El Espiritu De La Colmena (Spain, 1973) by Victor Erice. Midnight Music folded shortly after this was released. Mara Bressi is a member of Black Rose. Track listing Song of Changes The Moon Above Me In Sunshine Empty Hand Personnel Gordon Sharp – voice and tapes Paul Middleton – drums and percussion David Ros – guitar on "Song of Changes" John Byrne – bass and guitar on "Song of Changes", "The Moon Above Me" Darryl Moore – guitar on "In Sunshine", "Empty Hand" Andrew Moon – drums on "Song of Changes" Mara Bressi – additional voice on "The Moon Above Me" Tracy Hankins – violin on "Empty Hand" Lars Rudolph – trumpet on "In Sunshine" Versions 12inch 1991 Midnight Music, Cat# DONG 76 CD 1991 Midnight Music, Cat# DONG 76 CD References External links Official Cindytalk Website "Of ghosts and buildings", Cindytalk blog Cindytalk Myspace page Discogs entry for Cindytalk Editions Mego website, Cindytalk page 1991 EPs Cindytalk albums
Terre humaine (Human Earth) is a French-Canadian soap opera TV series written by Mia Riddez which originally aired on Radio-Canada from September 18, 1978 to June 4, 1984, totalling 229 episodes. Plot The show takes place in rural Quebec and explores the lives of the Jacquemins, a family of farmers. At the center of it is Léandre "Pépère" Jaquemin, the elder of the family, his son Antoine and his spouse Jeanne, who are witnesses to the difficulties their children and their friends face, all of which builds scenes for a good novel. Cast Guy Provost as Antoine Jacquemin Marjolaine Hébert as Jeanne Jacquemin Jean Duceppe as Léandre Jacquemin Raymond Legault as Jean-François Jacquemin Sylvie Léonard as Annick Jacquemin Jean-Jacques Desjardins as Martin Jacquemin Dorothée Berryman as Berthe Jacquemin-Dantin Denyse Chartier as Élisabeth Demaison Alain Gélinas as Michel Jacquemin Serge Turgeon as Laurent Dantin Louis De Santis as Jonas Jacquemin Jacqueline Plouffe as Eléonore Jacquemin Aubert Pallascio as Frédéric Jacquemin Élisabeth Chouvalidzé as Josée Dubreuil Reine France as Marthe Parrot Edgar Fruitier as Hector Bastarache Françoise Graton as Stéphanie Dubreuil Sita Riddez as Simone Dubreuil Yves Massicotte as Ovila Demaison Janine Fluet as Orise Demaison Denis Mercier as Hugues Lacroix Suzanne Léveillé as Mireille Dutilly Madeleine Sicotte as Carmelle Dutilly Marthe Choquette as Pauline Landry Diane Charbonneau as Corinne Prieur Mimi D'Estée as Marguerite Lacoursière Alain Charbonneau as Joseph Jacquemin Danielle Schneider as Jocelyne Jacquemin Mitsou as Annouk Jacquemin Suzanne Marier as Pierrette Jacquemin Julien Bessette as Réal Jacquemin Yvan Benoît as Robin Laroche Yves Allaire as Rolland Yolande Binet as Alice Landry Denis Bouchard as Pit Paul E. Boutet as Paul Boutet Rachel Cailhier as Gervaise Cadieux René Caron as Jacques Quirion Francine Caron-Panaccio as Lise de Carufel Marie-Josée Caya as Julie Coallier Jean-Raymond Châles as Gilles Coallier Jacinthe Chaussé as Madeleine Sanderson Liliane Clune as Lucie Goyette Gilbert Comtois as Paulo Lacasse Rolland D'Amour as Hilaire Jacquemin Larry Michel Demers as Rod Bélisle Jean-Luc Denis as Bercy Jean Deschênes as Éric Belval Yves Desgagnés as Raymond Gaudette Robert Desroches as Louis de Carufel Claude Desrosiers as Philippe Demaison Paul Dion as Gérald Morency Anne-Marie Ducharme as Gisèle Gervais Yvan Ducharme as Jean-Guy Roy Lisette Dufour as Lina Jacquemin Ghyslain Filion as Daniel Bertrand Jacques Fortier as Georges Louiselle Fortier as Jocelyne Ronald France as Dr. Turgeon Sébastien Frappier as François Jacquemin J. Léo Gagnon as René Parrot Pat Gagnon as Maurice Gélinas Benjamin Gauthier as Jean-François Jacquemin Marcel Gauthier as Marcel Dutilly Annette Garant as Nathalie Paul Gauthier as Yves Larin Gérald Gilbert as Patrick Gignac Luc Gingras as Raymond Bellemare Marcel Girard as Dr. Lemay Renée Girard as Thérèse Parrot Sylvie Gosselin as Lysiane Bastarache Blaise Gouin as Adélard Rancourt Claude Grisé as Dr. Marois Roger Guertin as Bertrand Rioux Roseline Hoffman as Béatrice Giria Laurent Imbault as Philippe Ian Ireland as Thomas Sanderson Roland Jetté as Gervais Olivier Landry as the son of Anne Biron Serge Lasalle as Hermas Dehoux Jean-Guy Latour as Marcelin Ménard Marc Legault as Roger Bertrand Yvon Leroux as Arthur Chrétien Jean-François Lesage as Rolland Longtin Jean-Pierre Légaré as Henri Michelle Léger as Anne Biron Jacques L'Heureux as Pierre Jolivet Angélique Martel as Agnès Sanderson Walter Massey as Dr. O'Neil Jean-Pierre Masson as André "Ti-Dré" Fafard Louise Matteau as Ève-Marie Roy René Migliaccio as Guy Guimond Denise Morelle as Gertrude Jacquemin Rock Ménard : as Mr. Lalancette Gilles Normand as Sergeant Beaurivage Lucille Papineau as Anne-Marie Chrétien Gérard Paradis as Réjean Dubreuil Jean-Louis Paris as Curé Maillet Chantal Perrier as Catherine Louise Portal as Isabelle Dantin Gilles Quenneville as Olivier Claude Ravenel as Adrien Dupras José Rettino as Vidal Thérien Jean Ricard as Sergeant Durivage Annick Robitaille as Hélène Dantin Carole Chatel as Anita Lopez Stéphanie Robitaille as Nathalie Dantin Anne-Marie Rocher as Véronique Roy Dominique Roy as Madeleine L'Heureux Diane St-Onge as Éléonore Jacquemin (young) Jacques Tourangeau as Jacques Riopel Johanne Tremblay as Annette Béatrix Van Til as Marie-Mélie Chrétien Robert Toupin as Jean-Louis Laverdière Richard Thériault as Marc Biron Michel Bergeron as Marc Préville Sylvain Dupuis as Kevin Jacquemin Joannie Lalancette as Bénédicte Jacquemin Guillaume Richard as Sylvain Demaison Sébastien Richard as Raphaël Demaison Sylvie Beauregard as Sophie Dutilly Olivier Vadnais as Marc-Antoine Biron Roland Chenail as Dr. René Boudrias Andrée Champagne as Éliane Boudrias Gwladys Breault Joseph as Gwladys Marc Picard as Policeman Pierre Gobeil as Marcel Cantin Pascal Rollin as Régis de Vercor Monique Joly as Suzanne Riopel Robert Bouchard as Farmer Claude Desjardins as Constant Soucy Yvan Canuel as Laurent Dantin's trustee Jean-Guy Bouchard as Policeman References External links 1970s Canadian drama television series Television shows set in Quebec Ici Radio-Canada Télé original programming 1978 Canadian television series debuts 1984 Canadian television series endings Téléromans 1980s Canadian drama television series
The Minus World () is a glitched level found in the 1985 video game Super Mario Bros. It can be encountered by maneuvering the protagonist, Mario, in a particular way to trick the game into sending him to the wrong area. Players who enter this area are greeted with an endless, looping water level in the original Famicom/NES cartridge versions, while the version released for the Famicom Disk System sends them to a sequence of three different levels; this difference is due to the data being arranged in different ways between the two versions. It gained exposure in part thanks to the magazine Nintendo Power discussing how the glitch is encountered. Super Mario Bros. creator Shigeru Miyamoto denied that the addition of the Minus World was intentional, though he later commented that the fact that it does not crash the game could make it count as a game feature. The existence and revelation of this glitch led to rumors being spread about further secrets existing in Super Mario Bros. It is recognized as one of the greatest secrets and glitches in video game history, with the term "Minus World" coming to refer to areas in games that exist outside of normal parameters, such as in The Legend of Zelda. Frog Fractions designer Jim Stormdancer cited it as inspiration for making Frog Fractions the way he did, while Spelunky creator Derek Yu talked about his nostalgia for Minus World, lamenting a lack of mystique found in modern games. References to the Minus World can be found in both Super Paper Mario and Super Meat Boy. Summary The Minus World is accessed from World 1–2. In order to encounter it, players must exploit a glitch in order to maneuver Mario through the bricks separating the normal exit from the Warp Zone area. So long as players do not lock the screen in position, players can make Mario enter the first Warp Pipe before the "Welcome to Warp Zone!" text is revealed. The console did not have a method to check for collisions between tiles, and the task of checking all points around a tile for possible collision points was too difficult for the console's MOS Technology 6502. To compensate for this, the designers put boundary boxes around objects and compare a limited number of collision boundaries. Mario's sprite has two points, one on each foot, each detecting his collision with the floor. The game would normally eject Mario in the opposite direction he is going if he is considered inside a block, which can be averted by crouching while jumping into it and, at the exact right moment, pushing left, causing him to be ejected on the other side of the wall. The game then erroneously sets the far-left and far-right Warp Pipes to send him to World -1. When players successfully pull this off, they are presented with a screen reading World –1, and then Mario is put in a water level that loops the end with the beginning, and as a result, cannot be beaten. It is a copy of the stage, World 7–2, aside from the looping. Despite the appearance and the popular name "Minus World", it is not in fact a negative level number. Rather, the level is identified in the internal memory as "World 36–1", but when it displayed a blank tile is shown, as 36 is the tile number for a blank space. The reason the glitch occurs is because of a misread byte. The Japanese version of the game on the Famicom Disk System has a different result from performing the glitch; instead of looping after Mario reaches the end of the level, it goes through three different levels until players reach the goal and the game ending. The Japanese levels start with an underwater level as well, with floating Princess Peach and Bowser sprites at multiple points. The reason why the two versions' Minus Worlds differ is due to the North American version using a cartridge and the Japanese version using a disk. Cartridges and disks arrange data in different ways, resulting in the different versions sending the offset the Warp Pipe receives arriving at a different byte in the programming. History When Super Mario Bros. creator Shigeru Miyamoto was asked about the Minus World, he denied authorship and said that it was not intended. When asked later about the Minus World, Miyamoto commented that while it was a glitch, the fact that it does not crash the game makes it a feature as well. Since its discovery, the Minus World has resulted in people believing that Super Mario Bros. designers hid secret levels for skilled players to find. It was featured in the third issue of Nintendo Power, describing it as "an endless water world from which no one has ever escaped." This appearance provided photographic evidence of the glitch. Reception The Minus World was an "incredible phenomenon" and has become well-known over time according to Screen Rant, becoming a part of the video game design lexicon. Siliconera staff called it "legendary," while Game Informer writer Ian Boudreau called it "one of gaming's most famous glitches." Kotaku writer Jason Schreier wrote that it was "seared into video game history." Nintendo Life writer Gavin Lane called it "one of the most famous" of Nintendo's glitches. Edge staff discussed how its impact was "purely symbolic and contextual," discussing it as the glitch with the most "lasting influence." They felt that it was so appealing because it was relatively easy to accomplish, suggesting that its early popularity influenced the trend of secret levels. Both Screen Rant and GamesRadar+ made note of the fact that it is an infinite water level, with Screen Rant calling it "every gamer's worst nightmare." GamesRadar+ Justin Towell called it "one of the greatest" video game secrets. According to a game play counselor for Nintendo, the Minus World was one of the most often-requested tricks by callers. Legacy The term 'Minus World' has become a term to refer to an area outside of the parameters of the game, with The Escapist identifying the Super Mario Bros. instance as "one of the first and most classic" examples. Glitches in other games have been referred to as a Minus World, including the first The Legend of Zelda. Frog Fractions- and Frog Fractions 2-designer Jim Stormdancer cited moments like the Minus World as his inspiration for creating these games, wanting to "recapture the sense of mystery" these moments evoked. Derek Yu, creator of Spelunky, discussed how he holds nostalgia for the Minus World, calling it an "incredible [piece] of lore for [Super Mario Bros.]" while lamenting how modern games lack that kind of mystique. The 2007 video game Super Paper Mario featured an area called The Underwhere, which acts as a purgatory and is called "World −1" by one of its residents, in reference to the glitch. The 2010 video game Super Meat Boy features levels called Minus Warp Zones, which make reference to the glitch. References Mario (franchise) Video game glitches Video game levels
Hilarion Capucci (; 2 March 1922 – 1 January 2017) was a Syrian Catholic bishop who served as the titular archbishop of Caesarea in the Melkite Greek Catholic Church. Early years He was born in Aleppo, Syria to Bashir Capucci (father) and Chafika Rabbath (mother) and was educated at St. Anne's Seminary in Jerusalem. During his time in office, he was an opponent of the Israeli occupation of Palestine, and aligned himself with the Palestinian cause. On 20 July 1947, he was ordained a priest of the Basilian Aleppian Order. On 30 July 1965, he was elected archbishop and consecrated. Arrest and imprisonment On 18 August 1974 he was arrested by security forces of Israel for smuggling weapons into the West Bank in a Mercedes sedan. He was subsequently convicted by an Israeli military court of using his diplomatic status to smuggle arms to the Palestine Liberation Army and sentenced to 12 years in prison. Maximos V, the patriarch of the Melkite Church, was a vocal critic of Capucci's imprisonment. He was quoted as saying, "Is this Bishop reprehensible if he thought it was his duty to bear arms? If we go back in history we find other bishops who smuggled weapons, gave their lives and committed other illegal actions to save Jews from Nazi occupation. I do not see why a man who is ready to save Arabs should be condemned." Maximos also asserted that Israel had entered East Jerusalem illegally and against United Nations resolutions. Capucci was among the prisoners whose release was demanded by Palestinian hijackers of the Kfar Yuval hostage crisis in 1975, and of German and Palestinian hijackers of Air France Flight 139 (the Entebbe hostage crisis), in 1976. He was released two years later, in 1978, due to intervention by the Vatican, after having served four years of the 12-years sentence. Negotiating the 1979 Iran hostage crisis Capucci played a key role during the Iran hostage crisis. He made several visits to the hostages, and in early May 1980 he obtained the release of the bodies of the American soldiers who had died in the refueling accident during the rescue mission. Capucci also negotiated an agreement for the release of the hostages, but the plan collapsed because the French press published the story before the agreement had been approved by Iran's Parliament. Opposition to the 2003 Iraq War An opponent of the Iraq War, Capucci wrote the foreword for the book Neo-Conned!: Just War Principles a Condemnation of War in Iraq, by John Sharpe. Participation aboard the 2009 Gaza aid ship In 2009, Capucci was on a Lebanese ship bound for Gaza which was seized by Israeli forces when the ship attempted to violate the Israeli naval blockade. Participation in the 2010 Gaza flotilla In May 2010, Capucci participated in the Free Gaza Movement's aid flotilla to the Gaza Strip (see also Gaza flotilla raid). He was a passenger on , which was seized in the early hours of Monday, 31 May, by the Israeli Navy, with nine people killed and many injured. He was held in Beersheba prison and deported. During a reception for the return of the Mavi Marmara to Istanbul, he gave a speech to the assembly. Honors by Muslim countries The governments of Iraq, Kuwait, Egypt, Libya, Sudan and Syria have honored Capucci with postage stamps. Other On 14 June 2009 he spoke at the American-Arab Anti-Discrimination Committee (ADC) convention's annual Palestine Luncheon. Death On 1 January 2017, the Vatican announced that Capucci had died in Rome, aged 94. References External links Grzegorz Ignatowski, The arrest of Hilarion Capucci and the relations between the Holy See and the State of Israel 1922 births 2017 deaths 20th-century Eastern Catholic archbishops 21st-century Eastern Catholic archbishops Christian Peace Conference members Hostage negotiators Iran hostage crisis Melkite Greek Catholic bishops Participants in the Second Vatican Council Religious leaders from Aleppo People of the Israeli–Palestinian conflict Syrian archbishops Syrian Melkite Greek Catholics Syrian people imprisoned abroad Prisoners and detainees of Israel People deported from Israel
```c /* * Memory allocation handling. */ #include "duk_internal.h" /* * Allocate memory with garbage collection. */ /* Slow path: voluntary GC triggered, first alloc attempt failed, or zero size. */ DUK_LOCAL DUK_NOINLINE_PERF DUK_COLD void *duk__heap_mem_alloc_slowpath(duk_heap *heap, duk_size_t size) { void *res; duk_small_int_t i; DUK_ASSERT(heap != NULL); DUK_ASSERT(heap->alloc_func != NULL); DUK_ASSERT_DISABLE(size >= 0); if (size == 0) { DUK_D(DUK_DPRINT("zero size alloc in slow path, return NULL")); return NULL; } DUK_D(DUK_DPRINT("first alloc attempt failed or voluntary GC limit reached, attempt to gc and retry")); #if 0 /* * If GC is already running there is no point in attempting a GC * because it will be skipped. This could be checked for explicitly, * but it isn't actually needed: the loop below will eventually * fail resulting in a NULL. */ if (heap->ms_prevent_count != 0) { DUK_D(DUK_DPRINT("duk_heap_mem_alloc() failed, gc in progress (gc skipped), alloc size %ld", (long) size)); return NULL; } #endif /* * Retry with several GC attempts. Initial attempts are made without * emergency mode; later attempts use emergency mode which minimizes * memory allocations forcibly. */ for (i = 0; i < DUK_HEAP_ALLOC_FAIL_MARKANDSWEEP_LIMIT; i++) { duk_small_uint_t flags; flags = 0; if (i >= DUK_HEAP_ALLOC_FAIL_MARKANDSWEEP_EMERGENCY_LIMIT - 1) { flags |= DUK_MS_FLAG_EMERGENCY; } duk_heap_mark_and_sweep(heap, flags); DUK_ASSERT(size > 0); res = heap->alloc_func(heap->heap_udata, size); if (res != NULL) { DUK_D(DUK_DPRINT("duk_heap_mem_alloc() succeeded after gc (pass %ld), alloc size %ld", (long) (i + 1), (long) size)); return res; } } DUK_D(DUK_DPRINT("duk_heap_mem_alloc() failed even after gc, alloc size %ld", (long) size)); return NULL; } DUK_INTERNAL DUK_INLINE_PERF DUK_HOT void *duk_heap_mem_alloc(duk_heap *heap, duk_size_t size) { void *res; DUK_ASSERT(heap != NULL); DUK_ASSERT(heap->alloc_func != NULL); DUK_ASSERT_DISABLE(size >= 0); #if defined(DUK_USE_VOLUNTARY_GC) /* Voluntary periodic GC (if enabled). */ if (DUK_UNLIKELY(--(heap)->ms_trigger_counter < 0)) { goto slowpath; } #endif #if defined(DUK_USE_GC_TORTURE) /* Simulate alloc failure on every alloc, except when mark-and-sweep * is running. */ if (heap->ms_prevent_count == 0) { DUK_DDD(DUK_DDDPRINT("gc torture enabled, pretend that first alloc attempt fails")); res = NULL; DUK_UNREF(res); goto slowpath; } #endif /* Zero-size allocation should happen very rarely (if at all), so * don't check zero size on NULL; handle it in the slow path * instead. This reduces size of inlined code. */ res = heap->alloc_func(heap->heap_udata, size); if (DUK_LIKELY(res != NULL)) { return res; } slowpath: if (size == 0) { DUK_D(DUK_DPRINT("first alloc attempt returned NULL for zero size alloc, use slow path to deal with it")); } else { DUK_D(DUK_DPRINT("first alloc attempt failed, attempt to gc and retry")); } return duk__heap_mem_alloc_slowpath(heap, size); } DUK_INTERNAL DUK_INLINE_PERF DUK_HOT void *duk_heap_mem_alloc_zeroed(duk_heap *heap, duk_size_t size) { void *res; DUK_ASSERT(heap != NULL); DUK_ASSERT(heap->alloc_func != NULL); DUK_ASSERT_DISABLE(size >= 0); res = DUK_ALLOC(heap, size); if (DUK_LIKELY(res != NULL)) { duk_memzero(res, size); } return res; } DUK_INTERNAL DUK_INLINE_PERF DUK_HOT void *duk_heap_mem_alloc_checked(duk_hthread *thr, duk_size_t size) { void *res; DUK_ASSERT(thr != NULL); DUK_ASSERT(thr->heap != NULL); DUK_ASSERT(thr->heap->alloc_func != NULL); res = duk_heap_mem_alloc(thr->heap, size); if (DUK_LIKELY(res != NULL)) { return res; } else if (size == 0) { DUK_ASSERT(res == NULL); return res; } DUK_ERROR_ALLOC_FAILED(thr); DUK_WO_NORETURN(return NULL;); } DUK_INTERNAL DUK_INLINE_PERF DUK_HOT void *duk_heap_mem_alloc_checked_zeroed(duk_hthread *thr, duk_size_t size) { void *res; DUK_ASSERT(thr != NULL); DUK_ASSERT(thr->heap != NULL); DUK_ASSERT(thr->heap->alloc_func != NULL); res = duk_heap_mem_alloc(thr->heap, size); if (DUK_LIKELY(res != NULL)) { duk_memzero(res, size); return res; } else if (size == 0) { DUK_ASSERT(res == NULL); return res; } DUK_ERROR_ALLOC_FAILED(thr); DUK_WO_NORETURN(return NULL;); } /* * Reallocate memory with garbage collection. */ /* Slow path: voluntary GC triggered, first realloc attempt failed, or zero size. */ DUK_LOCAL DUK_NOINLINE_PERF DUK_COLD void *duk__heap_mem_realloc_slowpath(duk_heap *heap, void *ptr, duk_size_t newsize) { void *res; duk_small_int_t i; DUK_ASSERT(heap != NULL); DUK_ASSERT(heap->realloc_func != NULL); /* ptr may be NULL */ DUK_ASSERT_DISABLE(newsize >= 0); /* Unlike for malloc(), zero size NULL result check happens at the call site. */ DUK_D(DUK_DPRINT("first realloc attempt failed, attempt to gc and retry")); #if 0 /* * Avoid a GC if GC is already running. See duk_heap_mem_alloc(). */ if (heap->ms_prevent_count != 0) { DUK_D(DUK_DPRINT("duk_heap_mem_realloc() failed, gc in progress (gc skipped), alloc size %ld", (long) newsize)); return NULL; } #endif /* * Retry with several GC attempts. Initial attempts are made without * emergency mode; later attempts use emergency mode which minimizes * memory allocations forcibly. */ for (i = 0; i < DUK_HEAP_ALLOC_FAIL_MARKANDSWEEP_LIMIT; i++) { duk_small_uint_t flags; flags = 0; if (i >= DUK_HEAP_ALLOC_FAIL_MARKANDSWEEP_EMERGENCY_LIMIT - 1) { flags |= DUK_MS_FLAG_EMERGENCY; } duk_heap_mark_and_sweep(heap, flags); res = heap->realloc_func(heap->heap_udata, ptr, newsize); if (res != NULL || newsize == 0) { DUK_D(DUK_DPRINT("duk_heap_mem_realloc() succeeded after gc (pass %ld), alloc size %ld", (long) (i + 1), (long) newsize)); return res; } } DUK_D(DUK_DPRINT("duk_heap_mem_realloc() failed even after gc, alloc size %ld", (long) newsize)); return NULL; } DUK_INTERNAL DUK_INLINE_PERF DUK_HOT void *duk_heap_mem_realloc(duk_heap *heap, void *ptr, duk_size_t newsize) { void *res; DUK_ASSERT(heap != NULL); DUK_ASSERT(heap->realloc_func != NULL); /* ptr may be NULL */ DUK_ASSERT_DISABLE(newsize >= 0); #if defined(DUK_USE_VOLUNTARY_GC) /* Voluntary periodic GC (if enabled). */ if (DUK_UNLIKELY(--(heap)->ms_trigger_counter < 0)) { goto gc_retry; } #endif #if defined(DUK_USE_GC_TORTURE) /* Simulate alloc failure on every realloc, except when mark-and-sweep * is running. */ if (heap->ms_prevent_count == 0) { DUK_DDD(DUK_DDDPRINT("gc torture enabled, pretend that first realloc attempt fails")); res = NULL; DUK_UNREF(res); goto gc_retry; } #endif res = heap->realloc_func(heap->heap_udata, ptr, newsize); if (DUK_LIKELY(res != NULL) || newsize == 0) { if (res != NULL && newsize == 0) { DUK_DD(DUK_DDPRINT("first realloc attempt returned NULL for zero size realloc, accept and return NULL")); } return res; } else { goto gc_retry; } /* Never here. */ gc_retry: return duk__heap_mem_realloc_slowpath(heap, ptr, newsize); } /* * Reallocate memory with garbage collection, using a callback to provide * the current allocated pointer. This variant is used when a mark-and-sweep * (e.g. finalizers) might change the original pointer. */ /* Slow path: voluntary GC triggered, first realloc attempt failed, or zero size. */ DUK_LOCAL DUK_NOINLINE_PERF DUK_COLD void *duk__heap_mem_realloc_indirect_slowpath(duk_heap *heap, duk_mem_getptr cb, void *ud, duk_size_t newsize) { void *res; duk_small_int_t i; DUK_ASSERT(heap != NULL); DUK_ASSERT(heap->realloc_func != NULL); DUK_ASSERT_DISABLE(newsize >= 0); /* Unlike for malloc(), zero size NULL result check happens at the call site. */ DUK_D(DUK_DPRINT("first indirect realloc attempt failed, attempt to gc and retry")); #if 0 /* * Avoid a GC if GC is already running. See duk_heap_mem_alloc(). */ if (heap->ms_prevent_count != 0) { DUK_D(DUK_DPRINT("duk_heap_mem_realloc_indirect() failed, gc in progress (gc skipped), alloc size %ld", (long) newsize)); return NULL; } #endif /* * Retry with several GC attempts. Initial attempts are made without * emergency mode; later attempts use emergency mode which minimizes * memory allocations forcibly. */ for (i = 0; i < DUK_HEAP_ALLOC_FAIL_MARKANDSWEEP_LIMIT; i++) { duk_small_uint_t flags; #if defined(DUK_USE_DEBUG) void *ptr_pre; void *ptr_post; #endif #if defined(DUK_USE_DEBUG) ptr_pre = cb(heap, ud); #endif flags = 0; if (i >= DUK_HEAP_ALLOC_FAIL_MARKANDSWEEP_EMERGENCY_LIMIT - 1) { flags |= DUK_MS_FLAG_EMERGENCY; } duk_heap_mark_and_sweep(heap, flags); #if defined(DUK_USE_DEBUG) ptr_post = cb(heap, ud); if (ptr_pre != ptr_post) { DUK_DD(DUK_DDPRINT("realloc base pointer changed by mark-and-sweep: %p -> %p", (void *) ptr_pre, (void *) ptr_post)); } #endif /* Note: key issue here is to re-lookup the base pointer on every attempt. * The pointer being reallocated may change after every mark-and-sweep. */ res = heap->realloc_func(heap->heap_udata, cb(heap, ud), newsize); if (res != NULL || newsize == 0) { DUK_D(DUK_DPRINT("duk_heap_mem_realloc_indirect() succeeded after gc (pass %ld), alloc size %ld", (long) (i + 1), (long) newsize)); return res; } } DUK_D(DUK_DPRINT("duk_heap_mem_realloc_indirect() failed even after gc, alloc size %ld", (long) newsize)); return NULL; } DUK_INTERNAL DUK_INLINE_PERF DUK_HOT void *duk_heap_mem_realloc_indirect(duk_heap *heap, duk_mem_getptr cb, void *ud, duk_size_t newsize) { void *res; DUK_ASSERT(heap != NULL); DUK_ASSERT(heap->realloc_func != NULL); DUK_ASSERT_DISABLE(newsize >= 0); #if defined(DUK_USE_VOLUNTARY_GC) /* Voluntary periodic GC (if enabled). */ if (DUK_UNLIKELY(--(heap)->ms_trigger_counter < 0)) { goto gc_retry; } #endif #if defined(DUK_USE_GC_TORTURE) /* Simulate alloc failure on every realloc, except when mark-and-sweep * is running. */ if (heap->ms_prevent_count == 0) { DUK_DDD(DUK_DDDPRINT("gc torture enabled, pretend that first indirect realloc attempt fails")); res = NULL; DUK_UNREF(res); goto gc_retry; } #endif res = heap->realloc_func(heap->heap_udata, cb(heap, ud), newsize); if (DUK_LIKELY(res != NULL) || newsize == 0) { if (res != NULL && newsize == 0) { DUK_DD(DUK_DDPRINT( "first indirect realloc attempt returned NULL for zero size realloc, accept and return NULL")); } return res; } else { goto gc_retry; } /* Never here. */ gc_retry: return duk__heap_mem_realloc_indirect_slowpath(heap, cb, ud, newsize); } /* * Free memory */ DUK_INTERNAL DUK_INLINE_PERF DUK_HOT void duk_heap_mem_free(duk_heap *heap, void *ptr) { DUK_ASSERT(heap != NULL); DUK_ASSERT(heap->free_func != NULL); /* ptr may be NULL */ /* Must behave like a no-op with NULL and any pointer returned from * malloc/realloc with zero size. */ heap->free_func(heap->heap_udata, ptr); /* Never perform a GC (even voluntary) in a memory free, otherwise * all call sites doing frees would need to deal with the side effects. * No need to update voluntary GC counter either. */ } ```
Stezhensky () is a rural locality (a khutor) and the administrative center of Stezhenskoye Rural Settlement, Alexeyevsky District, Volgograd Oblast, Russia. The population was 370 as of 2010. Geography Stezhensky is located 4 km west of Alexeyevskaya (the district's administrative centre) by road. Pomalinsky is the nearest rural locality. References Rural localities in Alexeyevsky District, Volgograd Oblast
The posterior median sulcus of medulla oblongata (or posterior median fissure or dorsal median sulcus) is a narrow groove; and exists only in the closed part of the medulla oblongata; it becomes gradually shallower from below upward, and finally ends about the middle of the medulla oblongata, where the central canal expands into the cavity of the fourth ventricle. Additional images References Medulla oblongata
August Kerem (11 October 1889 – 28 May 1942 Sosva, Sverdlovsk Oblast, Russian SFSR) was an Estonian politician. He was a member of I Riigikogu. Political offices: 1920 Minister of Agriculture 1923–1925 Minister of Agriculture 1929–1931 Minister of Agriculture 1926–1928 Minister of Communications 1931–1932 Minister of Defence 1932–1933 Minister of Defence References 1889 births 1942 deaths People from Valga Parish People from Kreis Werro Estonian People's Party politicians National Centre Party (Estonia) politicians Defence Ministers of Estonia Agriculture ministers of Estonia Government ministers of Estonia Members of the Riigikogu, 1920–1923 Members of the Riigikogu, 1923–1926 Members of the Riigikogu, 1926–1929 Members of the Riigikogu, 1929–1932 Members of the Riigikogu, 1932–1934 Russian military personnel of World War I Estonian military personnel of the Estonian War of Independence Estonian people executed by the Soviet Union
The Paul Revere Masonic Temple was a Masonic Temple built in Chicago, Illinois in 1880 as a residential home, at 1521 West Wilson Avenue. In 1899 became the Ravenswood Women’s Club with an addition later., it was made out of wood, it was a two stories building, with a large front porch and a large lawn on the Ashland Avenue side. The building had 7 bedrooms, 2 meeting rooms, reception hall with dance floor and sitting room, also billiards and bowling alley. In 1920 the Grand Templars of Illinois invited Paul Revere Lodge to join them in the ownership of the temple, and then after a few years they offered to sell it to Paul Revere Lodge. One unique feature was that the wooden window shutters all had the Square and Compasses cut in them. In 2004 the Landmark designation was approved by the Commission on Chicago Landmarks, but not by the owners at that time, under the Religious Buildings Ordinance. In 2006 became the Vietnamese Buddhist Chùa Trúc Lâm Temple. In 2017 it was demolished after Preservation Chicago could not find a buyer to preserve the historic structure. In 2021 a new building opened as The Gardner School with a new address number listed as 1525 West Wilson Avenue. See also Masonic Temple (Chicago) Former Masonic buildings in Illinois Jefferson Masonic Temple Masonic buildings in Illinois References Former Masonic buildings in Illinois Former buildings and structures in Chicago Masonic buildings completed in 1880 Buildings and structures demolished in 2017 2017 disestablishments in Illinois Demolished buildings and structures in Chicago 1880 establishments in Illinois
The Man with Nine Lives is a 1940 American horror science fiction film directed by Nick Grinde and starring Boris Karloff. Both The Man with Nine Lives and The Man They Could Not Hang were based in part on the real-life saga of Dr. Robert Cornish, a University of California professor who, in 1934, announced that he had restored life to a dog named Lazarus, which he had put to death by clinical means. The resulting publicity (including a Time magazine article and motion picture footage of the allegedly re-animated canine) led to Cornish being booted off campus. Plot Dr. Tim Mason (Roger Pryor), a medical researcher experimenting in "frozen therapy" visits the deserted home of Dr. Leon Kravaal (Boris Karloff), the originator of the therapy, who has been missing for ten years. After discovering a secret passage in the basement, Dr. Mason and his nurse (Jo Ann Sayers) discover Kravaal frozen in an ice chambers. The doctor and nurse successfully revive Kravaal and Kravaal explains in flashback how he and five other men came to be frozen ten years earlier. One man is found dead. However, the other four men are located and revived. Because of closed-minded prejudice against science, one of the four men destroys Kravaal's formula for "frozen therapy." In an act of rage and self preservation, Kravaal isn't able to stop the man in time from destroying it and shoots and kills him. Not having memorized the formula as of yet, Kravaal holds everyone captive in order to use them as guinea pigs, hoping to unlock the key to "frozen therapy" for a second time. Cast Boris Karloff as Dr. Leon Kravaal Roger Pryor as Dr. Tim Mason Jo Ann Sayers as Judith Blair Stanley Brown as Bob Adams John Dilson as John Hawthorne Hal Taliaferro as Sheriff Stanton Byron Foulger as Dr. Henry Bassett Charles Trowbridge as Dr. Harvey Ernie Adams as Pete Daggett Bruce Bennett as a state trooper Minta Durfee as a frozen therapy patient in opening scene See also Boris Karloff filmography References External links 1940 films 1940 mystery films 1940s science fiction horror films 1940s English-language films American black-and-white films American mystery films American science fiction horror films Columbia Pictures films Films directed by Nick Grinde 1940s American films
Foal Eagle () is a combined field training exercise (FTX) conducted annually by the Republic of Korea Armed Forces and the United States Armed Forces under the auspices of the Combined Forces Command. It is one of the largest military exercises conducted annually in the world. Foal Eagle has been a source of friction with the government of Democratic People's Republic of Korea (DPRK) and domestic ROK critics. Foal Eagle is an exercise conducted by the US and ROK armed forces, consisting of rear area security and stability operations, onward movement of critical assets to the forward area, special operations, ground maneuver, amphibious operations, combat air operations, maritime action group operations and counter special operations forces exercises (CSOFEX). The United Nations Command informs the North Korean People's Army that South Korea and the United States will be conducting the exercise. The United Nations Command also reassured the Korean People's Army at general officer-level talks that these exercises, conducted annually in or around March, are purely defensive in nature and have no connection to ongoing or current events. The Neutral Nations Supervisory Commission monitors the exercise for violations of the Korean Armistice Agreement. Since 2001, Foal Eagle combined with the annual American-South Korean Reception, Staging, Onward movement, and Integration (RSOI) combined exercises, with RSOI being renamed Key Resolve in 2008. On June 12, 2018, US President Donald Trump announced that the US would suspend the joint military exercises with South Korea. However, the joint military exercises resumed again on November 5, 2018, though at a small scale. Operational summary Foal Eagle series Foal Eagle 1997 (FE 97) Foal Eagle 1997 took place between 17 October and 6 November 1997, and it included a non-combatant evacuation operation; reception, staging, onward movement and integration (RSOI) maneuvers; combat operations; and anti-infiltration activities. One significant feature of FE 97 was the deployment of the U.S. Coast Guard cutter with the carrier strike group led by the carrier . Hamilton also participated in a combined joint navy-coast guard force to provide defense ring around the harbor of Pusan. Foal Eagle 1998 (FE 98) Foal Eagle 1998 took place between November 4 and December 2, 1998. Foal Eagle 1998 was notable for a number of accomplishments. It marked the use of the Multiple Integrated Laser Engagement System (MILES) by all exercise participants, allowing forces to engage in realistic battle conditions without the loss of personnel or equipment. FE 98 marked the first time that the U.S. Navy established anti-submarine operations centers off both coasts of Korea with the U.S. Seventh Fleet's battle force, Task Force 70, in tactical command of ROK and American submarines. Foal Eagle 1998 also featured an amphibious assault involving seven battalions of ROK and U.S. forces. Foal Eagle 1999 (FE 99) Foal Eagle 1999 took place between 26 October and 5 November 1999, and that year's exercise scenario involved defending against infiltration by North Korean special operation forces into the rear area. Most training sites were located well south of Seoul, with training events included firing blank ammunition and night operations. Foal Eagle 2000 (FE 00) Foal Eagle 2000 took place between 25 October and 3 November 2000, it included 30,000 U.S. and over 500,000 ROK military personnel involved in air and ground operations, as well as maritime operation in defense of Pusan. FE 00 also included a non-combatant evacuation exercise codenamed Courageous Channel. RSOI/Foal Eagle series RSOI/Foal Eagle 2001 (RSOI/FE 01) Combined Forces Command (CFC) announced that Foal Eagle 2001 was postponed, and starting in 2002, its annual Foal Eagle exercise would be combined with its Reception, Staging, Onward movement, and Integration (RSOI) combined ROK-U.S. exercise. It was also announced that the new exercise would be scheduled for one to two weeks in the spring of 2002, and the exercise would take place annually thereafter. ROK military did execute an anti-terrorism exercise in 2001. RSOI/Foal Eagle 2002 (RSOI/FE 02) RSOI/Foal Eagle 2002 took place between 21 and 27 March 2002, and it featured amphibious warfare training between the Republic of Korea Marine Corps and the 31st Marine Expeditionary Unit (MEU) and the Essex Amphibious Ready Group which included landing at Tok Sok Ri Beach. RSOI/Foal Eagle 2003 (RSOI/FE 03) RSOI/Foal Eagle 2003 took place between 3 March and 2 April 2003 amid rising tensions between the United States and North Korea who threatened to withdraw from the Korean War Armistice. Prior to the start of RSOI/FE 03, a U.S. Air Force RC-135 reconnaissance aircraft was shadowed by four North Korean aircraft. The 2nd Battalion, 34th Armor Regiment was deployed from Fort Riley, Kansas, to participate in Foal RSOI/Foal Eagle 2003. RSOI/Foal Eagle 2004 (RSOI/FE 04) RSOI/Foal Eagle 2004 took place between 21 and 28 March 2004, it featured amphibious warfare training exercises between the Republic of Korea Marine Corps and the 31st Marine Expeditionary Unit (MEU) and the Essex Amphibious Ready Group which were supported by P-3 Orion maritime patrol aircraft from Patrol Squadron One (VP-1). RSOI/Foal Eagle 2005 (RSOI/FE 05) RSOI/Foal Eagle 2005 demonstrated the role of air power in theater-wide military operations as ROK Air Force worked closely with U.S. Marine Corps' Marine Wing Support Squadron 171 (MWSS 171) and Marine Fighter Attack Squadron 122 (VMFA-122) from Marine Aircraft Group 12 (MAG-12), as well as Carrier Air Wing Two (CVW-2) from the U.S. Navy's Carrier Strike Group Nine led by the carrier . RSOI/Foal Eagle 2006 (RSOI/FE 06) RSOI/Foal Eagle 2006 took place between 26 and 31 March 2006, and is designed to improve the commands' abilities to defend the ROK and includes a full range of equipment, capabilities and personnel. This year's exercise marked the 45th Foal Eagle exercise and the fifth time it has been combined with RSOI. This exercise featured close-air support for ground units, air-to-air defense exercises, maritime interoperability training, and expeditionary operations involving Carrier Strike Group Nine, with the carrier serving as the exercise's maritime command-and-control node. 31st Marine Expeditionary Unit (MEU) and Essex Amphibious Ready Group participated in assault climbing, live-fire ranges, urban combat training, community outreach efforts, and a combined amphibious landing with 3rd Regimental Landing Team, 1st ROK Marine Division and the ROK Navy's Amphibious Squadron 53 (pictured). In addition to the rehearsed scenarios throughout RSOI/FE 06, the salvage ships and ROKS Pyeongtaek conducted a real-world salvage operation for a U.S. Air Force F-16C fighter aircraft that crashed off South Korea's coast on 14 March 2006 as part in the 21st combined diving and salvage exercise (SALVEX 06). RSOI/Foal Eagle 2007 (RSOI/FE 07) RSOI/Foal Eagle 2007 took place between 25 and 31 March 2007, with its initial focused on initial operational flow of deployed forces to Korean theater of operations (KTO). This RSOI phase incorporated receiving military units in Korea (reception); connecting units with their equipment once in country (staging); moving them into their respective strategic position within the peninsula (onward movement) and integrating newly arrived forces with the forces that are already here (integration). The Foal Eagle phase included amphibious landing involving over 3,000 American marines and sailors as well as 1,400 ROK marines. Key Resolve/Foal Eagle series Key Resolve/Foal Eagle 2008 (KR/FE 08) Key Resolve/Foal Eagle 2008 included the participation with U.S. Navy Carrier Strike Group Eleven, led by the carrier , and marked the first time that the RSOI phase would be known by its new resignation of Key Resolve. Key Resolve was now primarily a command-post exercise with computer-based simulations that focused on deploying troops and equipment to Korea in the event of an attack while Foal Eagle continued to be a series of field exercises. Both exercises have U.S. troops training with South Korean military personnel. Key Resolve/Foal Eagle 2009 (KR/FE 09) Key Resolve/Foal Eagle 2009 began on 28 February 2009. Key Resolve/Foal Eagle was held in the aftermath of the sinking of the ROK corvette and the shelling of Yeonpyeong Island by North Korea. Approximately 12,800 U.S. and 200,000 South Korean troops participated in the exercise. Key Resolve was the computer-based simulation portion of the combined exercise, while Foal Eagle was the peninsula-wide training portion of the exercise. Key Resolve was scheduled to end March 10, and Foal Eagle on April 30. The major U.S. naval formation that participated in Key Resolve/Foal Eagle 2009 was Carrier Strike Group Three (pictured). During the exercise, the aircraft carrier was overflown by two Russian Ilyushin Il-38 maritime patrol aircraft on 16 March and two Tupolev Tu-95 long-range bombers on 17 March. In both incidents, the intruders were intercepted and escorted by F/A-18 Hornets until the Russian aircraft left the exercise area. Task Force Hawkins, an army battalion, deployed from the United States, drawing equipment from Army Preposition Stock-4 at Camp Carol, Korea. The task force conducted live-fire exercises at Rodriguez Range. The task force also appears to have been designated TF Hawkins II, and included soldiers from 1-64 Armor and 2-5 FA. Special Operations Command Korea conducted airborne jumps with a helium blimp and gondola at the ROK Drop Zone prior to the official start of RSOI/FE 09. Key Resolve/Foal Eagle 2010 (KR/FE 10) Key Resolve/Foal Eagle 2010 took place between 8–18 March 2010, which included U.S. Seventh Air Force and Marine Aircraft Group 12 participating in the Key Resolve phase of computer simulated exercise scenarios as well as physical military exercises during the Foal Eagle phase. The Combined Battle Simulation Center, collocated with the U.S.-Korea Battle Simulation Center, served as the exercise hub. The operational force was based at another simulation facility, the Warrior Training Center at Camp Casey, South Korea. Other simulation organizations included the Korea Air Simulation Center on Osan Air Base, South Korea's Army Battle Command Training Program in Daejeon, and the III Marine Expeditionary Force's Tactical Exercise Control Group, based at Camp Courtney in Okinawa, Japan. Key Resolve/Foal Eagle 2011 (KR/FE 11) The annual Key Resolve/Foal Eagle exercise started 28 February 2011, and employed almost 13,000 U.S. troops and more than 200,000 South Korean troops, as well as a U.S. Navy carrier strike group led by . Key Resolve involved computer-based military simulations that ran from 10 March 10, while Foal Eagle field training programs were completed by 31 March 2011. Key Resolve/Foal Eagle 2012 (KR/FE 12) The annual Key Resolve exercise took place between 28 February and 9 March 2012, and it employed almost 200,000 South Korean troops and 2,100 U.S. troops. About 800 more U.S. participants will come from outside South Korea. Also, observers from Australia, Canada, Denmark, Norway and Britain, took part as members of the U.N. Command. Separately from the Key Resolve, the Foal Eagle exercises took place from March 1 to April 30, and it included about 11,000 U.S. forces plus South Korean troops in division-sized or smaller unit operations. Foal Eagle 2012 was marred by the loss of a U.S. Air Force F-16 fighter that crashed in a rice paddy on 21 March 2012, about 150 miles south of Seoul, near Kunsan Air Base. The pilot ejected safely, and the F-16 was a unit of the 51st Fighter Wing. Key Resolve/Foal Eagle 2013 (KR/FE 13) 2013's Key Resolve/Foal Eagle bilateral military exercises took place amid rising tensions across the Korean Peninsula. The United Nations Command, Military Armistice Commission, Korea, informed the Korean People's Army through its Panmunjom Mission of the 2013 exercises' dates and its non-provocative nature on 21 February 2013. Key Resolve is an annual computer-assisted simulation exercise, and Key Resolve 2013 was conducted from 11 to 21 March 2013. For the first time, ROK's Joint Chiefs of Staff planned and executed this combined synthetic exercise. Foal Eagle 2013 consisted of separate but inter-related joint and combined field training exercises conducted between 1 March and 30 April 2013. Approximately 10,000 U.S. troops, along with as many as 200,000 South Korean soldiers participated in Foal Eagle 2013. In response to North Korean protests, the United States augmented its forces by deploying B-2 and B-52 strategic bombers, F-22 strike fighters, a nuclear-powered attack submarine, and four s of Destroyer Squadron 15. Key Resolve/Foal Eagle 2014 (KR/FE 14) Key Resolve 2014's was a command-post exercise involving wartime scenarios conducted on computer systems which was held between 24 February to 3 March 2014. Foal Eagle 2014 is the field-training exercise held between 3 March and 18 April 2014. An important accomplishment for Key Resolve 2014 was the establishment of a combined maritime operations center. Foal Eagle 2014 is the field-training exercise held between 3 March and 18 April 2014. A third exercise code-named Ssang Yong ("Double Dragon") was bilateral amphibious assault drills held between 27 March 27 and 7 April 2014. Reactions Like earlier Team Spirit exercises, Foal Eagle exercises have been a source of controversy with the government of North Korea and domestic South Korean critics. In response to the start of Key Resolve/Foal Eagle 2008, North Korea's Committee for the Peaceful Reunification of the Fatherland issued a statement via the official Korean Central News Agency (KCNA) that read in part: Also, for Key Resolve/Foal Eagle 2010, KCNA quoted North Korea's military high command warning about the upcoming ROK-U.S. joint exercise as follows: For RSOI/Foal Eagle 2007, ROK domestic protesters stuck stickers on American vehicles as they landed on the Malipo Beach, a public beach. In response, for RSOI/Foal Eagle 2008, almost 800 South Korean combat police guarded Malipo Beach. Also, between 40 and 80 protesters demonstrated on a sidewalk overlooking Malipo Beach. During Key Resolve/Foal Eagle 2010, U.S. Forces Korea advised U.S. military personnel and dependents about announced protests by the Korean Confederation of Trade Unions and a group known as Pyong Tong San around the Korean War Memorial. Held in the aftermath of the sinking of the ROKS Cheonan and the Bombardment of Yeonpyeong during 2010 as well as the breakdown of bilateral military talks on February 11, 2011, RSOI/Foal Eagle 2011 was held during a period of heightened tension on the Korean peninsula. On February 28, 2011, a North Korean military's statement threatened a "merciless counteraction as engulfing Seoul in sea of flames" while the KCNA urged "direct fire at sources of the anti-DPRK psychological warfare to destroy them on the principle of self-defense." Also, on February 28, 2011, 30 South Korean activists demonstrated outside one of the military exercise control centers at Seongnam while issuing a press statement that "strongly urge South Korea and the U.S. to stop fooling Koreans and the world and to stop the exercise which aims to invade North Korea and to overturn the regime." For Key Resolve/Foal Eagle 2012, the KCNA issued a statement on 27 February 2012 criticizing that year's exercises: During Key Resolve/Foal Eagle 2013, North Korea threatened to abandon the Korean Armistice Agreement, arguing the exercises threatened North Korea with nuclear weapons and that the U.S. was unwilling to negotiate a peace treaty to replace the armistice. JoongAng Ilbo reported that U.S. vessels equipped with nuclear weapons were participating in the exercise, and The Pentagon publicly announced that B-52 bombers flown over South Korea were reaffirming the U.S. "nuclear umbrella" for South Korea. On 16 February 2014, South Korean defense officials claimed that a North Korean warship repeatedly crossed into South Korean territorial waters overnight in spite of repeated warning. The alleged incursion occurred just as South Korea was joining the United States in bilateral Key Resolve/Foal Eagle 2014 military exercises. The incident was said to have occurred at the Northern Limit Line which North Korea disputes is a legitimate maritime boundary. On 2 March 2014, South Korea defense officials reported that North Korea launched two additional short-range Scud-C missiles in the North's recent barrage of missile firings. This latest incident took place prior to the arrival of four U.S. Aegis-equipped warships, a U.S. nuclear attack submarine, and the U.S. Seventh Fleet's flagship to South Korean ports for Exercise Foal Eagle 2014. However, for the first time since 2010, North Korea agreed to allow re-union visits for families separated by the Korean Demilitarized Zone after assurance from South Korea of the defensive nature of the 2014 Key Resolve/Foal Eagle exercises. Suspension of Foal Eagle Following a 2018 summit meeting with North Korean supreme leader Kim Jong-un in Singapore, U.S. President Donald Trump announced that semiannual "war games" with South Korea (taken to mean certain joint exercises including Foal Eagle) would halt. Trump termed the exercises "inappropriate" and "very expensive" and said that suspension of the exercises was "is something that (North Korea) very much appreciated." However, neither Trump nor the Pentagon has announced plans to end such exercises and U.S. Pacific Command “has received no updated guidance on execution or cessation of training exercises.” On November 5, 2018, military exercises between the US and South Korea resumed for the first time since June 2018. However, they were small scale exercises. A buffer zone had been established across the Korean Demilitarized Zone on November 1, 2018, to prohibit both Koreas from conducting live-fire artillery drills and regiment-level field maneuvering exercises or those by bigger units within 5 kilometers of the Military Demarcation Line (MDL). No fly zones were also established along the DMZ to ban the operation of drones, helicopters and other aircraft from coming within 10 to 40 km away from the MDL. After the North Korea–United States Hanoi Summit in February 2019, the United States Department of Defense announced that the United States and South Korea "decided to conclude the Key Resolve and Foal Eagle series of exercises". They were replaced by the Dong Maeng joint military exercise in 2019. See also Key Resolve Team Spirit Ulchi-Freedom Guardian: joint exercise between South Korea and the United States (2009-2017) Max Thunder: joint military exercise between South Korea and the United States (2015-2018) Dong Maeng References External links Foal Eagle – GlobalSecurity.org Military exercises involving the United States North Korea–South Korea relations North Korea–United States relations South Korea–United States relations Military of South Korea United States military in South Korea
Charles D. Barber (c. 1854 – November 23, 1910) was a 19th-century baseball third baseman for the Cincinnati Outlaw Reds of the Union Association in 1884. He appeared in 55 games for the Reds and hit .201. He continued to play professionally in the minor leagues until 1887 in the New England League. References External links 1850s births 1910 deaths Major League Baseball third basemen Cincinnati Outlaw Reds players 19th-century baseball players Baseball players from Pennsylvania Philadelphia Athletics (minor league) players Wilmington Quicksteps (minor league) players Birmingham (minor league baseball) players Altoona Mountain Cities players Portland (minor league baseball) players Haverhill (minor league baseball) players
Eosentomon intermedium is a species of proturan in the family Eosentomidae. It is found in Africa. References Eosentomon Articles created by Qbugbot Animals described in 1979
```javascript var statuses = require('statuses'); var inherits = require('inherits'); function toIdentifier(str) { return str.split(' ').map(function (token) { return token.slice(0, 1).toUpperCase() + token.slice(1) }).join('').replace(/[^ _0-9a-z]/gi, '') } exports = module.exports = function httpError() { // so much arity going on ~_~ var err; var msg; var status = 500; var props = {}; for (var i = 0; i < arguments.length; i++) { var arg = arguments[i]; if (arg instanceof Error) { err = arg; status = err.status || err.statusCode || status; continue; } switch (typeof arg) { case 'string': msg = arg; break; case 'number': status = arg; break; case 'object': props = arg; break; } } if (typeof status !== 'number' || !statuses[status]) { status = 500 } // constructor var HttpError = exports[status] if (!err) { // create error err = HttpError ? new HttpError(msg) : new Error(msg || statuses[status]) Error.captureStackTrace(err, httpError) } if (!HttpError || !(err instanceof HttpError)) { // add properties to generic error err.expose = status < 500 err.status = err.statusCode = status } for (var key in props) { if (key !== 'status' && key !== 'statusCode') { err[key] = props[key] } } return err; }; // create generic error objects var codes = statuses.codes.filter(function (num) { return num >= 400; }); codes.forEach(function (code) { var name = toIdentifier(statuses[code]) var className = name.match(/Error$/) ? name : name + 'Error' if (code >= 500) { var ServerError = function ServerError(msg) { var self = new Error(msg != null ? msg : statuses[code]) Error.captureStackTrace(self, ServerError) self.__proto__ = ServerError.prototype Object.defineProperty(self, 'name', { enumerable: false, configurable: true, value: className, writable: true }) return self } inherits(ServerError, Error); ServerError.prototype.status = ServerError.prototype.statusCode = code; ServerError.prototype.expose = false; exports[code] = exports[name] = ServerError return; } var ClientError = function ClientError(msg) { var self = new Error(msg != null ? msg : statuses[code]) Error.captureStackTrace(self, ClientError) self.__proto__ = ClientError.prototype Object.defineProperty(self, 'name', { enumerable: false, configurable: true, value: className, writable: true }) return self } inherits(ClientError, Error); ClientError.prototype.status = ClientError.prototype.statusCode = code; ClientError.prototype.expose = true; exports[code] = exports[name] = ClientError return; }); // backwards-compatibility exports["I'mateapot"] = exports.ImATeapot ```
Andrew Frank may refer to: Andrew A. Frank, American professor of mechanical and aeronautical engineering Andrew K. Frank (born 1970), American professor of history Andrew U. Frank (born 1948), Swiss-Austrian professor for geoinformation Andrew Frank (composer) (1946–2022), American composer
Lake Carlton is a reservoir in the Morrison-Rockwood State Park in Whiteside County in northern Illinois. The lake is managed for sport fishing, including largemouth and rock bass, black crappie, channel catfish, redear sunfish, bluegill, muskie and walleye. References Protected areas of Whiteside County, Illinois Carlton Bodies of water of Whiteside County, Illinois
Krivica () is a settlement in the Municipality of Šentjur, in eastern Slovenia. It lies in the hills either side of the regional road leading south from the town of Šentjur towards Kozje, just east of Lopaca. The settlement, and the entire municipality, are included in the Savinja Statistical Region, which is in the Slovenian portion of the historical Duchy of Styria. References External links Krivica on Geopedia Populated places in the Municipality of Šentjur
Anton Schrötter von Kristelli (26 November 1802 – 15 April 1875) was an Austrian chemist and mineralogist born in Olomouc, Moravia. His son Leopold Schrötter Ritter von Kristelli (1837–1908) was a noted laryngologist. Academic background Anton's father was an apothecary. He initially studied medicine in Vienna at the request of his father, but switched to the natural sciences under the influence of Friedrich Mohs (1773–1839). In 1827 he became an assistant to mathematician Andreas von Ettingshausen (1796–1878) and to physicist Andreas von Baumgartner (1793–1865) at the University of Vienna. Three years later he was appointed professor of physics and chemistry at the Joanneum Technical Institute in Graz, and from 1843 served as a professor of technical chemistry at the Polytechnic Institute in Vienna. In 1845 he succeeded Paul Traugott Meissner (1778–1864) as chair of chemistry. In 1868 he was appointed Master of the Austrian State Mint (Münze Österreich). Declining health made him retire in 1874. Contributions As a chemist he conducted research involving reactions of metals with ammonia at higher temperatures, and performed investigations of substances such as amber, idrialite, ozokerite, asphalt and dopplerite. He also investigated the reactive behavior of potassium in liquid nitrous oxide, of phosphorus and antimony in liquid chlorine, and of iron towards oxygen at very low temperatures. In 1845 he discovered a process for preparing red phosphorus, a development which led to the invention of the safety match. He was a scientific consultant to the Novara Expedition (1857–59), as well as to the Austro-Hungarian North Pole Expedition. His name is associated with the Schrötterhorn of the Ortlergruppe in the Alps and "Cape Schrötter" on Franz Josef Land. With Ettingshausen, Baumgartner and Wilhelm von Haidinger (1795–1871), he was a founding member of the Austrian Academy of Sciences, serving as its secretary from 1851 until his death. Since 1876, the Schröttergasse in the Favoriten district of Vienna has been named in his honor. Selected writings Die Chemie nach ihrem gegenwärtigen Zustand (1847–1849); two volumes. Beschreibung eines Verfahrens zur fabrikmäßigen Darstellung des amorphen Phosphors (Description of a method for factory representation of amorphous phosphorus), (1848) Ueber einen neuen allotropischen Zustand des Phosphors (About a new allotropic state of phosphorus), (1849) Ueber das Vorkommen des Ozons im Mineralreich (About the presence of ozone in the mineral kingdom), (1860) Notes NDB/ADB Deutsche Biographie (biography) 1802 births 1875 deaths Austrian chemists Austrian mineralogists Habsburg Bohemian nobility Austrian people of Moravian-German descent Scientists from Olomouc Academic staff of the Graz University of Technology Academic staff of TU Wien
"Den första är alltid gratis" is a single by Swedish singer Veronica Maggio. It was released in Sweden as a digital download on 17 March 2016 as the lead single from her fifth studio album Den första är alltid gratis (2016). The song peaked at number 16 on the Swedish Singles Chart. Track listing Charts Weekly charts Release history References 2016 singles 2016 songs Veronica Maggio songs Universal Music Group singles Song articles with missing songwriters Songs written by Salem Al Fakir Songs written by Veronica Maggio Songs written by Vincent Pontare
```c++ #include "levelsettingspopup.h" // Tnz6 includes #include "menubarcommandids.h" #include "tapp.h" #include "flipbook.h" #include "fileviewerpopup.h" #include "castselection.h" #include "fileselection.h" #include "columnselection.h" #include "levelcommand.h" // TnzQt includes #include "toonzqt/menubarcommand.h" #include "toonzqt/gutil.h" #include "toonzqt/infoviewer.h" #include "toonzqt/filefield.h" #include "toonzqt/doublefield.h" #include "toonzqt/intfield.h" #include "toonzqt/checkbox.h" #include "toonzqt/tselectionhandle.h" #include "toonzqt/icongenerator.h" #include "toonzqt/fxselection.h" // TnzLib includes #include "toonz/tscenehandle.h" #include "toonz/txsheethandle.h" #include "toonz/txshlevelhandle.h" #include "toonz/tcolumnhandle.h" #include "toonz/toonzscene.h" #include "toonz/txshleveltypes.h" #include "toonz/levelproperties.h" #include "toonz/tcamera.h" #include "toonz/levelset.h" #include "toonz/tpalettehandle.h" #include "toonz/preferences.h" #include "toonz/tstageobjecttree.h" #include "toonz/palettecontroller.h" #include "toonz/txshcell.h" #include "toonz/txsheet.h" #include "toonz/childstack.h" #include "toonz/tcolumnfx.h" #include "toonz/tframehandle.h" // TnzCore includes #include "tconvert.h" #include "tsystem.h" #include "tfiletype.h" #include "tlevel.h" #include "tstream.h" #include "tundo.h" // Qt includes #include <QHBoxLayout> #include <QComboBox> #include <QLabel> #include <QPushButton> #include <QMainWindow> #include <QGroupBox> using namespace DVGui; //your_sha256_hash------------- namespace { //your_sha256_hash------------- QString dpiToString(const TPointD &dpi) { if (dpi.x == 0.0 || dpi.y == 0.0) return QString("none"); else if (dpi.x < 0.0 || dpi.y < 0.0) return LevelSettingsPopup::tr("[Various]"); else if (areAlmostEqual(dpi.x, dpi.y, 0.01)) return QString::number(dpi.x); else return QString::number(dpi.x) + ", " + QString::number(dpi.y); } //your_sha256_hash------------- TPointD getCurrentCameraDpi() { TCamera *camera = TApp::instance()->getCurrentScene()->getScene()->getCurrentCamera(); TDimensionD size = camera->getSize(); TDimension res = camera->getRes(); return TPointD(res.lx / size.lx, res.ly / size.ly); } void uniteValue(QString &oldValue, QString &newValue, bool isFirst) { if (isFirst) oldValue = newValue; else if (oldValue != newValue && oldValue != LevelSettingsPopup::tr("[Various]")) oldValue = LevelSettingsPopup::tr("[Various]"); } void uniteValue(int &oldValue, int &newValue, bool isFirst) { if (isFirst) oldValue = newValue; else if (oldValue != -1 && oldValue != newValue) oldValue = -1; } void uniteValue(TPointD &oldValue, TPointD &newValue, bool isFirst) { if (isFirst) oldValue = newValue; else if (oldValue != TPointD(-1, -1) && oldValue != newValue) oldValue = TPointD(-1, -1); } void uniteValue(Qt::CheckState &oldValue, Qt::CheckState &newValue, bool isFirst) { if (isFirst) oldValue = newValue; else if (oldValue != Qt::PartiallyChecked && oldValue != newValue) oldValue = Qt::PartiallyChecked; } void uniteValue(double &oldValue, double &newValue, bool isFirst) { if (isFirst) oldValue = newValue; else if (oldValue != -1.0 && oldValue != newValue) oldValue = -1.0; } class LevelSettingsUndo final : public TUndo { public: enum Type { Name, Path, ScanPath, DpiType, Dpi, DoPremulti, WhiteTransp, Softness, Subsampling, LevelType, ColorSpaceGamma }; private: TXshLevelP m_xl; const Type m_type; const QVariant m_before; const QVariant m_after; void setName(const QString name) const { TLevelSet *levelSet = TApp::instance()->getCurrentScene()->getScene()->getLevelSet(); levelSet->renameLevel(m_xl.getPointer(), name.toStdWString()); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); TApp::instance()->getCurrentScene()->notifyCastChange(); } void setPath(const TFilePath path) const { TXshSoundLevelP sdl = m_xl->getSoundLevel(); if (sdl) { sdl->setPath(path); sdl->loadSoundTrack(); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); TApp::instance()->getCurrentXsheet()->notifyXsheetSoundChanged(); return; } TXshSimpleLevelP sl = m_xl->getSimpleLevel(); TXshPaletteLevelP pl = m_xl->getPaletteLevel(); if (!sl && !pl) return; if (sl) { sl->setPath(path); TApp::instance() ->getPaletteController() ->getCurrentLevelPalette() ->setPalette(sl->getPalette()); sl->invalidateFrames(); std::vector<TFrameId> frames; sl->getFids(frames); for (auto const &fid : frames) { IconGenerator::instance()->invalidate(sl.getPointer(), fid); } } else if (pl) { pl->setPath(path); TApp::instance() ->getPaletteController() ->getCurrentLevelPalette() ->setPalette(pl->getPalette()); pl->load(); } TApp::instance()->getCurrentLevel()->notifyLevelChange(); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); } void setScanPath(const TFilePath path) const { TXshSimpleLevelP sl = m_xl->getSimpleLevel(); if (!sl || sl->getType() != TZP_XSHLEVEL) return; sl->setScannedPath(path); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); } void setDpiType(LevelProperties::DpiPolicy policy) const { TXshSimpleLevelP sl = m_xl->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) return; sl->getProperties()->setDpiPolicy(policy); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } void setDpi(TPointD dpi) const { TXshSimpleLevelP sl = m_xl->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) return; sl->getProperties()->setDpi(dpi); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } void setSubsampling(int subsampling) const { TXshSimpleLevelP sl = m_xl->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) return; sl->getProperties()->setSubsampling(subsampling); sl->invalidateFrames(); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance() ->getCurrentXsheet() ->getXsheet() ->getStageObjectTree() ->invalidateAll(); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } void setDoPremulti(bool on) const { TXshSimpleLevelP sl = m_xl->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) return; sl->getProperties()->setDoPremultiply(on); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } void setSoftness(int softness) const { TXshSimpleLevelP sl = m_xl->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) return; sl->getProperties()->setDoAntialias(softness); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } void setWhiteTransp(bool on) const { TXshSimpleLevelP sl = m_xl->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) return; sl->getProperties()->setWhiteTransp(on); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } void setColorSpaceGamma(double gamma) const { TXshSimpleLevelP sl = m_xl->getSimpleLevel(); if (!sl || sl->getType() != OVL_XSHLEVEL) return; sl->getProperties()->setColorSpaceGamma(gamma); sl->invalidateFrames(); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance() ->getCurrentXsheet() ->getXsheet() ->getStageObjectTree() ->invalidateAll(); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } void setValue(const QVariant value) const { switch (m_type) { case Name: setName(value.toString()); break; case Path: setPath(TFilePath(value.toString())); break; case ScanPath: setScanPath(TFilePath(value.toString())); break; case DpiType: setDpiType(LevelProperties::DpiPolicy(value.toInt())); break; case Dpi: { QPointF dpi = value.toPointF(); setDpi(TPointD(dpi.x(), dpi.y())); break; } case Subsampling: setSubsampling(value.toInt()); break; case DoPremulti: setDoPremulti(value.toBool()); break; case Softness: setSoftness(value.toInt()); break; case WhiteTransp: setWhiteTransp(value.toBool()); break; case ColorSpaceGamma: setColorSpaceGamma(value.toDouble()); break; default: break; } // This signal is for updating the level settings TApp::instance()->getCurrentScene()->notifySceneChanged(); } public: LevelSettingsUndo(TXshLevel *xl, Type type, const QVariant before, const QVariant after) : m_xl(xl), m_type(type), m_before(before), m_after(after) {} void undo() const override { setValue(m_before); } void redo() const override { setValue(m_after); } int getSize() const override { return sizeof *this; } QString getHistoryString() override { return QObject::tr("Edit Level Settings : %1") .arg(QString::fromStdWString(m_xl->getName())); } }; //your_sha256_hash------------- } // anonymous namespace //your_sha256_hash------------- //============================================================================= /*! \class LevelSettingsPopup \brief The LevelSettingsPopup class provides a dialog to show and change current level settings. Inherits \b Dialog. */ //your_sha256_hash------------- LevelSettingsPopup::LevelSettingsPopup() : Dialog(TApp::instance()->getMainWindow(), false, false, "LevelSettings") , m_whiteTransp(0) , m_scanPathFld(0) { setWindowTitle(tr("Level Settings")); m_nameFld = new LineEdit(); m_pathFld = new FileField(); // Path m_scanPathFld = new FileField(); // ScanPath QLabel *scanPathLabel = new QLabel(tr("Scan Path:"), this); m_typeLabel = new QLabel(); // Level Type // Type m_dpiTypeOm = new QComboBox(); // DPI QLabel *dpiLabel = new QLabel(tr("DPI:")); m_dpiFld = new DoubleLineEdit(); m_squarePixCB = new CheckBox(tr("Forced Squared Pixel")); QLabel *widthLabel = new QLabel(tr("Width:")); m_widthFld = new MeasuredDoubleLineEdit(); QLabel *heightLabel = new QLabel(tr("Height:")); m_heightFld = new MeasuredDoubleLineEdit(); // Use Camera Dpi m_useCameraDpiBtn = new QPushButton(tr("Use Camera DPI")); m_cameraDpiLabel = new QLabel(tr("")); m_imageDpiLabel = new QLabel(tr("")); m_imageResLabel = new QLabel(tr("")); QLabel *cameraDpiTitle = new QLabel(tr("Camera DPI:")); QLabel *imageDpiTitle = new QLabel(tr("Image DPI:")); QLabel *imageResTitle = new QLabel(tr("Resolution:")); // subsampling m_subsamplingLabel = new QLabel(tr("Subsampling:")); m_subsamplingFld = new DVGui::IntLineEdit(this, 1, 1); m_doPremultiply = new CheckBox(tr("Premultiply"), this); m_whiteTransp = new CheckBox(tr("White As Transparent"), this); m_doAntialias = new CheckBox(tr("Add Antialiasing"), this); m_softnessLabel = new QLabel(tr("Antialias Softness:"), this); m_antialiasSoftness = new DVGui::IntLineEdit(0, 10, 0, 100); m_colorSpaceGammaLabel = new QLabel(tr("Color Space Gamma:")); m_colorSpaceGammaFld = new DoubleLineEdit(); m_colorSpaceGammaFld->setRange(0.1, 10.); //---- m_pathFld->setFileMode(QFileDialog::AnyFile); m_scanPathFld->setFileMode(QFileDialog::AnyFile); m_dpiTypeOm->addItem(tr("Image DPI"), "Image DPI"); m_dpiTypeOm->addItem(tr("Custom DPI"), "Custom DPI"); m_squarePixCB->setCheckState(Qt::Checked); m_widthFld->setMeasure("camera.lx"); m_heightFld->setMeasure("camera.ly"); if (Preferences::instance()->getCameraUnits() == "pixel") { m_widthFld->setDecimals(0); m_heightFld->setDecimals(0); } m_doPremultiply->setTristate(); m_doPremultiply->setCheckState(Qt::Unchecked); m_doAntialias->setTristate(); m_doAntialias->setCheckState(Qt::Unchecked); m_antialiasSoftness->setEnabled(false); m_whiteTransp->setTristate(); m_whiteTransp->setCheckState(Qt::Unchecked); // register activation flags m_activateFlags[m_nameFld] = AllTypes; m_activateFlags[m_pathFld] = SimpleLevel | Palette | Sound; m_activateFlags[m_scanPathFld] = ToonzRaster; m_activateFlags[scanPathLabel] = ToonzRaster | MultiSelection; // m_activateFlags[m_typeLabel] = AllTypes | MultiSelection; unsigned int dpiWidgetsFlag = HasDPILevel | HideOnPixelMode | MultiSelection; m_activateFlags[m_dpiTypeOm] = dpiWidgetsFlag; m_activateFlags[dpiLabel] = dpiWidgetsFlag; m_activateFlags[m_dpiFld] = dpiWidgetsFlag; m_activateFlags[m_squarePixCB] = dpiWidgetsFlag; unsigned int rasterWidgetsFlag = ToonzRaster | Raster | MultiSelection; m_activateFlags[widthLabel] = rasterWidgetsFlag; m_activateFlags[m_widthFld] = rasterWidgetsFlag; m_activateFlags[heightLabel] = rasterWidgetsFlag; m_activateFlags[m_heightFld] = rasterWidgetsFlag; m_activateFlags[m_useCameraDpiBtn] = dpiWidgetsFlag; m_activateFlags[m_cameraDpiLabel] = AllTypes | HideOnPixelMode | MultiSelection; m_activateFlags[m_imageDpiLabel] = dpiWidgetsFlag; m_activateFlags[m_imageResLabel] = dpiWidgetsFlag; m_activateFlags[cameraDpiTitle] = AllTypes | HideOnPixelMode | MultiSelection; m_activateFlags[imageDpiTitle] = dpiWidgetsFlag; m_activateFlags[imageResTitle] = dpiWidgetsFlag; m_activateFlags[m_doPremultiply] = Raster | MultiSelection; m_activateFlags[m_whiteTransp] = Raster | MultiSelection; m_activateFlags[m_doAntialias] = rasterWidgetsFlag; m_activateFlags[m_softnessLabel] = rasterWidgetsFlag; m_activateFlags[m_antialiasSoftness] = rasterWidgetsFlag; m_activateFlags[m_subsamplingLabel] = rasterWidgetsFlag; m_activateFlags[m_subsamplingFld] = rasterWidgetsFlag; unsigned int linearFlag = LinearRaster | MultiSelection; m_activateFlags[m_colorSpaceGammaLabel] = linearFlag; m_activateFlags[m_colorSpaceGammaFld] = linearFlag; //----layout m_topLayout->setMargin(5); m_topLayout->setSpacing(5); { //--Name&Path QGroupBox *nameBox = new QGroupBox(tr("Name && Path"), this); QGridLayout *nameLayout = new QGridLayout(); nameLayout->setMargin(5); nameLayout->setSpacing(5); { nameLayout->addWidget(new QLabel(tr("Name:"), this), 0, 0, Qt::AlignRight | Qt::AlignVCenter); nameLayout->addWidget(m_nameFld, 0, 1); nameLayout->addWidget(new QLabel(tr("Path:"), this), 1, 0, Qt::AlignRight | Qt::AlignVCenter); nameLayout->addWidget(m_pathFld, 1, 1); nameLayout->addWidget(scanPathLabel, 2, 0, Qt::AlignRight | Qt::AlignVCenter); nameLayout->addWidget(m_scanPathFld, 2, 1); nameLayout->addWidget(m_typeLabel, 3, 1); } nameLayout->setColumnStretch(0, 0); nameLayout->setColumnStretch(1, 1); nameBox->setLayout(nameLayout); m_topLayout->addWidget(nameBox); //----DPI & Resolution QGroupBox *dpiBox; if (Preferences::instance()->getUnits() == "pixel") dpiBox = new QGroupBox(tr("Resolution"), this); else dpiBox = new QGroupBox(tr("DPI && Resolution"), this); QGridLayout *dpiLayout = new QGridLayout(); dpiLayout->setMargin(5); dpiLayout->setSpacing(5); { dpiLayout->addWidget(m_dpiTypeOm, 0, 1, 1, 3); dpiLayout->addWidget(dpiLabel, 1, 0, Qt::AlignRight | Qt::AlignVCenter); dpiLayout->addWidget(m_dpiFld, 1, 1); dpiLayout->addWidget(m_squarePixCB, 1, 2, 1, 2, Qt::AlignRight | Qt::AlignVCenter); dpiLayout->addWidget(widthLabel, 2, 0, Qt::AlignRight | Qt::AlignVCenter); dpiLayout->addWidget(m_widthFld, 2, 1); dpiLayout->addWidget(heightLabel, 2, 2, Qt::AlignRight | Qt::AlignVCenter); dpiLayout->addWidget(m_heightFld, 2, 3); dpiLayout->addWidget(m_useCameraDpiBtn, 3, 1, 1, 3); dpiLayout->addWidget(cameraDpiTitle, 4, 0, Qt::AlignRight | Qt::AlignVCenter); dpiLayout->addWidget(m_cameraDpiLabel, 4, 1, 1, 3); dpiLayout->addWidget(imageDpiTitle, 5, 0, Qt::AlignRight | Qt::AlignVCenter); dpiLayout->addWidget(m_imageDpiLabel, 5, 1, 1, 3); dpiLayout->addWidget(imageResTitle, 6, 0, Qt::AlignRight | Qt::AlignVCenter); dpiLayout->addWidget(m_imageResLabel, 6, 1, 1, 3); } dpiLayout->setColumnStretch(0, 0); dpiLayout->setColumnStretch(1, 1); dpiLayout->setColumnStretch(2, 0); dpiLayout->setColumnStretch(3, 1); dpiBox->setLayout(dpiLayout); m_topLayout->addWidget(dpiBox); m_topLayout->addWidget(m_doPremultiply); m_topLayout->addWidget(m_whiteTransp); m_topLayout->addWidget(m_doAntialias); //---subsampling QGridLayout *bottomLay = new QGridLayout(); bottomLay->setMargin(3); bottomLay->setSpacing(3); { bottomLay->addWidget(m_softnessLabel, 0, 0); bottomLay->addWidget(m_antialiasSoftness, 0, 1); bottomLay->addWidget(m_subsamplingLabel, 1, 0); bottomLay->addWidget(m_subsamplingFld, 1, 1); bottomLay->addWidget(m_colorSpaceGammaLabel, 2, 0); bottomLay->addWidget(m_colorSpaceGammaFld, 2, 1); } bottomLay->setColumnStretch(0, 0); bottomLay->setColumnStretch(1, 0); bottomLay->setColumnStretch(2, 1); m_topLayout->addLayout(bottomLay); m_topLayout->addStretch(); } //----signal/slot connections connect(m_nameFld, SIGNAL(editingFinished()), SLOT(onNameChanged())); connect(m_pathFld, SIGNAL(pathChanged()), SLOT(onPathChanged())); connect(m_dpiTypeOm, SIGNAL(activated(int)), SLOT(onDpiTypeChanged(int))); connect(m_dpiFld, SIGNAL(editingFinished()), SLOT(onDpiFieldChanged())); connect(m_squarePixCB, SIGNAL(stateChanged(int)), SLOT(onSquarePixelChanged(int))); connect(m_widthFld, SIGNAL(valueChanged()), SLOT(onWidthFieldChanged())); connect(m_heightFld, SIGNAL(valueChanged()), SLOT(onHeightFieldChanged())); connect(m_useCameraDpiBtn, SIGNAL(clicked()), SLOT(useCameraDpi())); connect(m_subsamplingFld, SIGNAL(editingFinished()), SLOT(onSubsamplingChanged())); /*--- ScanPath ---*/ connect(m_scanPathFld, SIGNAL(pathChanged()), SLOT(onScanPathChanged())); connect(m_doPremultiply, SIGNAL(clicked(bool)), SLOT(onDoPremultiplyClicked())); connect(m_doAntialias, SIGNAL(clicked(bool)), SLOT(onDoAntialiasClicked())); connect(m_antialiasSoftness, SIGNAL(editingFinished()), SLOT(onAntialiasSoftnessChanged())); connect(m_whiteTransp, SIGNAL(clicked(bool)), SLOT(onWhiteTranspClicked())); connect(m_colorSpaceGammaFld, SIGNAL(editingFinished()), SLOT(onColorSpaceGammaFieldChanged())); updateLevelSettings(); } //your_sha256_hash------------- void LevelSettingsPopup::showEvent(QShowEvent *e) { bool ret = connect(TApp::instance()->getCurrentSelection(), SIGNAL(selectionSwitched(TSelection *, TSelection *)), this, SLOT(onSelectionSwitched(TSelection *, TSelection *))); ret = ret && connect(TApp::instance()->getCurrentSelection(), SIGNAL(selectionChanged(TSelection *)), SLOT(updateLevelSettings())); CastSelection *castSelection = dynamic_cast<CastSelection *>( TApp::instance()->getCurrentSelection()->getSelection()); if (castSelection) ret = ret && connect(castSelection, SIGNAL(itemSelectionChanged()), this, SLOT(onCastSelectionChanged())); // update level settings after cleanup by this connection ret = ret && connect(TApp::instance()->getCurrentScene(), SIGNAL(sceneChanged()), SLOT(onSceneChanged())); ret = ret && connect(TApp::instance()->getCurrentScene(), SIGNAL(preferenceChanged(const QString &)), SLOT(onPreferenceChanged(const QString &))); assert(ret); updateLevelSettings(); onPreferenceChanged(""); } //your_sha256_hash------------- void LevelSettingsPopup::hideEvent(QHideEvent *e) { bool ret = disconnect(TApp::instance()->getCurrentSelection(), SIGNAL(selectionSwitched(TSelection *, TSelection *)), this, SLOT(onSelectionSwitched(TSelection *, TSelection *))); ret = ret && disconnect(TApp::instance()->getCurrentSelection(), SIGNAL(selectionChanged(TSelection *)), this, SLOT(updateLevelSettings())); CastSelection *castSelection = dynamic_cast<CastSelection *>( TApp::instance()->getCurrentSelection()->getSelection()); if (castSelection) ret = ret && disconnect(castSelection, SIGNAL(itemSelectionChanged()), this, SLOT(onCastSelectionChanged())); ret = ret && disconnect(TApp::instance()->getCurrentScene(), SIGNAL(sceneChanged()), this, SLOT(onSceneChanged())); ret = ret && disconnect(TApp::instance()->getCurrentScene(), SIGNAL(preferenceChanged(const QString &)), this, SLOT(onPreferenceChanged(const QString &))); assert(ret); Dialog::hideEvent(e); } //your_sha256_hash------------- void LevelSettingsPopup::onSceneChanged() { updateLevelSettings(); } //your_sha256_hash------------- void LevelSettingsPopup::onPreferenceChanged(const QString &propertyName) { if (!propertyName.isEmpty() && propertyName != "pixelsOnly") return; bool pixelsMode = Preferences::instance()->getBoolValue(pixelsOnly); QMap<QWidget *, unsigned int>::iterator i = m_activateFlags.begin(); while (i != m_activateFlags.end()) { if (i.value() & HideOnPixelMode) i.key()->setHidden(pixelsMode); ++i; } int decimals = (pixelsMode) ? 0 : 4; m_widthFld->setDecimals(decimals); m_heightFld->setDecimals(decimals); adjustSize(); } //your_sha256_hash------------- void LevelSettingsPopup::onCastSelectionChanged() { updateLevelSettings(); } //your_sha256_hash------------- void LevelSettingsPopup::onSelectionSwitched(TSelection *oldSelection, TSelection *newSelection) { CastSelection *castSelection = dynamic_cast<CastSelection *>(newSelection); if (!castSelection) { CastSelection *oldCastSelection = dynamic_cast<CastSelection *>(oldSelection); if (oldCastSelection) disconnect(oldCastSelection, SIGNAL(itemSelectionChanged()), this, SLOT(onCastSelectionChanged())); return; } connect(castSelection, SIGNAL(itemSelectionChanged()), this, SLOT(onCastSelectionChanged())); } SelectedLevelType LevelSettingsPopup::getType(TXshLevelP level_p) { if (!level_p) return None; switch (level_p->getType()) { case TZP_XSHLEVEL: return ToonzRaster; case OVL_XSHLEVEL: { if (level_p->getPath().getType() == "exr") return LinearRaster; else return NonLinearRaster; } case MESH_XSHLEVEL: return Mesh; case PLI_XSHLEVEL: return ToonzVector; case PLT_XSHLEVEL: return Palette; case CHILD_XSHLEVEL: return SubXsheet; case SND_XSHLEVEL: return Sound; default: // Other types are not supported return Others; } } LevelSettingsValues LevelSettingsPopup::getValues(TXshLevelP level) { LevelSettingsValues values; values.name = QString::fromStdWString(level->getName()); TXshSimpleLevelP sl = level->getSimpleLevel(); TXshPaletteLevelP pl = level->getPaletteLevel(); TXshChildLevelP cl = level->getChildLevel(); TXshSoundLevelP sdl = level->getSoundLevel(); SelectedLevelType levelType = getType(level); // path if (sl) { values.path = toQString(sl->getPath()); values.scanPath = toQString(sl->getScannedPath()); } else if (pl) values.path = toQString(pl->getPath()); else if (sdl) values.path = toQString(sdl->getPath()); // leveltype switch (levelType) { case ToonzRaster: values.typeStr = tr("Toonz Raster level"); break; case NonLinearRaster: case LinearRaster: values.typeStr = tr("Raster level"); break; case Mesh: values.typeStr = tr("Mesh level"); break; case ToonzVector: values.typeStr = tr("Toonz Vector level"); break; case Palette: values.typeStr = tr("Palette level"); break; case SubXsheet: values.typeStr = tr("SubXsheet Level"); break; case Sound: values.typeStr = tr("Sound Column"); break; default: values.typeStr = tr("Another Level Type"); break; } // dpi & res & resampling if (levelType & HasDPILevel) { LevelProperties::DpiPolicy dpiPolicy = sl->getProperties()->getDpiPolicy(); assert(dpiPolicy == LevelProperties::DP_ImageDpi || dpiPolicy == LevelProperties::DP_CustomDpi); values.dpiType = (dpiPolicy == LevelProperties::DP_ImageDpi) ? 0 : 1; // dpi field values.dpi = sl->getDpi(); // image dpi values.imageDpi = dpiToString(sl->getImageDpi()); if (levelType == ToonzRaster || levelType & Raster) { // size field TDimensionD size(0, 0); TDimension res = sl->getResolution(); if (res.lx > 0 && res.ly > 0 && values.dpi.x > 0 && values.dpi.y > 0) { size.lx = res.lx / values.dpi.x; size.ly = res.ly / values.dpi.y; values.width = tround(size.lx * 100.0) / 100.0; values.height = tround(size.ly * 100.0) / 100.0; } else { values.width = -1.0; values.height = -1.0; } // image res TDimension imgRes = sl->getResolution(); values.imageRes = QString::number(imgRes.lx) + "x" + QString::number(imgRes.ly); // subsampling values.subsampling = sl->getProperties()->getSubsampling(); values.doPremulti = (sl->getProperties()->doPremultiply()) ? Qt::Checked : Qt::Unchecked; values.whiteTransp = (sl->getProperties()->whiteTransp()) ? Qt::Checked : Qt::Unchecked; values.doAntialias = (sl->getProperties()->antialiasSoftness() > 0) ? Qt::Checked : Qt::Unchecked; values.softness = sl->getProperties()->antialiasSoftness(); if (levelType == LinearRaster) values.colorSpaceGamma = sl->getProperties()->colorSpaceGamma(); } } // gather dirty flags (subsampling is editable for only non-dirty levels) if (sl && sl->getProperties()->getDirtyFlag()) values.isDirty = Qt::Checked; return values; } //your_sha256_hash------------- /*! Update popup value. Take current level and act on level type set popup value. */ void LevelSettingsPopup::updateLevelSettings() { TApp *app = TApp::instance(); m_selectedLevels.clear(); CastSelection *castSelection = dynamic_cast<CastSelection *>(app->getCurrentSelection()->getSelection()); TCellSelection *cellSelection = dynamic_cast<TCellSelection *>( app->getCurrentSelection()->getSelection()); TColumnSelection *columnSelection = dynamic_cast<TColumnSelection *>( app->getCurrentSelection()->getSelection()); FxSelection *fxSelection = dynamic_cast<FxSelection *>(app->getCurrentSelection()->getSelection()); // - - - Cell Selection if (cellSelection) { TXsheet *currentXsheet = app->getCurrentXsheet()->getXsheet(); if (currentXsheet && !cellSelection->isEmpty()) { int r0, c0, r1, c1; cellSelection->getSelectedCells(r0, c0, r1, c1); for (int c = c0; c <= c1; c++) for (int r = r0; r <= r1; r++) if (TXshLevelP level = currentXsheet->getCell(r, c).m_level) m_selectedLevels.insert(level); } else m_selectedLevels.insert(app->getCurrentLevel()->getLevel()); } // - - - Column Selection else if (columnSelection) { TXsheet *currentXsheet = app->getCurrentXsheet()->getXsheet(); if (currentXsheet && !columnSelection->isEmpty()) { int sceneLength = currentXsheet->getFrameCount(); std::set<int> columnIndices = columnSelection->getIndices(); std::set<int>::iterator it; for (it = columnIndices.begin(); it != columnIndices.end(); ++it) { int columnIndex = *it; int r0, r1; currentXsheet->getCellRange(columnIndex, r0, r1); if (r1 < 0) continue; // skip empty column for (int r = r0; r <= r1; r++) if (TXshLevelP level = currentXsheet->getCell(r, columnIndex).m_level) m_selectedLevels.insert(level); } } else m_selectedLevels.insert(app->getCurrentLevel()->getLevel()); } // - - - Cast Selection else if (castSelection) { std::vector<TXshLevel *> levels; castSelection->getSelectedLevels(levels); for (TXshLevel *level : levels) m_selectedLevels.insert(level); } // - - - Schematic Nodes Selection else if (fxSelection) { TXsheet *currentXsheet = app->getCurrentXsheet()->getXsheet(); QList<TFxP> selectedFxs = fxSelection->getFxs(); if (currentXsheet && !selectedFxs.isEmpty()) { for (int f = 0; f < selectedFxs.size(); f++) { TLevelColumnFx *lcfx = dynamic_cast<TLevelColumnFx *>(selectedFxs.at(f).getPointer()); if (lcfx) { int r0, r1; int firstRow = lcfx->getXshColumn()->getCellColumn()->getRange(r0, r1); for (int r = r0; r <= r1; r++) if (TXshLevelP level = lcfx->getXshColumn()->getCellColumn()->getCell(r).m_level) m_selectedLevels.insert(level); } } if (m_selectedLevels.isEmpty()) m_selectedLevels.insert(app->getCurrentLevel()->getLevel()); } else m_selectedLevels.insert(app->getCurrentLevel()->getLevel()); } else m_selectedLevels.insert(app->getCurrentLevel()->getLevel()); // Unite flags, Remove unsupported items unsigned int levelTypeFlag = 0; QSet<TXshLevelP>::iterator lvl_itr = m_selectedLevels.begin(); while (lvl_itr != m_selectedLevels.end()) { SelectedLevelType type = getType(*lvl_itr); if (type == None || type == Others) lvl_itr = m_selectedLevels.erase(lvl_itr); else { levelTypeFlag |= type; ++lvl_itr; } } if (m_selectedLevels.count() >= 2) levelTypeFlag |= MultiSelection; else if (m_selectedLevels.isEmpty()) levelTypeFlag |= NoSelection; // Enable / Disable all widgets QMap<QWidget *, unsigned int>::iterator w_itr = m_activateFlags.begin(); while (w_itr != m_activateFlags.end()) { unsigned int activateFlag = w_itr.value(); w_itr.key()->setEnabled((levelTypeFlag & activateFlag) == levelTypeFlag); ++w_itr; } // Gather values LevelSettingsValues values; lvl_itr = m_selectedLevels.begin(); while (lvl_itr != m_selectedLevels.end()) { TXshLevelP level = *lvl_itr; bool isFirst = (lvl_itr == m_selectedLevels.begin()); LevelSettingsValues new_val = getValues(level); uniteValue(values.name, new_val.name, isFirst); uniteValue(values.path, new_val.path, isFirst); uniteValue(values.scanPath, new_val.scanPath, isFirst); uniteValue(values.typeStr, new_val.typeStr, isFirst); uniteValue(values.dpiType, new_val.dpiType, isFirst); uniteValue(values.dpi, new_val.dpi, isFirst); uniteValue(values.width, new_val.width, isFirst); uniteValue(values.height, new_val.height, isFirst); uniteValue(values.imageDpi, new_val.imageDpi, isFirst); uniteValue(values.imageRes, new_val.imageRes, isFirst); uniteValue(values.doPremulti, new_val.doPremulti, isFirst); uniteValue(values.whiteTransp, new_val.whiteTransp, isFirst); uniteValue(values.doAntialias, new_val.doAntialias, isFirst); uniteValue(values.softness, new_val.softness, isFirst); uniteValue(values.subsampling, new_val.subsampling, isFirst); uniteValue(values.colorSpaceGamma, new_val.colorSpaceGamma, isFirst); uniteValue(values.isDirty, new_val.isDirty, isFirst); ++lvl_itr; } m_nameFld->setText(values.name); m_pathFld->setPath(values.path); m_scanPathFld->setPath(values.scanPath); m_typeLabel->setText(values.typeStr); m_dpiTypeOm->setCurrentIndex(values.dpiType); m_dpiFld->setText(dpiToString(values.dpi)); if (values.width <= 0.0) { m_widthFld->setValue(0.0); m_widthFld->setText((values.width < 0.0) ? tr("[Various]") : tr("")); } else m_widthFld->setValue(values.width); if (values.height <= 0.0) { m_heightFld->setValue(0.0); m_heightFld->setText((values.height < 0.0) ? tr("[Various]") : tr("")); } else m_heightFld->setValue(values.height); m_cameraDpiLabel->setText(dpiToString(getCurrentCameraDpi())); m_imageDpiLabel->setText(values.imageDpi); m_imageResLabel->setText(values.imageRes); m_doPremultiply->setCheckState(values.doPremulti); m_whiteTransp->setCheckState(values.whiteTransp); m_doAntialias->setCheckState(values.doAntialias); if (values.softness < 0) m_antialiasSoftness->setText(""); else m_antialiasSoftness->setValue(values.softness); if (values.subsampling < 0) m_subsamplingFld->setText(""); else m_subsamplingFld->setValue(values.subsampling); if (values.colorSpaceGamma > 0) m_colorSpaceGammaFld->setValue(values.colorSpaceGamma); else if (m_colorSpaceGammaFld->isEnabled()) m_colorSpaceGammaFld->setText(tr("[Various]")); else m_colorSpaceGammaFld->setText(""); // disable the softness field when the antialias is not active if (m_doAntialias->checkState() != Qt::Checked) m_antialiasSoftness->setDisabled(true); // disable the subsampling field when dirty level is selected if (values.isDirty != Qt::Unchecked) { m_subsamplingFld->setDisabled(true); m_colorSpaceGammaFld->setDisabled(true); } } //your_sha256_hash------------- void LevelSettingsPopup::onNameChanged() { assert(m_selectedLevels.size() == 1); if (m_selectedLevels.size() != 1) return; QString text = m_nameFld->text(); if (text.length() == 0) { error("The name " + text + " you entered for the level is not valid.\n Please enter a different " "name."); m_nameFld->setFocus(); return; } TXshLevel *level = m_selectedLevels.begin()->getPointer(); if ((getType(level) & (SimpleLevel | SubXsheet)) == 0) return; // in case the level name is not changed QString oldName = QString::fromStdWString(level->getName()); if (oldName == text) return; TLevelSet *levelSet = TApp::instance()->getCurrentScene()->getScene()->getLevelSet(); TUndoManager::manager()->beginBlock(); // remove existing & unused level if (Preferences::instance()->isAutoRemoveUnusedLevelsEnabled()) { TXshLevel *existingLevel = levelSet->getLevel(text.toStdWString()); if (existingLevel && LevelCmd::removeLevelFromCast(existingLevel, nullptr, false)) DVGui::info(QObject::tr("Removed unused level %1 from the scene cast. " "(This behavior can be disabled in Preferences.)") .arg(text)); } if (!levelSet->renameLevel(level, text.toStdWString())) { error("The name " + text + " you entered for the level is already used.\nPlease enter a " "different name."); m_nameFld->setFocus(); TUndoManager::manager()->endBlock(); return; } TUndoManager::manager()->add( new LevelSettingsUndo(level, LevelSettingsUndo::Name, oldName, text)); TUndoManager::manager()->endBlock(); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); TApp::instance()->getCurrentScene()->notifyCastChange(); } //your_sha256_hash------------- void LevelSettingsPopup::onPathChanged() { assert(m_selectedLevels.size() == 1); if (m_selectedLevels.size() != 1) return; TXshLevelP levelP = *m_selectedLevels.begin(); if ((m_activateFlags[m_pathFld] & getType(levelP)) == 0) return; QString text = m_pathFld->getPath(); TFilePath newPath(text.toStdWString()); newPath = TApp::instance()->getCurrentScene()->getScene()->codeFilePath(newPath); m_pathFld->setPath(QString::fromStdWString(newPath.getWideString())); TXshSoundLevelP sdl = levelP->getSoundLevel(); if (sdl) { // old level is a sound level TFileType::Type levelType = TFileType::getInfo(newPath); if (levelType == TFileType::AUDIO_LEVEL) { TFilePath oldPath = sdl->getPath(); if (oldPath == newPath) return; sdl->setPath(newPath); sdl->loadSoundTrack(); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); TApp::instance()->getCurrentXsheet()->notifyXsheetSoundChanged(); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::Path, oldPath.getQString(), newPath.getQString())); } else { error(tr("The file %1 is not a sound level.") .arg(QString::fromStdWString(newPath.getLevelNameW()))); updateLevelSettings(); } return; } TXshSimpleLevelP sl = levelP->getSimpleLevel(); TXshPaletteLevelP pl = levelP->getPaletteLevel(); if (!sl && !pl) return; TFilePath oldPath = (sl) ? sl->getPath() : pl->getPath(); if (oldPath == newPath) return; TLevelSet *levelSet = TApp::instance()->getCurrentScene()->getScene()->getLevelSet(); TXshLevel *lvlWithSamePath = nullptr; for (int i = 0; i < levelSet->getLevelCount(); i++) { TXshLevel *tmpLvl = levelSet->getLevel(i); if (!tmpLvl) continue; if (tmpLvl == levelP.getPointer()) continue; TXshSimpleLevelP tmpSl = tmpLvl->getSimpleLevel(); TXshPaletteLevelP tmpPl = tmpLvl->getPaletteLevel(); if (!tmpSl && !tmpPl) continue; TFilePath tmpPath = (tmpSl) ? tmpSl->getPath() : tmpPl->getPath(); if (tmpPath == newPath) { lvlWithSamePath = tmpLvl; break; } } if (lvlWithSamePath) { QString question; question = "The path you entered for the level " + QString(::to_string(lvlWithSamePath->getName()).c_str()) + "is already used: this may generate some conflicts in the file " "management.\nAre you sure you want to assign the same path to " "two different levels?"; int ret = DVGui::MsgBox(question, QObject::tr("Yes"), QObject::tr("No")); if (ret == 0 || ret == 2) { m_pathFld->setPath(toQString(oldPath)); return; } } TFileType::Type oldType = TFileType::getInfo(oldPath); TFileType::Type newType = TFileType::getInfo(newPath); if (sl && sl->getType() == TZP_XSHLEVEL && sl->getScannedPath() != TFilePath()) { if (newPath == TFilePath() || newPath == sl->getScannedPath()) { newPath = sl->getScannedPath(); sl->setType(OVL_XSHLEVEL); sl->setScannedPath(TFilePath()); sl->setPath(newPath); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); TApp::instance()->getCurrentScene()->notifyCastChange(); updateLevelSettings(); sl->invalidateFrames(); std::vector<TFrameId> frames; sl->getFids(frames); for (auto const &fid : frames) { IconGenerator::instance()->invalidate(sl.getPointer(), fid); } TUndoManager::manager()->beginBlock(); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::Path, oldPath.getQString(), newPath.getQString())); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::ScanPath, newPath.getQString(), QString())); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::LevelType, TZP_XSHLEVEL, OVL_XSHLEVEL)); TUndoManager::manager()->endBlock(); return; } } if (oldType != newType || (sl && sl->getType() == TZP_XSHLEVEL && newPath.getType() != "tlv") || (sl && sl->getType() != TZP_XSHLEVEL && newPath.getType() == "tlv") || (pl && newPath.getType() != "tpl")) { error("Wrong path"); m_pathFld->setPath(toQString(oldPath)); return; } //-- update the path here if (sl) { sl->setPath(newPath); TApp::instance() ->getPaletteController() ->getCurrentLevelPalette() ->setPalette(sl->getPalette()); sl->invalidateFrames(); std::vector<TFrameId> frames; sl->getFids(frames); for (auto const &fid : frames) { IconGenerator::instance()->invalidate(sl.getPointer(), fid); } } else if (pl) { pl->setPath(newPath); TApp::instance() ->getPaletteController() ->getCurrentLevelPalette() ->setPalette(pl->getPalette()); pl->load(); } TApp::instance()->getCurrentLevel()->notifyLevelChange(); TApp::instance()->getCurrentScene()->notifySceneChanged(); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); updateLevelSettings(); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::Path, oldPath.getQString(), newPath.getQString())); } //your_sha256_hash------------- void LevelSettingsPopup::onScanPathChanged() { assert(m_selectedLevels.size() == 1); if (m_selectedLevels.size() != 1) return; TXshLevelP levelP = *m_selectedLevels.begin(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl || sl->getType() != TZP_XSHLEVEL) return; QString text = m_scanPathFld->getPath(); TFilePath newScanPath(text.toStdWString()); // limit the available formats for now if (newScanPath.getType() != "tif" && newScanPath.getType() != "tiff" && newScanPath.getType() != "tzi") { m_scanPathFld->setPath(toQString(sl->getScannedPath())); return; } newScanPath = TApp::instance()->getCurrentScene()->getScene()->codeFilePath( newScanPath); m_scanPathFld->setPath(QString::fromStdWString(newScanPath.getWideString())); TFilePath oldScanPath = sl->getScannedPath(); if (oldScanPath == newScanPath) return; // check if the "Cleanup Settings > SaveIn" value is the same as the current // level TFilePath settingsPath = (newScanPath.getParentDir() + newScanPath.getName()).withType("cln"); settingsPath = TApp::instance()->getCurrentScene()->getScene()->decodeFilePath( settingsPath); if (TSystem::doesExistFileOrLevel(settingsPath)) { TIStream is(settingsPath); TFilePath cleanupLevelPath; std::string tagName; while (is.matchTag(tagName)) { if (tagName == "cleanupPalette" || tagName == "cleanupCamera" || tagName == "autoCenter" || tagName == "transform" || tagName == "lineProcessing" || tagName == "closestField" || tagName == "fdg") { is.skipCurrentTag(); } else if (tagName == "path") { is >> cleanupLevelPath; is.closeChild(); } else std::cout << "mismatch tag:" << tagName << std::endl; } if (cleanupLevelPath != TFilePath()) { TFilePath codedCleanupLevelPath = TApp::instance()->getCurrentScene()->getScene()->codeFilePath( cleanupLevelPath); if (sl->getPath().getParentDir() != cleanupLevelPath && sl->getPath().getParentDir() != codedCleanupLevelPath) DVGui::warning( "\"Save In\" path of the Cleanup Settings does not match."); } else DVGui::warning("Loading Cleanup Settings failed."); } else DVGui::warning(".cln file for the Scanned Level not found."); sl->setScannedPath(newScanPath); TApp::instance()->getCurrentXsheet()->notifyXsheetChanged(); updateLevelSettings(); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::ScanPath, oldScanPath.getQString(), newScanPath.getQString())); } //your_sha256_hash------------- void LevelSettingsPopup::onDpiTypeChanged(int index) { TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; QString dpiPolicyStr = m_dpiTypeOm->itemData(index).toString(); assert(dpiPolicyStr == "Custom DPI" || dpiPolicyStr == "Image DPI"); LevelProperties *prop = sl->getProperties(); // dpiPolicyStr ==> dpiPolicy LevelProperties::DpiPolicy dpiPolicy = dpiPolicyStr == "Custom DPI" ? LevelProperties::DP_CustomDpi : LevelProperties::DP_ImageDpi; // se ImageDpi, ma l'immagine non ha dpi -> CustomDpi assert(dpiPolicy == LevelProperties::DP_CustomDpi || sl->getImageDpi().x > 0.0 && sl->getImageDpi().y > 0.0); if (prop->getDpiPolicy() == dpiPolicy) continue; LevelProperties::DpiPolicy oldPolicy = prop->getDpiPolicy(); prop->setDpiPolicy(dpiPolicy); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::DpiType, oldPolicy, dpiPolicy)); } TUndoManager::manager()->endBlock(); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance()->getCurrentLevel()->notifyLevelChange(); updateLevelSettings(); } //your_sha256_hash------------- void LevelSettingsPopup::onDpiFieldChanged() { QString w = m_dpiFld->text(); std::string s = w.toStdString(); TPointD dpi; int i = 0, len = s.length(); while (i < len && s[i] == ' ') i++; int j = i; while (j < len && '0' <= s[j] && s[j] <= '9') j++; if (j < len && s[j] == '.') { j++; while (j < len && '0' <= s[j] && s[j] <= '9') j++; } if (i < j) { dpi.x = std::stod(s.substr(i, j - i)); i = j; while (i < len && s[i] == ' ') i++; if (i < len && s[i] == ',') { i++; while (i < len && s[i] == ' ') i++; dpi.y = std::stod(s.substr(i)); } } if (dpi.x <= 0.0) { updateLevelSettings(); return; } if (dpi.y == 0.0) dpi.y = dpi.x; TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; TPointD oldDpi = sl->getProperties()->getDpi(); if (oldDpi == dpi) continue; LevelProperties::DpiPolicy oldPolicy = sl->getProperties()->getDpiPolicy(); sl->getProperties()->setDpiPolicy(LevelProperties::DP_CustomDpi); sl->getProperties()->setDpi(dpi); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::DpiType, oldPolicy, LevelProperties::DP_CustomDpi)); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::Dpi, QPointF(oldDpi.x, oldDpi.y), QPointF(dpi.x, dpi.y))); } TUndoManager::manager()->endBlock(); updateLevelSettings(); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } //your_sha256_hash------------- void LevelSettingsPopup::onSquarePixelChanged(int value) { if (!value) return; TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; TPointD oldDpi = sl->getDpi(); if (areAlmostEqual(oldDpi.x, oldDpi.y)) continue; TPointD dpi(oldDpi.x, oldDpi.x); LevelProperties::DpiPolicy oldPolicy = sl->getProperties()->getDpiPolicy(); sl->getProperties()->setDpiPolicy(LevelProperties::DP_CustomDpi); sl->getProperties()->setDpi(dpi); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::DpiType, oldPolicy, LevelProperties::DP_CustomDpi)); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::Dpi, QPointF(oldDpi.x, oldDpi.y), QPointF(dpi.x, dpi.y))); } TUndoManager::manager()->endBlock(); updateLevelSettings(); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } //your_sha256_hash------------- void LevelSettingsPopup::onWidthFieldChanged() { double lx = m_widthFld->getValue(); if (lx <= 0) { updateLevelSettings(); return; } TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; TPointD dpi = sl->getDpi(); if (dpi.x <= 0) continue; TDimension res = sl->getResolution(); if (res.lx <= 0) continue; dpi.x = res.lx / lx; if (m_squarePixCB->isChecked()) dpi.y = dpi.x; LevelProperties::DpiPolicy oldPolicy = sl->getProperties()->getDpiPolicy(); sl->getProperties()->setDpiPolicy(LevelProperties::DP_CustomDpi); TPointD oldDpi = sl->getProperties()->getDpi(); sl->getProperties()->setDpi(dpi); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::DpiType, oldPolicy, LevelProperties::DP_CustomDpi)); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::Dpi, QPointF(oldDpi.x, oldDpi.y), QPointF(dpi.x, dpi.y))); } TUndoManager::manager()->endBlock(); updateLevelSettings(); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } //your_sha256_hash------------- void LevelSettingsPopup::onHeightFieldChanged() { double ly = m_heightFld->getValue(); if (ly <= 0) { updateLevelSettings(); return; } TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; TPointD dpi = sl->getDpi(); if (dpi.y <= 0) continue; TDimension res = sl->getResolution(); if (res.ly <= 0) continue; dpi.y = res.ly / ly; if (m_squarePixCB->isChecked()) dpi.x = dpi.y; LevelProperties::DpiPolicy oldPolicy = sl->getProperties()->getDpiPolicy(); sl->getProperties()->setDpiPolicy(LevelProperties::DP_CustomDpi); TPointD oldDpi = sl->getProperties()->getDpi(); sl->getProperties()->setDpi(dpi); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::DpiType, oldPolicy, LevelProperties::DP_CustomDpi)); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::Dpi, QPointF(oldDpi.x, oldDpi.y), QPointF(dpi.x, dpi.y))); } TUndoManager::manager()->endBlock(); updateLevelSettings(); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } //your_sha256_hash------------- void LevelSettingsPopup::useCameraDpi() { TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl) continue; LevelProperties *prop = sl->getProperties(); LevelProperties::DpiPolicy oldPolicy = prop->getDpiPolicy(); prop->setDpiPolicy(LevelProperties::DP_CustomDpi); TPointD oldDpi = prop->getDpi(); TPointD dpi = getCurrentCameraDpi(); prop->setDpi(dpi); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::DpiType, oldPolicy, LevelProperties::DP_CustomDpi)); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::Dpi, QPointF(oldDpi.x, oldDpi.y), QPointF(dpi.x, dpi.y))); } TUndoManager::manager()->endBlock(); TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance()->getCurrentLevel()->notifyLevelChange(); updateLevelSettings(); } //your_sha256_hash------------- void LevelSettingsPopup::onSubsamplingChanged() { int subsampling = (int)m_subsamplingFld->getValue(); if (subsampling <= 0) { updateLevelSettings(); return; } bool somethingChanged = false; TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; if (sl->getProperties()->getDirtyFlag()) continue; int oldSubsampling = sl->getProperties()->getSubsampling(); if (oldSubsampling == subsampling) continue; sl->getProperties()->setSubsampling(subsampling); sl->invalidateFrames(); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::Subsampling, oldSubsampling, subsampling)); somethingChanged = true; } TUndoManager::manager()->endBlock(); if (!somethingChanged) return; TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance() ->getCurrentXsheet() ->getXsheet() ->getStageObjectTree() ->invalidateAll(); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } //your_sha256_hash------------- void LevelSettingsPopup::onDoPremultiplyClicked() { Qt::CheckState state = m_doPremultiply->checkState(); bool on = (state == Qt::Checked || state == Qt::PartiallyChecked); TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevel *sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; LevelProperties *prop = sl->getProperties(); if (on == prop->doPremultiply()) continue; if (on && prop->whiteTransp()) { prop->setWhiteTransp(false); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::WhiteTransp, true, false)); } prop->setDoPremultiply(on); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::DoPremulti, !on, on)); } TUndoManager::manager()->endBlock(); TApp::instance()->getCurrentLevel()->notifyLevelChange(); updateLevelSettings(); } //your_sha256_hash------------- void LevelSettingsPopup::onAntialiasSoftnessChanged() { int softness = m_antialiasSoftness->getValue(); TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevel *sl = levelP->getSimpleLevel(); if (!sl) continue; int oldSoftness = sl->getProperties()->antialiasSoftness(); sl->getProperties()->setDoAntialias(softness); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::Softness, oldSoftness, softness)); } TUndoManager::manager()->endBlock(); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } //---------------------------- void LevelSettingsPopup::onDoAntialiasClicked() { Qt::CheckState state = m_doAntialias->checkState(); bool on = (state == Qt::Checked || state == Qt::PartiallyChecked); int softness = on ? m_antialiasSoftness->getValue() : 0; TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevel *sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; int oldSoftness = sl->getProperties()->antialiasSoftness(); sl->getProperties()->setDoAntialias(softness); TUndoManager::manager()->add( new LevelSettingsUndo(levelP.getPointer(), LevelSettingsUndo::Softness, oldSoftness, softness)); } TUndoManager::manager()->endBlock(); TApp::instance()->getCurrentLevel()->notifyLevelChange(); updateLevelSettings(); if (on) { m_doAntialias->setCheckState(Qt::Checked); m_antialiasSoftness->setEnabled(true); } } //your_sha256_hash------------- void LevelSettingsPopup::onWhiteTranspClicked() { Qt::CheckState state = m_whiteTransp->checkState(); bool on = (state == Qt::Checked || state == Qt::PartiallyChecked); TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevel *sl = levelP->getSimpleLevel(); if (!sl || sl->getType() == PLI_XSHLEVEL) continue; LevelProperties *prop = sl->getProperties(); if (on == prop->whiteTransp()) continue; if (on && prop->doPremultiply()) { prop->setDoPremultiply(false); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::DoPremulti, true, false)); } prop->setWhiteTransp(on); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::WhiteTransp, !on, on)); } TUndoManager::manager()->endBlock(); TApp::instance()->getCurrentLevel()->notifyLevelChange(); updateLevelSettings(); } //your_sha256_hash------------- void LevelSettingsPopup::onColorSpaceGammaFieldChanged() { double colorSpaceGamma = m_colorSpaceGammaFld->getValue(); bool somethingChanged = false; TUndoManager::manager()->beginBlock(); QSetIterator<TXshLevelP> levelItr(m_selectedLevels); while (levelItr.hasNext()) { TXshLevelP levelP = levelItr.next(); TXshSimpleLevelP sl = levelP->getSimpleLevel(); if (!sl || sl->getType() != OVL_XSHLEVEL) continue; if (sl->getProperties()->getDirtyFlag()) continue; double oldGamma = sl->getProperties()->colorSpaceGamma(); if (areAlmostEqual(colorSpaceGamma, oldGamma)) continue; sl->getProperties()->setColorSpaceGamma(colorSpaceGamma); sl->invalidateFrames(); TUndoManager::manager()->add(new LevelSettingsUndo( levelP.getPointer(), LevelSettingsUndo::ColorSpaceGamma, oldGamma, colorSpaceGamma)); somethingChanged = true; } TUndoManager::manager()->endBlock(); if (!somethingChanged) return; TApp::instance()->getCurrentScene()->setDirtyFlag(true); TApp::instance() ->getCurrentXsheet() ->getXsheet() ->getStageObjectTree() ->invalidateAll(); TApp::instance()->getCurrentLevel()->notifyLevelChange(); } //your_sha256_hash------------- OpenPopupCommandHandler<LevelSettingsPopup> openLevelSettingsPopup( MI_LevelSettings); //your_sha256_hash------------- class ViewLevelFileInfoHandler final : public MenuItemHandler { public: ViewLevelFileInfoHandler(CommandId cmdId) : MenuItemHandler(cmdId) {} void execute() override { TSelection *selection = TApp::instance()->getCurrentSelection()->getSelection(); if (FileSelection *fileSelection = dynamic_cast<FileSelection *>(selection)) { fileSelection->viewFileInfo(); return; } std::vector<TXshLevel *> selectedLevels; /*-- CellContextMenuInfoLevel * --*/ TCellSelection *cellSelection = dynamic_cast<TCellSelection *>(selection); if (cellSelection && !cellSelection->isEmpty()) { TXsheet *xsh = TApp::instance()->getCurrentXsheet()->getXsheet(); int r0, c0, r1, c1; cellSelection->getSelectedCells(r0, c0, r1, c1); for (int c = c0; c <= c1; c++) { for (int r = r0; r <= r1; r++) { TXshLevel *lv = xsh->getCell(r, c).m_level.getPointer(); if (!lv) continue; std::vector<TXshLevel *>::iterator lvIt = find(selectedLevels.begin(), selectedLevels.end(), lv); if (lvIt == selectedLevels.end()) selectedLevels.push_back(lv); } } } else if (CastSelection *castSelection = dynamic_cast<CastSelection *>(selection)) castSelection->getSelectedLevels(selectedLevels); else if (TXshLevel *level = TApp::instance()->getCurrentLevel()->getLevel()) selectedLevels.push_back(level); if (selectedLevels.empty()) return; for (int i = 0; i < selectedLevels.size(); ++i) { if (selectedLevels[i]->getSimpleLevel() || selectedLevels[i]->getSoundLevel()) { TFilePath path = selectedLevels[i]->getPath(); path = selectedLevels[i]->getScene()->decodeFilePath(path); if (TSystem::doesExistFileOrLevel(path)) { InfoViewer *infoViewer = 0; infoViewer = new InfoViewer(); infoViewer->setItem(0, 0, path); } } } } } viewLevelFileInfoHandler(MI_FileInfo); //your_sha256_hash------------- class ViewLevelHandler final : public MenuItemHandler { public: ViewLevelHandler(CommandId cmdId) : MenuItemHandler(cmdId) {} void execute() override { TSelection *selection = TApp::instance()->getCurrentSelection()->getSelection(); if (FileSelection *fileSelection = dynamic_cast<FileSelection *>(selection)) { fileSelection->viewFile(); return; } TXshSimpleLevel *sl = 0; int i = 0; std::vector<TXshSimpleLevel *> simpleLevels; /*-- ContextMenuView --*/ TXsheet *currentXsheet = TApp::instance()->getCurrentXsheet()->getXsheet(); TCellSelection *cellSelection = dynamic_cast<TCellSelection *>(selection); if (currentXsheet && cellSelection && !cellSelection->isEmpty()) { int r0, c0, r1, c1; cellSelection->getSelectedCells(r0, c0, r1, c1); for (int c = c0; c <= c1; c++) { for (int r = r0; r <= r1; r++) { TXshSimpleLevel *lv = currentXsheet->getCell(r, c).getSimpleLevel(); if (!lv) continue; std::vector<TXshSimpleLevel *>::iterator lvIt = find(simpleLevels.begin(), simpleLevels.end(), lv); if (lvIt == simpleLevels.end()) simpleLevels.push_back(lv); } } } else if (CastSelection *castSelection = dynamic_cast<CastSelection *>(selection)) { std::vector<TXshLevel *> selectedLevels; castSelection->getSelectedLevels(selectedLevels); for (i = 0; i < selectedLevels.size(); i++) simpleLevels.push_back(selectedLevels[i]->getSimpleLevel()); } else if (TApp::instance()->getCurrentLevel()->getSimpleLevel()) simpleLevels.push_back( TApp::instance()->getCurrentLevel()->getSimpleLevel()); if (!simpleLevels.size()) return; for (i = 0; i < simpleLevels.size(); i++) { if (!(simpleLevels[i]->getType() & LEVELCOLUMN_XSHLEVEL)) continue; TFilePath path = simpleLevels[i]->getPath(); path = simpleLevels[i]->getScene()->decodeFilePath(path); FlipBook *fb; if (TSystem::doesExistFileOrLevel(path)) fb = ::viewFile(path); else { fb = FlipBookPool::instance()->pop(); fb->setLevel(simpleLevels[i]); } if (fb) { FileBrowserPopup::setModalBrowserToParent(fb->parentWidget()); } } } } ViewLevelHandler(MI_ViewFile); ```
```less .light-menu { display: inline-block; position: relative; color: @font-level-2; } .light-menu .hint { cursor: pointer; font-size: 12px; } .light-menu .menu { position: absolute; z-index: @z-index-popover; right: 0; top: 100%; box-shadow: 0 1px 3px #a8a8a8; background-color: white; } .light-menu.is-reached-bottom .menu { bottom: 100%; top: auto; } .light-menu.is-reached-left .menu { left: 100%; right: auto; } .light-menu .menu .item { display: flex; justify-content: middle; line-height: 40px; cursor: pointer; padding: 0 15px; white-space: nowrap; color: @font-level-2; min-width: 96px; } .light-menu .menu .item:hover { background-color: #f7f7f7; color: @font-level-2; } ```
```java /** * This file is part of Skript. * * Skript is free software: you can redistribute it and/or modify * (at your option) any later version. * * Skript 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 Skript. If not, see <path_to_url * */ package ch.njol.skript.expressions; import ch.njol.skript.aliases.ItemType; import ch.njol.skript.doc.Description; import ch.njol.skript.doc.Examples; import ch.njol.skript.doc.Name; import ch.njol.skript.doc.Since; import ch.njol.skript.entity.EntityData; import ch.njol.skript.expressions.base.SimplePropertyExpression; import ch.njol.skript.lang.util.ConvertedExpression; import org.skriptlang.skript.lang.converter.Converters; import org.bukkit.block.data.BlockData; import org.bukkit.inventory.Inventory; import org.bukkit.potion.PotionEffect; import org.bukkit.potion.PotionEffectType; import org.eclipse.jdt.annotation.Nullable; @Name("Type of") @Description({ "Type of a block, item, entity, inventory or potion effect.", "Types of items, blocks and block datas are item types similar to them but have amounts", "of one, no display names and, on Minecraft 1.13 and newer versions, are undamaged.", "Types of entities and inventories are entity types and inventory types known to Skript.", "Types of potion effects are potion effect types." }) @Examples({"on rightclick on an entity:", "\tmessage \"This is a %type of clicked entity%!\""}) @Since("1.4, 2.5.2 (potion effect), 2.7 (block datas)") public class ExprTypeOf extends SimplePropertyExpression<Object, Object> { static { register(ExprTypeOf.class, Object.class, "type", "entitydatas/itemtypes/inventories/potioneffects/blockdatas"); } @Override protected String getPropertyName() { return "type"; } @Override @Nullable public Object convert(Object o) { if (o instanceof EntityData) { return ((EntityData<?>) o).getSuperType(); } else if (o instanceof ItemType) { return ((ItemType) o).getBaseType(); } else if (o instanceof Inventory) { return ((Inventory) o).getType(); } else if (o instanceof PotionEffect) { return ((PotionEffect) o).getType(); } else if (o instanceof BlockData) { return new ItemType(((BlockData) o).getMaterial()); } assert false; return null; } @Override public Class<?> getReturnType() { Class<?> returnType = getExpr().getReturnType(); return EntityData.class.isAssignableFrom(returnType) ? EntityData.class : ItemType.class.isAssignableFrom(returnType) ? ItemType.class : PotionEffectType.class.isAssignableFrom(returnType) ? PotionEffectType.class : BlockData.class.isAssignableFrom(returnType) ? ItemType.class : Object.class; } @Override @Nullable protected <R> ConvertedExpression<Object, ? extends R> getConvertedExpr(final Class<R>... to) { if (!Converters.converterExists(EntityData.class, to) && !Converters.converterExists(ItemType.class, to)) return null; return super.getConvertedExpr(to); } } ```
Regiment Dan Pienaar was an infantry battalion of the South African Army. As a reserve force unit, it had a status roughly equivalent to that of a British Army Reserve or United States Army National Guard unit. History Origins Regiment Dan Pienaar was initially formed as 2 Regiment Bloemspruit as an offshoot of Regiment Bloemspruit (Renamed 1 Regiment Bloemspruit, but reverted after 2RBS was renamed.). Renamed Subsequently, it was decided to rename 2RBS after the famous World War II general and Free Stater, General Dan Pienaar on 1 June 1976, thus the unit could begin to form its own history and traditions. Disbanded/Amalgamated After being disbanded in 1997 the remaining members were incorporated into Regiment Bloemspruit. The part-time units, Regiments De Wet (Kroonstad), Louw Wepener (Bethlehem) and Dan Pienaar (Bloemfontein) were amalgamated with Regiment Bloemspruit by 1 April. The name Regiment Bloemspruit was retained under the command of the Commanding General, Free State Command." Battle honours The unit also served in numerous deployments in the Border War in SWA/Namibia Freedom of the City Freedom of the city of Bloemfontein in 1981 Leadership Regimental emblems Dress Insignia Roll of Honour Regiment Dan Pienaar has one Honorus Crux on the Roll of Honour: Delport J C Rfn. 13 September 1978. Here is his citation: References General references Pollock, A.M.. "Pienaar of Alamein". 1943. Cape Times. The biography of Major-General Dan Pienaar, a South African officer on the battle fields of Abyssinia and Egypt. Malherbe, E.G. Never a Dull Moment. Reminiscences of his distinguished career as an educationalist, Director of Census & Statistics, as well as Director of Military Intelligence for SA during World War II. Reveals some intimate views of Generals Smuts, Dan Pienaar, Alexander, Evered Poole, and Klopper etc. Timmins. Cape Town 1981. 1976 establishments in South Africa Infantry regiments of South Africa Military units and formations of South Africa in the Border War Military units and formations established in 1976 South African Army
The 2019 Copa del Rey final was a football match played on 25 May 2019 that decided the winner of the 2018–19 Copa del Rey, the 117th edition of Spain's primary football cup (including two seasons where two rival editions were played). The match was played at the Estadio Benito Villamarín in Seville between Barcelona and Valencia. Valencia won the final 2–1, achieving their 8th title overall and ending their trophy drought winning their first major trophy since 2008. Background Barcelona were competing in their 41st Copa del Rey final, extending the competition record, and had won a record 30 titles prior. They were the reigning champions, having defeated Sevilla 5–0 in the 2018 final. The match was their sixth consecutive final, extending the record they set in the previous season, and were seeking a fifth consecutive title, a feat never accomplished before (only Real Madrid and Athletic Bilbao have also previously won four titles consecutively). Valencia were competing in their 17th Copa del Rey final, and would go on to win their 8th title. Their last title win had come in the 2008 final defeating Getafe 3–1. In reaching the final, both teams were assured qualification for the four-team 2019–20 Supercopa de España. Route to the final Match Details References 2019 May 2019 sports events in Spain Sports competitions in Seville FC Barcelona matches Valencia CF matches 21st century in Seville 2018–19 in Spanish football cups
Chevella is a town, mandal and suburb of Hyderabad in Ranga Reddy district of the Indian state of Telangana. It is the headquarters of surrounding villages with many government establishments like Judicial court, Revenue Division Office, Acp office under Cyberabad Metropolitan Police. It is also an educational hub with many schools, junior colleges, engineering colleges, business schools etc. There are many hospitals located along with a medical college, the Dr. Patnam Reddy Institute of Medical Sciences. It has become a part of Hyderabad Metropolitan Development Authority. Location Chevella is located in western part of newly carved Ranga Reddy district with co-ordinates . It is from Hyderabad, from Vikarabad, and from Shadnagar. Population Chevella is a town in Chevella mandal of Rangareddy district in Telangana. Per the Census 2011, there are 1,559 families residing in the town. The population of is 7,031, of which 3,553 are males and 3,478 are females thus the average sex ratio of is 979. The population of children of under age 7 is 894, which is 13% of the total population. There are 463 male children and 431 female children under age 7, thus the child sex ratio is 931, which is less than average sex ratio (979). The literacy rate is 72.5%, thus Chevella has a higher literacy rate than the 66.8% of Rangareddy district. The male literacy rate is 81.72% and the female literacy rate is 63.08%. Politics Chevella gram panchayat is the local self-government of the village. The panchayat is divided into wards and each ward is represented by an elected ward member. The ward members are headed by a Sarpanch. Chevella was in political limelight when it was represented by Late P.Indra Reddy and after his demise his wife Sabitha Indra Reddy. Chevella (SC) (Assembly constituency) of Telangana Legislative Assembly. The present MLA representing the constituency is Kale Yadaiah of Bharat Rashtra Samithi. Chevella (Lok Sabha constituency) The present Member of parliament (India) representing the constituency is Ranjeet Reddy of Bharat Rashtra Samithi Chevella Revenue Division Chevella revenue division is an administrative division in the Rangareddy district of the Indian state of Telangana. It is one of the 5 revenue divisions in the district with 4 mandals under its administration. Chevella serves as the headquarters of the division. The Revenue Division presently comprises the following Mandals Transport TSRTC runs buses from Hyderabad City, they are Route No. : 593 Mehidipatnam to Chevella via Moinabad. Route No. : 455c Shamshabad to Chevella via Nagarguda. The Hyderabad–Kodangal is the new National highway with a length of , passes through Chevella. Rail The nearest railway stations are Shankarpalli railway station which is about away, Secunderabad (about away) Shadnagar Station, which is around away and Vikarabad Railway junction which is away. Air The nearest air transport facility is Hyderabad International Airport, which is 28 km from Chevella. Roads The NH-44 link road passes through the town. About away from Chevella there is an outer ring road which connects to Shamshabad airport - Rajiv Gandhi International Airport, Hyderabad, Gachibowli, and Medchal. Education Chevella Mandal falls under the jurisdiction of Osmania University. The Mandal has many government and private junior, undergraduate and graduate colleges, engineering colleges, and a private medical college. The primary and secondary school education is imparted by the government schools such as Mandal Parishad, Mandal Parishad upper primary and Zilla Parishad High Schools and private high schools. Important festivals Bathukamma and Lashkar Bonalu are states official festivals besides these Dussehra, Diwali, Holi, Sri Ramanavami, Shivaratri, Ugadi, Ganesh Chaturthi, Bakrid, Ramzan are the major festivals celebrated in Chevella Mandal. Crops The place is suitable for harvesting carrots (10-15 truckloads of carrots are transported to Hyderabad every day). Since Chevella is close to the city, farmers grow vegetables and flowers. In the recent years, the town has been hub to a lot of houses where flowers are grown. In addition, farmers grow other crops including tomato, flowers and vegetables, as well as rice, jower, cotton, and corn. References Cities and towns in Ranga Reddy district
```python # -*- coding: utf-8 -*- # Generated by Django 1.11.4 on 2017-09-27 20:19 from __future__ import unicode_literals import django.contrib.postgres.search from django.db import migrations class Migration(migrations.Migration): dependencies = [ ('core', '0038_auto_20170728_1748'), ] operations = [ migrations.AddField( model_name='historicalreimbursement', name='search_vector', field=django.contrib.postgres.search.SearchVectorField(null=True), ), migrations.AddField( model_name='reimbursement', name='search_vector', field=django.contrib.postgres.search.SearchVectorField(null=True), ), ] ```
St Leonard's Priory was a Benedictine nunnery in what is now east London, which gave its name to Bromley St Leonard (today known as Bromley-by-Bow or simply Bromley). History Middle Ages It was first recorded in 1122 as an institution for nine nuns and a prioress - around the time of its Dissolution the priory's own tradition was that it had been founded by Maurice or Richard de Belmeis I, though the antiquarian John Leland believed it had been a co-foundation by William of London and William Roscelin. It was the burial place of some of the Earls of Hereford and of Essex as well as of a daughter of William, Earl of Henault. Initially held by Geoffrey, Earl of Essex, the lands on which the priory stood had shifted to the prior and canons of Holy Trinity Priory, Aldgate by 1292. It achieved notoriety in the Geoffrey Chaucer's description of the Nun Prioress in the General Prologue to his Canterbury Tales: This was a barbed reference as it implied the Prioress had learned French from the Benedictine nuns in a distinct Anglo-Norman dialect. By this time the dialect had lost prestige and was being ridiculed as sub-standard French. Dissolution and after The priory was destroyed during the first phase of the Dissolution of the Monasteries in 1536, along with many other smaller religious house. Its books were moved to Westminster Abbey to join the library for the new Diocese of Westminster and the church retained to form a new parish church. Sybil Kirke was the last prioress – she was granted an annual pension of £15 and allowed to retain 35 shillings 2 pence worth of Priory goods. Initially she was also granted the retention of some of the priory's demesne lands to cover her household expenses. She lived until at least 1553. Most of the rest of the building's contents (such as its cattle and corn) were sold by the king's commissioners to Sir Ralph Sadleir, who lived at Sutton House in Homerton and was privy councillor to Henry VIII. Some were also sold to Mr More, steward to the Lord Chancellor. In February 1539 the crown also granted Sadleir the priory's site, buildings and most of its lands, including the manor of Bromley, though initially these had all been sold to William Rolte. All that remains of the grounds of the Abbey is the parish church's small neglected churchyard. References Leonard's History of the London Borough of Tower Hamlets Former buildings and structures in the London Borough of Tower Hamlets Religion in the London Borough of Tower Hamlets Monasteries in London Bromley-by-Bow Christian monasteries established in the 11th century Christian monasteries established in the 12th century 1536 disestablishments in England Women in London
Myron G. Barlow (May 1870, Ionia – 14 August 1937, Étaples) was an American figurative painter. A gold medalist in international art exhibitions, he had a home at the Etaples art colony (the colony a place in France in which American artists converged before World War 1). He was friend to Henry Ossawa Tanner. He also remained a resident of Detroit. Biography Myron G. Barlow was born on April 15, 1873 in Ionia, Michigan of the marriage of Adolph and Fanny Barlow. His father had been born in Breslau, Germany, immigrating to the United States in 1849 and serving in the Union Army with the 5th Michigan Infantry Regiment during the Civil War. Barlow trained at the Detroit Museum School (later the Detroit Fine Arts Academy), where he studied with Joseph W. Gies (1860–1935), then at the Art Institute of Chicago. He began his career as a "sketch artist" on the staff of the Detroit Free Press. Barlow left for Europe in 1893 to study, and, upon his arrival in France at the age of twenty-one, was noticed by William Bouguereau. He enrolled at the École des Beaux-Arts in Paris where he was a student of Jean-Léon Gérôme. In Amsterdam he discovered Johannes Vermeer while reproducing paintings at the Rijksmuseum Amsterdam. His paintings have been compared to Vermeers, many featuring women set into a "dreamlike atmosphere", caught frozen in a moment, with the image dominated by an overall color. An overall theme throughout his paintings is the depiction of "the luxury of the poor." Another critic described his art as showing the quiet "resignation of feminine labor." Around 1900 in France, Barlow settled in Trépied, near Étaples and joined the Étaples school of painters. He used three models in this period; Julie Sailly, Louise Descharles (born in 1909) whom he would paint for twenty years, and her sister Marie. Possibly he had more than one Louise as a model, or one model had three names over time; Louise Perrault, Louise Grandidier and Louise Descharles were all cited as Barlow's model. He ran an art school in Etaples. Among his students was James S. Booth. Barlow was a regular exhibitor in the Paris Salon of the Société Nationale des Beaux-Arts (National Society of Fine Arts), and his name was used in newspapers in the United States to denote American participation in the event. In 1907, he was the only American elected to the society. Like the Société des Artistes Français, which put on the Paris Salon, the Société Nationale des Beaux-Arts was a professional association which put on art exhibitions. He became a full member of the society in 1915, when his paintings won the gold medal. He exhibited consistently over years, and it was noted that critiques of Salon works often found time to mention his paintings. In 1914, he was a founding member of a group in France calling themselves the American Artists Association, along with Frederick Carl Frieseke, Richard E. Miller, Myron Barlow, George Elmer Browne, Max Bohm, Henry Ossawa Tanner, Walter Griffin, John Noble, Charles Hawthorne and George Oberteuffer. Barlow returned temporarily to the United States when the German army in World War 1 overran the area he lived in, near Belgium. His work was part of a group of American paintings brought from France to San Francisco on the Navy ship U.S.S. Jason, for exhibition in the Panama-Pacific Exhibition. For that show, he exhibited the same paintings which won him full membership in the Société Nationale des Beaux-Arts, and they won the gold medal at the Panama-Pacific Exhibition as well. He lived for a period in "artist's colony", whose members included Joseph Gies (one of Barlow's former teachers), Frances Paulus, Ivan Swift, and John Morse. In Detroit, he was president of the Scarab Club around 1918. Among his major accomplishments were four large murals which he painted for the main auditorium of Temple Beth-El, completed in 1925. He is recognized for his work with gold medals at the St. Louis and Panama Pacific exhibition, and for having his works purchased by numerous international museums, including the Quentovic Museum in Étaples in France, the Pennsylvania Academy of Fine Arts and the Detroit Institute of Arts. The Detroit Club and the private collection of Baron Edmond de Rothschild include works by Barlow. After World War 1, he returned to France in May 1920. Barlow lived both in Etaples and in Detroit. While his primary home was to become Etaples, he continued to interact with the Detroit community, making trips back. At the end of his life, living in Detroit, his final trip to Etaples was with the intention of selling his house there, to spend his final years in Detroit. He died in France on 14 August 1937 in Étaples in the Pas-de-Calais department and is buried in the municipal cemetery. Connection to Breslau Jewish community Myron Barlow's grandparents emigrated from Breslau, Germany to the United States by way of Hull, bringing Myron's father Adolph with them. Had they remained and he born in Breslau, they would have been part of the Jewish community there that numbered about 7,384 in 1849 and 20,202 in 1933. That community was devastated after 1933; it's population shrank to 10,309 by 1939. Hitler's 3rd Reich shut down most places of worship and schools for Jewish people in 1939 and sent the population to concentration and extermination camps in 1941-1942, including Auschwitz, Sobibor, Riga, and Theresienstadt. Myron died in 1937, just as this was beginning; had his family been in Breslau in the four years after his death, they would have suffered the same fate as other Jewish people in their community. Murals in Detroit Myron Barlow created mural paintings for his parents' synagogue in Detroit, at the suggestion of Rabbi Leo M. Franklin. It was mentioned that Barlow looked at the work of Giovanni Battista Tiepolo in France, and he himself studied and possibly painted ceilings in Paris. Four murals in the Temple Beth El were dedicated in 1925 and still survive today, each measuring 8 feet 3 inches in diameter. Barlow's four paintings were painted on canvas in France and then brought to the United States by him, to be installed in the temple. The paintings were written about in March 1923, when the first to be completed, "The Prophet in Conflict With The Church" was displayed at the Institute of Arts. They were among the first paintings to be placed in a Jewish temple as decoration. The four paintings were written about in The Advocate in 1925. The paintings include The Patriarch in which Abraham welcomes three strangers, The Prophet in which 11 figures react to the words of a prophet, a painting of older European Jews from the middle ages teaching the young, and The Immigrant depicting an immigrant with prayer book passing the Statue of Liberty. He had a family connection to the temple. In his mother's obituary, the temple was listed as the one she attended. His father's funeral services took place at the temple. His sister Rose was also active at the temple. In a separate event, when the older Beth El Temple was converted into the Bonstelle Theatre, Barlow directed the interior decoration in "Italian style." Murals in the Bethel Community Transformation Center in Detroit, painted by Myron Barlow Tonality About 1909, Barlow made a shift in the way he was using colors. His hometown newspaper, the Detroit Free Press, commented on his shift, saying, "The low, dark tones in which Mr. Barlow painted at the time of his last exhibition [1907] have given place to harmonious gray and blue tints." Another said, "dreamy studies...in greys, blues and mauves." His color was further characterized in 1914, as being of "light, reserved tones...delicate shades...." In 1916, the work was defined as "blue pictures," "high key" with "figures placed against a very light or white background." He claimed to have pioneered pictures in an overall blue cast; another to use this blue cast was his friend Henry Ossawa Tanner. Gallery Honors Chevalier de la Légion d'honneur. Knight of the Legion of Honor. In 1932, he was named a knight in the national order of the Legion of Honor 2 Barlow listed his honors in 1919: Six Academic Medals, Paris Gold Medal, First Class, St. Louis Exposition, 1904 Gold Medal, First Class, San Francisco Exposition, 1914 Hors Concours [special status, no longer has to compete to get paintings entered], Paris Salon of Société Nationale des Beaux-Arts Member of the Paris Jury for Panama-Pacific Exposition Member of the Jury in Paris for the Pennsylvania Academy of Fine Arts Exhibition Societaire [full member] Societe Nationale des Beaux Arts Salon, Paris Member Paris Society of American Painters Member Societe Internationale des Peintres et Sculpteurs, Paris Member Societe Internationale des Beaux Arts et des Lettres, Paris Member American Art Association, Paris Member Philadelphia Art Club Salon entries 1904 Entry 82 Grand-père (Grandfather) 1906 Les curieuse (The Curious) and Consolation maternelle (Maternal Consultation) 1907 Entry 57 Le dévidage and entry (58) Tasse de café 1908 Entry 56. Hospitalité, entry 57 La bergère bleue, entry 58 La visite, entry 59 La lettre 1909 1910 1911 1912 The Choice, The Toilette , A Girl Reading 1913, 6 paintings (as a Societaire). Le Crochet 1914, 5 paintings entered (as a Societaire). 1915 No Salon due to World War 1 1916 No Salon due to World War 1 1917 No Salon due to World War 1 1918 No Salon due to World War 1 1921 Contemplation, Tales of Picardy 1922 Sans Nouvelles Works in public collections Étaples, Quentovic Museum (in French), Louise belle femme (Louise beautiful woman), oil on canvas Le Touquet-Paris-Plage Museum - Édouard Champion (in French) Cruche cassée (Broken jug), oil on canvas, 75 × 75 cm , circa 1932, gift from the artist to the museum Jeune fille assise (Young seated girl), oil on canvas, 75 × 75 cm , circa 1932, gift from the artist to the museum Asheville Art Museum, Woman arranging flowers, Detroit Institute of Arts A Cup of Tea (1890s) Apples () Cranbrook Educational Community Two Women With A Bowl of Flowers on a Table Young Girl Braiding Her Hair Rahr West Art Museum, Two Women Saginaw Art Museum, untitled, woman resting in firelit room Works in private collections Confidences, circa 1910, oil on canvas, 120 × 120 cm Art in the Bethel Community Transformation Center 1 of 4 2 of 4 3 of 4 Portrait of Albert Kahn, designer of the Bethel-El Synagogue Myron Barlow's signature is on the painting's bottom. 4 of 4 Further reading Program, American Artists in Paris exhibition Footnotes References See also Etaples art colony External links People from Ionia, Michigan Painters from Michigan American expatriates in France Painters from Detroit 1873 births 1937 deaths 20th-century American painters American male painters Knights of the Legion of Honour Modern painters American diaspora in Europe École des Beaux-Arts alumni
The Royalton raid was a British-led Indian raid in 1780 against various towns along the White River Valley in the Vermont Republic, and was part of the American Revolutionary War. It was the last major Indian raid in New England. Raids In the early morning hours of October 16, 1780, Lieutenant Richard Houghton of 53rd Regiment of Foot and a single Grenadier, along with 300 Mohawk warriors from the Kahnawake Reserve in the British province of Quebec, attacked and burned the towns of Royalton, Sharon and Tunbridge along the White River in eastern Vermont. This raid was launched in conjunction with other raids led by Major Christopher Carleton of the 29th Regiment of Foot along the shores of Lake Champlain and Lake George and Sir John Johnson of the King's Royal Regiment of New York in the Mohawk River valley. Four Vermont settlers were killed and twenty six were taken prisoner to Quebec. By the time the local militia could assemble, Houghton and his command were already on their way back north. The militia caught up with the raiders near Randolph, Vermont, and a few volleys were fired back and forth, but when Houghton said that the remaining captives might be killed by the Mohawks if fighting continued, the local militia let the raiders slip away. A plaque at the East Randolph cemetery marks the site of this event. The Hannah Handy (Hendee) monument, on the South Royalton town green, is a granite arch honoring a young mother who lost her young son in the raid, crossed the river, and successfully begged for the return of several children. With the assistance of one of the Mohawks, she caught up with Houghton's raiding party and begged him to release the young boys now being held by the Mohawk, partly appealing as a mother of one of the captives and partly by arguing that they wouldn't survive the trip to Canada and stating that their deaths would be on his hands. Houghton subsequently ordered the boys released to the woman for safe return to their families. The names of the boys she saved were: Michael Hendee, Roswell Parkhurst, son of Capt. Ebenezer Parkhurst, Andrew and Sheldon Durkee, Joseph Rix, Rufus and ___ Fish, Nathaniel Evans and Daniel Downer. References 1780 in the United States Conflicts in 1780 Battles in the Northern theater of the American Revolutionary War after Saratoga Battles involving Native Americans Battles involving Great Britain Randolph, Vermont Royalton, Vermont Sharon, Vermont Tunbridge, Vermont Military raids Pre-statehood history of Vermont Battles of the American Revolutionary War in Vermont
Roy Matthews Mitchell (4 February 1884 – 27 July 1944) was a Canadian-American theatre practitioner who played an important role in little theatre in Canada and the United States. He was involved in the creation and was the first artistic director of the Hart House Theatre at the University of Toronto, and was an influence on Vincent Massey, Herman Voaden and Mavor Moore. In 1974 Moore wrote "in 1929, Roy Mitchell was a voice crying in the near-wilderness of Canada" and called him "the seer who said it all on our own doorstep nearly half a century ago." A later scholar wrote that Mitchell's "vision ... did not fully come to pass in his lifetime, nor did it subsequently." Biography Mitchell was born in Michigan in 1884 to Canadian parents. The family returned to Canada in 1886 and moved to Toronto in 1889, where Mitchell attended Harbord Collegiate Institute and then the University of Toronto. He became a journalist and worked at various newspapers, including the Toronto World until 1915. Mitchell was a founding member of the Arts and Letters Club of Toronto in 1908, and there formed the Arts and Letters Players, which put on many shows at the club. The first was Interior by Maurice Maeterlinck in 1911; others included The Shadowy Waters by W.B. Yeats, The Workhouse Ward by Lady Gregory, and the North American premieres of Rabindranath Tagore's The Post Office (in 1914) and Chitra (in 1916). These productions, directed by Mitchell, "introduced skeptical Toronto audiences to the principles of theatrical modernism," and the Arts and Letters Players "became the foremost group in Toronto's amateur theatre." Mitchell was an "ardent Theosophist," a belief shared with other Arts and Letters Club members such as Lawren Harris and Merrill Denison. He joined the Toronto Theosophical Society in 1910 and wrote a handbook, Theosophy in Action, in 1923. In 1925 Mitchell and philanthropist Dudley Barr founded the Blavatsky Institute to print Theosophical texts. In 1926 the Toronto Daily Star said his "connection with the Theosophical Society made his name prominent throughout Canada." Theosophy was important in his theatre work, and this was reflected in productions such as The Trojan Women at Hart House and in his book Creative Theatre. Mitchell moved to New York City in 1916 to study and work in theatre, mostly in Greenwich Village. In 1917 he was technical director for the first season of the Greenwich Village Theatre. In 1918 he returned to Canada, and worked as Director of Motion Pictures at the Department of Information in Ottawa. Mitchell knew Vincent Massey from the Arts and Letters Club, and worked with him in creating the Hart House Theatre, which opened in 1919. Mitchell moved back to Toronto be its first artistic director. Plays he directed there include: March 1920: The Trojan Women by Euripides, with music by Healey Willan and set design by Arthur Lismer June 1920: Love's Labour's Lost by William Shakespeare, with music by Willan; Mitchell did the set and lighting design June 1921 Cymbeline by Shakespeare, with music by Willan and set design by Merrill Denison and Lismer Cymbeline was his last Hart House production. After two seasons, and disagreements with the Board of Syndics about concentrating on Canadian plays, he left. He spent two years on the west coast of Canada, then returned to Toronto, where for a while he taught scene design at the Ontario College of Art. Through the 1920s he lectured extensively on Theosophy and little theatre in Canada and the United States. Mitchell married Jocelyn Taylor on 17 May 1926 at the Church of St. Mary Magdalene. She had worked with him on stage productions for several years, doing sets, costumes and lighting. The Toronto Daily Star announcement of the wedding described Mitchell as "author, lecturer, theatrical director, theosophical leader and onetime newspaperman" and Taylor as a "well-known artist and sculptress." In 1929 they moved to New York City. Mavor Moore wrote, "Mitchell left for New York to teach and write about the theatre Canada was not yet ready for." In 1930 Mitchell was appointed to the Faculty of Dramatic Art at New York University. There he developed a system of phonetic notation that allowed people to sing folk songs in other languages. He formed a seven-member singing group called The Consort (Jocelyn Taylor was a member) that sang songs in forty languages and dialects. In 1934, Mitchell and his wife joined the faculty of the Banff Centre for Arts and Creativity, known then as the Banff School of Drama. Mitchell died on 27 July 1944 in Canaan, Connecticut. He and Taylor had no children. Writing Mitchell wrote books and articles about theatre and Theosophy. Some of his articles appeared in Theatre Arts Monthly and The Canadian Theosophist. Shakespeare for Community Players (1919) has illustrations by J. E. H. MacDonald. A review in the Canadian Bookman said, "It is not too much to say that Mr. Mitchell is a genius in the art of stage production. Thoroughly imbued with a sense of the importance of the theatrical art to the community (it is no exaggeration to say that he conceives of it as a form of religion), he is perfectly willing to place all his knowledge and experience at the disposal of other producers." Creative Theatre was published in 1929, with illustrations by his wife and colleague Jocelyn Taylor. Mavor Moore said it "constructs a vision of the theatre that foreshadows, often in clairvoyant detail, the ideas of Artaud on movement, of Brecht on audiences, of Guthrie on ritual, of Peter Brook on the open space, and of Grotowski on the monastic community." Scott Duschene, who edited a critical edition of the book in 2020, wrote that "while [it is] imbued with the spirit of the little theatre movement in Canada, Creative Theatre is equally steeped in the world of theosophy." Bibliography Shakespeare for Community Players, with illustrations by J. E. H. MacDonald (Toronto: J.M. Dent and Sons, 1919) Theosophy in Action (Toronto: Blavatsky Institute, 1923) The School Theatre: A Handbook of Theory and Practice, with illustrations by Jocelyn Taylor (Toronto: National Council of Education, 1925) Creative Theatre (New York: John Daly, 1929), with illustrations by Jocelyn Taylor; see also Creative Theatre: A Critical Edition, edited by Scott Duschene (Ottawa: University of Ottawa Press, 2020) Theosophic Study and A White Lotus Address (Toronto: Blavatsky Institute, 1945) Through Temple Doors: Studies in Occult Masonry (Toronto: Blavatsky Institute, 1945) Theosophy in Action (Toronto: Blavatsky Institute, 1951) The Creative Spirit of Art (Westwood, NJ: Kindle Press, 1969) The Exile of the Soul: The Case for Two Souls in the Constitution of Every Man, edited by John L. Davenport (Buffalo, NY: Prometheus Books, 1983) Notes References External links Roy Mitchell fonds (F0368) available at the Clara Thomas Archives & Special Collections, York University Mitchell's writings for The Canadian Theosophist are indexed in An Index to The Canadian Theosophist: Volumes 1 to 78 and The Canadian Theosophist: 1920-2007, index 1920-26 v1-6, 1927-28 v8, 1937-1938 v18, 1954-57 v35-7, 1959-67, 1974-2007 1884 births 1944 deaths Canadian theatre directors Canadian male non-fiction writers American Theosophists Canadian Theosophists University of Toronto alumni New York University faculty
```javascript /** * @license Apache-2.0 * * * * 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. */ 'use strict'; // MODULES // var bench = require( '@stdlib/bench' ); var isString = require( '@stdlib/assert/is-string' ).isPrimitive; var fromCodePoint = require( '@stdlib/string/from-code-point' ); var pkg = require( './../package.json' ).name; var reExtnamePosix = require( './../lib' ); // MAIN // bench( pkg, function benchmark( b ) { var out; var str; var i; b.tic(); for ( i = 0; i < b.iterations; i++ ) { str = '/foo/bar/beep/boop'+fromCodePoint( 97 + (i%26) )+'.js'; out = reExtnamePosix.REGEXP.exec( str ); if ( !out || !isString( out[ 1 ] ) ) { b.fail( 'should capture an extname' ); } } b.toc(); if ( !out || !isString( out[ 1 ] ) ) { b.fail( 'should capture an extname' ); } b.pass( 'benchmark finished' ); b.end(); }); ```
Galactopteryx is a genus of moths in the family Geometridae. References Geometridae
{{DISPLAYTITLE:C18H20O2}} The molecular formula C18H20O2 (molar mass : 268.35 g/mol) may refer to: Bisphenol Z Dianin's compound Dianol Diethylstilbestrol 17α-Dihydroequilenin 17β-Dihydroequilenin 8,9-Dehydroestrone Equilin Hippulin 4-Methyl-2,4-bis(4-hydroxyphenyl)pent-1-ene Trendione
The Dead Sea Scrolls and the Christian myth is a 1979 book about the Dead Sea Scrolls, Essenes and early Christianity that proposes the non-existence of Jesus Christ. It was written by John Marco Allegro (1922–1988). Content The book was written nine years after Allegro's forced resignation from academia due to publishing The Sacred Mushroom and the Cross. It is an imaginative look at what life would have been like at Qumran, Palestine at the time when Jesus was supposed to have lived in the 1st century CE. The book's aim was to show the logical progression of Jewish history through the writings and archaeology of Qumran, as opposed to the (unique) revelation of traditional Christianity. Allegro suggested that traditional Christianity developed through a literal misinterpretation of symbolic narratives found in the scrolls by writers who did not understand the minds of the Essenes. He further argued that Gnostic Christianity developed directly from the Essenes and that Jesus Christ was a fictional character based on a real person, who had helped establish the Essene movement (or "Way") and lived in the 1st century BCE, around one hundred years before the traditional period of New Testament events. In a chapter entitled "Will the real Jesus Christ please stand up," Allegro referred to this man as the Teacher of Righteousness. Allegro argued that the word Essenes signified "healers" and that the Essenes had inherited a lore of healing with plants and stones that had been passed down from the "fallen angels" that arrived on Mount Hermon mentioned in the Book of Enoch. He presumed their establishment of Qumran complex by the Dead Sea was related to the interpretation and anticipation of a prophecy about the Teacher of Righteousness, a "man whose appearance was like the appearance of bronze, with a line of flax and a measuring rod in his hand," () who was to somehow create lifegiving waters to flow into the Dead Sea from a temple in some northern location (). Reaction The book received widespread criticism from the academic community: numerous rebuttals were published, and other members of the team pointed out the problems with Allegro's arguments. Randall Price called Allegro "the father of scroll sensationalists" for his interpretations of the scrolls. Allegro believed that there was a conspiracy to prevent publication of the scrolls because they could damage the image of Jesus, which was later repeated by conspiracy theory writers such as Richard Leigh and Michael Baigent in their book The Dead Sea Scrolls Deception. Allegro's theories about the relationship of the scrolls to Jesus were widely rejected and led to his rapid downfall. Allegro had previously published The Sacred Mushroom and the Cross in 1970, with even more theories about Jesus. Allegro was heavily criticized by many scholars, including his own mentor at Oxford, and his publisher issued an apology. Allegro's scholarly reputation was destroyed, and he had to resign from his academic position. See also James the Brother of Jesus (book) The Passover Plot References External links johnallegro.org The Dead Sea Scrolls and the Christian Myth, 1979 1979 non-fiction books British non-fiction books English non-fiction books Books critical of Christianity Historical revisionism Dead Sea Scrolls Works about the Christ myth theory
```c++ * Use of this file is governed by the BSD 3-clause license that * can be found in the LICENSE.txt file in the project root. */ #include "BaseErrorListener.h" #include "RecognitionException.h" using namespace antlr4; void BaseErrorListener::syntaxError(Recognizer* /*recognizer*/, Token* /*offendingSymbol*/, size_t /*line*/, size_t /*charPositionInLine*/, const std::string& /*msg*/, std::exception_ptr /*e*/) {} void BaseErrorListener::reportAmbiguity(Parser* /*recognizer*/, const dfa::DFA& /*dfa*/, size_t /*startIndex*/, size_t /*stopIndex*/, bool /*exact*/, const antlrcpp::BitSet& /*ambigAlts*/, atn::ATNConfigSet* /*configs*/) {} void BaseErrorListener::reportAttemptingFullContext( Parser* /*recognizer*/, const dfa::DFA& /*dfa*/, size_t /*startIndex*/, size_t /*stopIndex*/, const antlrcpp::BitSet& /*conflictingAlts*/, atn::ATNConfigSet* /*configs*/) {} void BaseErrorListener::reportContextSensitivity( Parser* /*recognizer*/, const dfa::DFA& /*dfa*/, size_t /*startIndex*/, size_t /*stopIndex*/, size_t /*prediction*/, atn::ATNConfigSet* /*configs*/) {} ```
```objective-c #ifndef QTREEWIDGETSTATECACHE_H #define QTREEWIDGETSTATECACHE_H #include <functional> #include <QSet> #include <QTreeWidget> #include <QTreeWidgetItem> namespace vnotex { template<class Key> class QTreeWidgetStateCache { public: typedef std::function<Key(const QTreeWidgetItem *, bool &)> ItemKeyFunc; explicit QTreeWidgetStateCache(const ItemKeyFunc &p_keyFunc) : m_keyFunc(p_keyFunc), m_currentItem(0) { } void save(QTreeWidget *p_tree, bool p_saveCurrentItem) { clear(); auto cnt = p_tree->topLevelItemCount(); for (int i = 0; i < cnt; ++i) { save(p_tree->topLevelItem(i)); } if (p_saveCurrentItem) { auto item = p_tree->currentItem(); bool ok; Key key = m_keyFunc(item, ok); if (ok) { m_currentItem = key; } } } bool contains(QTreeWidgetItem *p_item) const { bool ok; Key key = m_keyFunc(p_item, ok); if (ok) { return m_expansionCache.contains(key); } return false; } void clear() { m_expansionCache.clear(); m_currentItem = 0; } Key getCurrentItem() const { return m_currentItem; } private: void save(QTreeWidgetItem *p_item) { if (!p_item->isExpanded()) { return; } bool ok; Key key = m_keyFunc(p_item, ok); if (ok) { m_expansionCache.insert(key); } auto cnt = p_item->childCount(); for (int i = 0; i < cnt; ++i) { save(p_item->child(i)); } } QSet<Key> m_expansionCache; ItemKeyFunc m_keyFunc; Key m_currentItem; }; } // ns vnotex #endif // QTREEWIDGETSTATECACHE_H ```
```scss @import 'styles/variables'; .web-container { width: calc(100vw - 223px); float: right; padding-top: 70px; overflow-x: hidden; &.center { float: none; margin: 0 auto; text-align: left; overflow: hidden; } } .challenge-phase { margin-top: 2rem; } ::-webkit-calendar-picker-indicator:hover{ cursor:pointer; } @media only screen and (max-width: $med-screen) { .web-container { width: 100%; } } @import 'styles/variables'; .ev-challenge-card { min-height: 415px; } p { word-wrap: break-word; } @import 'styles/variables'; .challenge-create-flex { display: flex; flex-direction: column; min-height: 100vh; } .challenge-create-content { flex: 1; min-height: 100vh; } .web-container { width: calc(100% - 223px); float: right; padding-top: 70px; overflow-x: hidden; &.center { float: none; margin: 0 auto; text-align: left; overflow: hidden; } } .zip-file-title { margin-bottom: 20px; margin-left: 11px; } .syntax-wrn-msg { font-size: 1em; } .hr-line { line-height: 1em; position: relative; outline: 0; border: 0; color: black; text-align: center; height: 1.5em; opacity: 0.5; &:before { content: ''; background: linear-gradient(to right, transparent, #818078, transparent); position: absolute; left: 0; top: 50%; width: 100%; height: 1px; } &:after { content: ''; position: relative; display: inline-block; padding: 0 0.5em; line-height: 1.5em; color: #818078; background-color: #fcfcfa; } } /*media queries*/ @media only screen and (max-width: $med-screen) { .web-container { width: 100%; } } @import './variables.scss'; @import './mixins.scss'; .row .row-lr-margin { margin-bottom: 20px; } ```
Life Is a Bi... () is the second extended play by South Korean singer Bibi. It was released on April 28, 2021, through Feel Ghood Music. Background In an interview with BNT, Bibi explained why she named the album Life is a Bi.... Everything in life came to me like temptation. I came to think of life as a bad bitch that teases me and cannot be understood. Music and lyrics According to Seoul Beats, "Bibi likens her perspective of life to experiencing inner conflicts from a toxic relationship." In “Piri the dog,” she "reveals the severe emotional consequences of a codependent relationship, likening herself to an abandoned dog." "Birthday Cake" is about not knowing your own worth, such as in the lyrics, "Nobody told me I get grands for hour and half so I sold it for one hunnit". Critical reception Kim Do-yeon of IZM rated the album 3 out of 5 stars. According to her, "Bibi tries to draw empathy from listeners by honestly telling her story in a short time. The album will comfort those in their 20s and help those turning 20 overcome difficult moments." Kim Hyo-jin of Rhythmer rated the album 2.5 out of 5 stars. According to her, "the depiction of the universality of tragedy is interesting." However, "the music to support it is unpolished and the story was not fully developed due to the small number of songs." Juliette Garcia of Seoul Therapy rated the album 9 out of 10 points. According to her, "Bibi is a great lyricist and her wits are not lost in this album. She gives a great insight into life and relationships in her own whimsical, sexy and sensitive way." Year-end lists Track listing Charts Weekly charts Monthly charts Sales References 2021 EPs Contemporary R&B albums by South Korean artists Hip hop albums by South Korean artists Korean-language EPs
```go // // // path_to_url // // Unless required by applicable law or agreed to in writing, software // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. package forwarder import ( "bytes" "context" "fmt" "net" "strings" "time" "github.com/gorilla/websocket" "istio.io/istio/pkg/test/echo" "istio.io/istio/pkg/test/echo/common" "istio.io/istio/pkg/test/echo/proto" ) var _ protocol = &websocketProtocol{} type websocketProtocol struct { e *executor } func newWebsocketProtocol(e *executor) protocol { return &websocketProtocol{e: e} } func (c *websocketProtocol) ForwardEcho(ctx context.Context, cfg *Config) (*proto.ForwardEchoResponse, error) { return doForward(ctx, cfg, c.e, c.makeRequest) } func (c *websocketProtocol) Close() error { return nil } func (c *websocketProtocol) makeRequest(ctx context.Context, cfg *Config, requestID int) (string, error) { req := cfg.Request var outBuffer bytes.Buffer echo.ForwarderURLField.WriteForRequest(&outBuffer, requestID, req.Url) // Set the special header to trigger the upgrade to WebSocket. wsReq := cfg.headers.Clone() if len(cfg.hostHeader) > 0 { echo.HostField.WriteForRequest(&outBuffer, requestID, hostHeader) } writeForwardedHeaders(&outBuffer, requestID, wsReq) common.SetWebSocketHeader(wsReq) if req.Message != "" { echo.ForwarderMessageField.WriteForRequest(&outBuffer, requestID, req.Message) } dialContext := func(network, addr string) (net.Conn, error) { return newDialer(cfg).Dial(network, addr) } if len(cfg.UDS) > 0 { dialContext = func(network, addr string) (net.Conn, error) { return newDialer(cfg).Dial("unix", cfg.UDS) } } dialer := &websocket.Dialer{ TLSClientConfig: cfg.tlsConfig, NetDial: dialContext, HandshakeTimeout: cfg.timeout, } conn, _, err := dialer.Dial(req.Url, wsReq) if err != nil { // timeout or bad handshake return outBuffer.String(), err } defer func() { _ = conn.Close() }() // Apply per-request timeout to calculate deadline for reads/writes. ctx, cancel := context.WithTimeout(ctx, cfg.timeout) defer cancel() // Apply the deadline to the connection. deadline, _ := ctx.Deadline() if err := conn.SetWriteDeadline(deadline); err != nil { return outBuffer.String(), err } if err := conn.SetReadDeadline(deadline); err != nil { return outBuffer.String(), err } start := time.Now() err = conn.WriteMessage(websocket.TextMessage, []byte(req.Message)) if err != nil { return outBuffer.String(), err } _, resp, err := conn.ReadMessage() if err != nil { return outBuffer.String(), err } echo.LatencyField.WriteForRequest(&outBuffer, requestID, fmt.Sprintf("%v", time.Since(start))) echo.ActiveRequestsField.WriteForRequest(&outBuffer, requestID, fmt.Sprintf("%d", c.e.ActiveRequests())) for _, line := range strings.Split(string(resp), "\n") { if line != "" { echo.WriteBodyLine(&outBuffer, requestID, line) } } return outBuffer.String(), nil } ```
CSEC may refer to: Calgary Sports and Entertainment Corporation, owner and operator of several Calgary-based sports teams Caribbean Secondary Education Certificate Communications Security Establishment Canada, later known as the Communications Security Establishment, the Canadian government's national cryptologic agency Commercial sexual exploitation of children Commission on State Emergency Communications, an agency of the State of Texas; see Steve Mitchell Citadel Security Services, in the computer game Mass Effect
```html <!DOCTYPE HTML> <html lang="zh-CN"> <head> <meta charset="UTF-8"> <title>20190916 | Here. There.</title> <meta name="viewport" content="width=device-width, initial-scale=1, maximum-scale=3, minimum-scale=1"> <meta name="author" content=""> <meta name="description" content="~~"> <link rel="alternate" href="/atom.xml" title="Here. There." type="application/atom+xml"> <link rel="icon" href="/img/favicon.ico"> <link rel="apple-touch-icon" href="/img/pacman.jpg"> <link rel="apple-touch-icon-precomposed" href="/img/pacman.jpg"> <link rel="stylesheet" href="/css/style.css"> <script type="text/javascript"> var _hmt = _hmt || []; (function() { var hm = document.createElement("script"); hm.src = "//hm.baidu.com/hm.js?3d902de4a19cf2bf179534ffd2dd7b7f"; var s = document.getElementsByTagName("script")[0]; s.parentNode.insertBefore(hm, s); })(); </script> <meta name="generator" content="Hexo 6.3.0"></head> <body> <header> <div> <div id="imglogo"> <a href="/"><img src="/img/sun.png" alt="Here. There." title="Here. There."/></a> </div> <div id="textlogo"> <h1 class="site-name"><a href="/" title="Here. There.">Here. There.</a></h1> <h2 class="blog-motto">Love ice cream. Love sunshine. Love life. Love the world. Love myself. Love you.</h2> </div> <div class="navbar"><a class="navbutton navmobile" href="#" title=""> </a></div> <nav class="animated"> <ul> <li><a href="/"></a></li> <li><a target="_blank" rel="noopener" href="path_to_url"></a></li> <li><a href="/archives"></a></li> <li><a href="/categories"></a></li> <li><a href="path_to_url"></a></li> <li><a href="/about"></a></li> </ul> </nav> </div> </header> <div id="container"> <div id="main" class="post" itemscope itemprop="blogPost"> <article itemprop="articleBody"> <header class="article-info clearfix"> <h1 itemprop="name"> <a href="/2019/09/16/wxapp-latest-20190916/" title="20190916" itemprop="url">20190916</a> </h1> <p class="article-author">By <a href="path_to_url" title=""></a> </p> <p class="article-time"> <time datetime="2019-09-16T15:52:31.000Z" itemprop="datePublished">2019-09-16</time> :<time datetime="2019-09-22T12:24:09.355Z" itemprop="dateModified">2019-09-22</time> </p> </header> <div class="article-content"> <div id="toc" class="toc-article"> <strong class="toc-title"></strong> <ol class="toc"><li class="toc-item toc-level-1"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F-latest"><span class="toc-number">1.</span> <span class="toc-text"> latest</span></a><ol class="toc-child"><li class="toc-item toc-level-2"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E8%83%BD%E5%8A%9B"><span class="toc-number">1.1.</span> <span class="toc-text"></span></a><ol class="toc-child"><li class="toc-item toc-level-3"><a class="toc-link" href="#%E3%80%8C%E5%BE%AE%E4%BF%A1%E5%AE%98%E6%96%B9%E6%96%87%E6%A1%A3%E3%80%8D%E6%94%AF%E6%8C%81%E7%A7%BB%E5%8A%A8%E7%AB%AF%E6%90%9C%E7%B4%A2"><span class="toc-number">1.1.1.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%BE%AE%E4%BF%A1%E5%B0%8F%E7%A8%8B%E5%BA%8F%E8%87%AA%E5%8A%A8%E5%8C%96%E6%A1%86%E6%9E%B6-Python-%E7%89%88-%E2%80%93-Minium-%E5%85%AC%E6%B5%8B"><span class="toc-number">1.1.2.</span> <span class="toc-text"> Python Minium </span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%89%A9%E5%B1%95%E8%83%BD%E5%8A%9B%E6%9B%B4%E6%96%B0"><span class="toc-number">1.1.3.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%96%B0-Canvas-%E6%8E%A5%E5%8F%A3%E5%85%AC%E6%B5%8B"><span class="toc-number">1.1.4.</span> <span class="toc-text"> Canvas </span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%96%B0%E5%A2%9E%E2%80%9C%E5%AE%9E%E6%97%B6%E6%97%A5%E5%BF%97%E2%80%9D%E5%8A%9F%E8%83%BD"><span class="toc-number">1.1.5.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E6%95%B0%E6%8D%AE%E5%91%A8%E6%9C%9F%E6%9B%B4%E6%96%B0%E5%8A%9F%E8%83%BD"><span class="toc-number">1.1.6.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E6%9B%B4%E6%96%B0%E6%97%A5%E5%BF%97"><span class="toc-number">1.1.7.</span> <span class="toc-text"></span></a></li></ol></li><li class="toc-item toc-level-2"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%C2%B7%E4%BA%91%E5%BC%80%E5%8F%91"><span class="toc-number">1.2.</span> <span class="toc-text"></span></a><ol class="toc-child"><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%C2%B7%E4%BA%91%E5%BC%80%E5%8F%91%E6%96%B0%E5%A2%9E%E5%AE%9E%E6%97%B6%E6%95%B0%E6%8D%AE%E6%8E%A8%E9%80%81%E8%83%BD%E5%8A%9B"><span class="toc-number">1.2.1.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E3%80%8C%E5%B0%8F%E7%A8%8B%E5%BA%8F%C2%B7%E4%BA%91%E5%BC%80%E5%8F%91%E3%80%8D%E8%B5%84%E6%BA%90%E9%85%8D%E9%A2%9D%E8%B0%83%E6%95%B4"><span class="toc-number">1.2.2.</span> <span class="toc-text"></span></a></li></ol></li><li class="toc-item toc-level-2"><a class="toc-link" href="#%E5%BC%80%E5%8F%91%E8%80%85%E5%B7%A5%E5%85%B7"><span class="toc-number">1.3.</span> <span class="toc-text"></span></a><ol class="toc-child"><li class="toc-item toc-level-3"><a class="toc-link" href="#%E6%9C%AC%E5%9C%B0%E7%BC%96%E8%AF%91%E6%97%B6%E8%BF%9B%E8%A1%8C%E5%90%88%E5%B9%B6%E7%BC%96%E8%AF%91"><span class="toc-number">1.3.1.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#PC-%E5%BE%AE%E4%BF%A1%E5%BC%80%E5%8F%91%E7%89%88%E5%B0%8F%E7%A8%8B%E5%BA%8F%E8%87%AA%E5%8A%A8%E9%A2%84%E8%A7%88"><span class="toc-number">1.3.2.</span> <span class="toc-text">PC </span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E6%9B%B4%E5%A4%9A%E6%96%B0%E5%A2%9E%E8%83%BD%E5%8A%9B"><span class="toc-number">1.3.3.</span> <span class="toc-text"></span></a></li></ol></li></ol></li><li class="toc-item toc-level-1"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%95%99%E7%A8%8B"><span class="toc-number">2.</span> <span class="toc-text"></span></a><ol class="toc-child"><li class="toc-item toc-level-2"><a class="toc-link" href="#%E7%A4%BE%E5%8C%BA%E7%B2%BE%E9%80%89%E6%96%87%E7%AB%A0"><span class="toc-number">2.1.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-2"><a class="toc-link" href="#%E6%9C%80%E6%96%B0%E8%B8%A9%E5%9D%91-amp-amp-Tips"><span class="toc-number">2.2.</span> <span class="toc-text"> &amp;&amp; Tips</span></a><ol class="toc-child"><li class="toc-item toc-level-3"><a class="toc-link" href="#%E3%80%90%E5%BC%80%E5%8F%91Tips%E3%80%91-%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%8F%92%E4%BB%B6%E6%9C%80%E4%BD%8E%E5%8F%AF%E7%94%A8%E7%89%88%E6%9C%AC%E8%AE%BE%E7%BD%AE"><span class="toc-number">2.2.1.</span> <span class="toc-text">Tips-</span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E3%80%90%E8%B8%A9%E5%9D%91%E4%BF%A1%E6%81%AF%E3%80%91-%E5%B0%8F%E7%A8%8B%E5%BA%8F%E5%85%AC%E4%BC%97%E5%8F%B7%E5%85%B3%E8%81%94%E7%AD%96%E7%95%A5"><span class="toc-number">2.2.2.</span> <span class="toc-text">- </span></a></li></ol></li><li class="toc-item toc-level-2"><a class="toc-link" href="#%E7%BB%93%E6%9D%9F%E8%AF%AD"><span class="toc-number">2.3.</span> <span class="toc-text"></span></a></li></ol></li></ol> </div> <p>~~<br><span id="more"></span></p> <h1 id="-latest"><a href="#-latest" class="headerlink" title=" latest"></a> latest</h1><h2 id=""><a href="#" class="headerlink" title=""></a></h2><h3 id=""><a href="#" class="headerlink" title=""></a></h3><p></p> <ul> <li><a target="_blank" rel="noopener" href="path_to_url"></a></li> </ul> <h3 id="-Python---Minium-"><a href="#-Python---Minium-" class="headerlink" title=" Python Minium "></a> Python Minium </h3><p>Minium / MiniTest /Minium IDEiOSAndroid </p> <ul> <li><a target="_blank" rel="noopener" href="path_to_url"></a></li> </ul> <h3 id=""><a href="#" class="headerlink" title=""></a></h3><ul> <li><p><strong>MobX </strong><br> MobX MobX </p> <ul> <li><a target="_blank" rel="noopener" href="path_to_url"></a></li> </ul> </li> <li><p><strong>WeUI</strong><br>WeUI </p> <ul> <li><a target="_blank" rel="noopener" href="path_to_url"></a></li> </ul> </li> </ul> <blockquote> <p>Tips: weui 38K</p> </blockquote> <h3 id="-Canvas-"><a href="#-Canvas-" class="headerlink" title=" Canvas "></a> Canvas </h3><p> Canvas v2.9.0 Canvas HTML Canvas 2D GPU Canvas Canvas </p> <ul> <li><a target="_blank" rel="noopener" href="path_to_url"></a></li> </ul> <blockquote> <p> iOS v7.0.5 <a target="_blank" rel="noopener" href="path_to_url"></a><a target="_blank" rel="noopener" href="path_to_url"></a> canvas 3~5</p> </blockquote> <h3 id=""><a href="#" class="headerlink" title=""></a></h3><p>--- OpenID </p> <ul> <li><a target="_blank" rel="noopener" href="path_to_url"></a></li> </ul> <h3 id=""><a href="#" class="headerlink" title=""></a></h3><p>12</p> <ul> <li><a target="_blank" rel="noopener" href="path_to_url"></a></li> </ul> <h3 id=""><a href="#" class="headerlink" title=""></a></h3><ul> <li><a target="_blank" rel="noopener" href="path_to_url">08.26-08.30</a> </li> <li><a target="_blank" rel="noopener" href="path_to_url">8.19-8.23</a> </li> <li><a target="_blank" rel="noopener" href="path_to_url">8.12-8.16</a> </li> <li><a target="_blank" rel="noopener" href="path_to_url">8.05-8.09</a> </li> </ul> <h2 id=""><a href="#" class="headerlink" title=""></a></h2><h3 id=""><a href="#" class="headerlink" title=""></a></h3><p><br></p> <p></p> <ul> <li>/</li> <li></li> <li></li> <li><p></p> </li> <li><p><a target="_blank" rel="noopener" href="path_to_url"></a></p> </li> </ul> <h3 id=""><a href="#" class="headerlink" title=""></a></h3><p></p> <ul> <li>20/5/</li> <li>1000201000<br> plus plusCDN plus plus</li> </ul> <h2 id=""><a href="#" class="headerlink" title=""></a></h2><h3 id=""><a href="#" class="headerlink" title=""></a></h3><p><br> - - </p> <h3 id="PC-"><a href="#PC-" class="headerlink" title="PC "></a>PC </h3><p><a target="_blank" rel="noopener" href="path_to_url">PC </a> - - PC PC </p> <h3 id=""><a href="#" class="headerlink" title=""></a></h3><p><a target="_blank" rel="noopener" href="path_to_url"> 1.02.1909051 RC </a></p> <ul> <li></li> <li></li> <li> worker </li> <li> url </li> <li></li> <li></li> <li></li> </ul> <p><a target="_blank" rel="noopener" href="path_to_url"> 1.02.1909111 RC </a></p> <ul> <li></li> <li></li> <li></li> <li></li> </ul> <h1 id=""><a href="#" class="headerlink" title=""></a></h1><h2 id=""><a href="#" class="headerlink" title=""></a></h2><ul> <li><a target="_blank" rel="noopener" href="path_to_url"> ()</a></li> </ul> <p><a target="_blank" rel="noopener" href="path_to_url"></a></p> <blockquote> <p></p> </blockquote> <h2 id="-amp-amp-Tips"><a href="#-amp-amp-Tips" class="headerlink" title=" &amp;&amp; Tips"></a> &amp;&amp; Tips</h2><h3 id="Tips-"><a href="#Tips-" class="headerlink" title="Tips-"></a>Tips-</h3><p>----30<br>30<br></p> <h3 id="-"><a href="#-" class="headerlink" title="- "></a>- </h3><p>44<a target="_blank" rel="noopener" href="path_to_url"></a><br><br></p> <h2 id=""><a href="#" class="headerlink" title=""></a></h2><p><br><br><br></p> </div> <img src="path_to_url" width="200" height="200" style="display:block;margin: 0 auto;" /> <p style="text-align: center;margin-top: 10px;margin-bottom: 10px;">~</p> <p style="text-align: center;"><a target="_blank" rel="noopener" href="path_to_url">B: </a></p> <div class="article-content"> <p style="margin-top:50px;"> Github<a target="_blank" rel="noopener" href="path_to_url">path_to_url <br> <a href="path_to_url"></a> <br> <br> </p> </div> <div class="author-right"> <p></p> <p><a href="path_to_url">path_to_url <p></p> </div> <footer class="article-footer clearfix"> <div class="article-tags"> <span></span> <a href="/tags//"></a> </div> <div class="article-categories"> <span></span> <a class="article-category-link" href="/categories/%E5%B0%8F%E7%A8%8B%E5%BA%8F%E5%8F%8C%E7%9A%AE%E5%A5%B6/"></a> </div> <div class="article-share" id="share"> <!-- JiaThis Button BEGIN --> <div class="jiathis_style_24x24"> <a class="jiathis_button_qzone"></a> <a class="jiathis_button_tsina"></a> <a class="jiathis_button_tqq"></a> <a class="jiathis_button_weixin"></a> <a class="jiathis_button_renren"></a> <a href="path_to_url" class="jiathis jiathis_txt jtico jtico_jiathis" target="_blank"></a> </div> <script type="text/javascript"> var jiathis_config = {data_track_clickback:'true'}; </script> <script type="text/javascript" src="path_to_url" charset="utf-8"></script> <!-- JiaThis Button END --> </div> </footer> </article> <nav class="article-nav clearfix"> <div class="prev" > <a href="/2019/10/13/about-front-end-3-growth/" title="--3."> <strong>PREVIOUS:</strong><br/> <span> --3.</span> </a> </div> <div class="next"> <a href="/2019/08/15/wxapp-latest-20190815/" title="20190815"> <strong>NEXT:</strong><br/> <span>20190815 </span> </a> </div> </nav> <!-- `comments: false` --> <!-- --> </div> <div class="openaside"><a class="navbutton" href="#" title=""></a></div> <div id="toc" class="toc-aside"> <strong class="toc-title"></strong> <ol class="toc"><li class="toc-item toc-level-1"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F-latest"><span class="toc-number">1.</span> <span class="toc-text"> latest</span></a><ol class="toc-child"><li class="toc-item toc-level-2"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E8%83%BD%E5%8A%9B"><span class="toc-number">1.1.</span> <span class="toc-text"></span></a><ol class="toc-child"><li class="toc-item toc-level-3"><a class="toc-link" href="#%E3%80%8C%E5%BE%AE%E4%BF%A1%E5%AE%98%E6%96%B9%E6%96%87%E6%A1%A3%E3%80%8D%E6%94%AF%E6%8C%81%E7%A7%BB%E5%8A%A8%E7%AB%AF%E6%90%9C%E7%B4%A2"><span class="toc-number">1.1.1.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%BE%AE%E4%BF%A1%E5%B0%8F%E7%A8%8B%E5%BA%8F%E8%87%AA%E5%8A%A8%E5%8C%96%E6%A1%86%E6%9E%B6-Python-%E7%89%88-%E2%80%93-Minium-%E5%85%AC%E6%B5%8B"><span class="toc-number">1.1.2.</span> <span class="toc-text"> Python Minium </span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%89%A9%E5%B1%95%E8%83%BD%E5%8A%9B%E6%9B%B4%E6%96%B0"><span class="toc-number">1.1.3.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%96%B0-Canvas-%E6%8E%A5%E5%8F%A3%E5%85%AC%E6%B5%8B"><span class="toc-number">1.1.4.</span> <span class="toc-text"> Canvas </span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%96%B0%E5%A2%9E%E2%80%9C%E5%AE%9E%E6%97%B6%E6%97%A5%E5%BF%97%E2%80%9D%E5%8A%9F%E8%83%BD"><span class="toc-number">1.1.5.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E6%95%B0%E6%8D%AE%E5%91%A8%E6%9C%9F%E6%9B%B4%E6%96%B0%E5%8A%9F%E8%83%BD"><span class="toc-number">1.1.6.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E6%9B%B4%E6%96%B0%E6%97%A5%E5%BF%97"><span class="toc-number">1.1.7.</span> <span class="toc-text"></span></a></li></ol></li><li class="toc-item toc-level-2"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%C2%B7%E4%BA%91%E5%BC%80%E5%8F%91"><span class="toc-number">1.2.</span> <span class="toc-text"></span></a><ol class="toc-child"><li class="toc-item toc-level-3"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%C2%B7%E4%BA%91%E5%BC%80%E5%8F%91%E6%96%B0%E5%A2%9E%E5%AE%9E%E6%97%B6%E6%95%B0%E6%8D%AE%E6%8E%A8%E9%80%81%E8%83%BD%E5%8A%9B"><span class="toc-number">1.2.1.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E3%80%8C%E5%B0%8F%E7%A8%8B%E5%BA%8F%C2%B7%E4%BA%91%E5%BC%80%E5%8F%91%E3%80%8D%E8%B5%84%E6%BA%90%E9%85%8D%E9%A2%9D%E8%B0%83%E6%95%B4"><span class="toc-number">1.2.2.</span> <span class="toc-text"></span></a></li></ol></li><li class="toc-item toc-level-2"><a class="toc-link" href="#%E5%BC%80%E5%8F%91%E8%80%85%E5%B7%A5%E5%85%B7"><span class="toc-number">1.3.</span> <span class="toc-text"></span></a><ol class="toc-child"><li class="toc-item toc-level-3"><a class="toc-link" href="#%E6%9C%AC%E5%9C%B0%E7%BC%96%E8%AF%91%E6%97%B6%E8%BF%9B%E8%A1%8C%E5%90%88%E5%B9%B6%E7%BC%96%E8%AF%91"><span class="toc-number">1.3.1.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#PC-%E5%BE%AE%E4%BF%A1%E5%BC%80%E5%8F%91%E7%89%88%E5%B0%8F%E7%A8%8B%E5%BA%8F%E8%87%AA%E5%8A%A8%E9%A2%84%E8%A7%88"><span class="toc-number">1.3.2.</span> <span class="toc-text">PC </span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E6%9B%B4%E5%A4%9A%E6%96%B0%E5%A2%9E%E8%83%BD%E5%8A%9B"><span class="toc-number">1.3.3.</span> <span class="toc-text"></span></a></li></ol></li></ol></li><li class="toc-item toc-level-1"><a class="toc-link" href="#%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%95%99%E7%A8%8B"><span class="toc-number">2.</span> <span class="toc-text"></span></a><ol class="toc-child"><li class="toc-item toc-level-2"><a class="toc-link" href="#%E7%A4%BE%E5%8C%BA%E7%B2%BE%E9%80%89%E6%96%87%E7%AB%A0"><span class="toc-number">2.1.</span> <span class="toc-text"></span></a></li><li class="toc-item toc-level-2"><a class="toc-link" href="#%E6%9C%80%E6%96%B0%E8%B8%A9%E5%9D%91-amp-amp-Tips"><span class="toc-number">2.2.</span> <span class="toc-text"> &amp;&amp; Tips</span></a><ol class="toc-child"><li class="toc-item toc-level-3"><a class="toc-link" href="#%E3%80%90%E5%BC%80%E5%8F%91Tips%E3%80%91-%E5%B0%8F%E7%A8%8B%E5%BA%8F%E6%8F%92%E4%BB%B6%E6%9C%80%E4%BD%8E%E5%8F%AF%E7%94%A8%E7%89%88%E6%9C%AC%E8%AE%BE%E7%BD%AE"><span class="toc-number">2.2.1.</span> <span class="toc-text">Tips-</span></a></li><li class="toc-item toc-level-3"><a class="toc-link" href="#%E3%80%90%E8%B8%A9%E5%9D%91%E4%BF%A1%E6%81%AF%E3%80%91-%E5%B0%8F%E7%A8%8B%E5%BA%8F%E5%85%AC%E4%BC%97%E5%8F%B7%E5%85%B3%E8%81%94%E7%AD%96%E7%95%A5"><span class="toc-number">2.2.2.</span> <span class="toc-text">- </span></a></li></ol></li><li class="toc-item toc-level-2"><a class="toc-link" href="#%E7%BB%93%E6%9D%9F%E8%AF%AD"><span class="toc-number">2.3.</span> <span class="toc-text"></span></a></li></ol></li></ol> </div> <div id="asidepart"> <div class="closeaside"><a class="closebutton" href="#" title=""></a></div> <aside class="clearfix"> <div class="archiveslist"> <p class="asidetitle"></p> <ul class="archive-list"> <li class="archive-list-item"> <a class="archive-list-link" href="/2024/08/05/front-end-performance-task-schedule/" title="--">--...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2024/07/17/front-end-performance-r-tree/" title="--R ">--R ...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2024/06/04/front-end-performance-jank-heartbeat-monitor/" title="--">--...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2024/05/02/front-end-performance-jank-detect/" title="--">--...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2024/04/03/front-end-performance-long-task/" title=" 50 "> 50 ...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2024/03/17/front-end-performance-metric/" title="--">--...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2024/02/21/front-end-performance-about-performanceobserver/" title=" PerformanceObserver"> PerformanceObs...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2024/01/21/front-end-performance-no-response-solution/" title="--">--...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2023/12/25/learn-front-end-develop-from-interview/" title="">...</a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/2023/11/25/render-engine-element-and-event/" title="--8.">--8....</a> </li> </ul> </div> <div class="archiveslist"> <p class="asidetitle"><a href="/archives"></a></p> <ul class="archive-list"><li class="archive-list-item"><a class="archive-list-link" href="/archives/2024/08/"> 2024</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2024/07/"> 2024</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2024/06/"> 2024</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2024/05/"> 2024</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2024/04/"> 2024</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2024/03/"> 2024</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2024/02/"> 2024</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2024/01/"> 2024</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/12/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/11/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/10/"> 2023</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/09/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/08/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/07/"> 2023</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/06/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/05/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/04/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/03/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2023/01/"> 2023</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/12/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/11/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/10/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/09/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/08/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/07/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/06/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/05/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/04/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/03/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/02/"> 2022</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2022/01/"> 2022</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/12/"> 2021</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/11/"> 2021</a><span class="archive-list-count">4</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/10/"> 2021</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/09/"> 2021</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/08/"> 2021</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/07/"> 2021</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/06/"> 2021</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/05/"> 2021</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/04/"> 2021</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/03/"> 2021</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/02/"> 2021</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2021/01/"> 2021</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2020/11/"> 2020</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2020/10/"> 2020</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2020/08/"> 2020</a><span class="archive-list-count">5</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2020/07/"> 2020</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2020/06/"> 2020</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2020/04/"> 2020</a><span class="archive-list-count">4</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2020/03/"> 2020</a><span class="archive-list-count">7</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2020/02/"> 2020</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/12/"> 2019</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/11/"> 2019</a><span class="archive-list-count">4</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/10/"> 2019</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/09/"> 2019</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/08/"> 2019</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/07/"> 2019</a><span class="archive-list-count">4</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/06/"> 2019</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/05/"> 2019</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/04/"> 2019</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/03/"> 2019</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/02/"> 2019</a><span class="archive-list-count">2</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2019/01/"> 2019</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/12/"> 2018</a><span class="archive-list-count">4</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/11/"> 2018</a><span class="archive-list-count">4</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/10/"> 2018</a><span class="archive-list-count">1</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/09/"> 2018</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/08/"> 2018</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/07/"> 2018</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/06/"> 2018</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/05/"> 2018</a><span class="archive-list-count">5</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/04/"> 2018</a><span class="archive-list-count">4</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/03/"> 2018</a><span class="archive-list-count">7</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/02/"> 2018</a><span class="archive-list-count">4</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2018/01/"> 2018</a><span class="archive-list-count">9</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/12/"> 2017</a><span class="archive-list-count">5</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/11/"> 2017</a><span class="archive-list-count">3</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/10/"> 2017</a><span class="archive-list-count">5</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/09/"> 2017</a><span class="archive-list-count">6</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/08/"> 2017</a><span class="archive-list-count">11</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/07/"> 2017</a><span class="archive-list-count">9</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/06/"> 2017</a><span class="archive-list-count">10</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/05/"> 2017</a><span class="archive-list-count">15</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/04/"> 2017</a><span class="archive-list-count">7</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/03/"> 2017</a><span class="archive-list-count">10</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/02/"> 2017</a><span class="archive-list-count">41</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2017/01/"> 2017</a><span class="archive-list-count">6</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2016/12/"> 2016</a><span class="archive-list-count">7</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2016/11/"> 2016</a><span class="archive-list-count">9</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2016/10/"> 2016</a><span class="archive-list-count">5</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2016/09/"> 2016</a><span class="archive-list-count">7</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2016/08/"> 2016</a><span class="archive-list-count">9</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2016/07/"> 2016</a><span class="archive-list-count">14</span></li><li class="archive-list-item"><a class="archive-list-link" href="/archives/2016/06/"> 2016</a><span class="archive-list-count">9</span></li></ul> </div> <div class="archiveslist"> <p class="asidetitle"><a href="/categories"></a></p> <ul class="archive-list"> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/Angular/" title="Angular">Angular<sup>16</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/CSS/" title="CSS">CSS<sup>3</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/D3/" title="D3">D3<sup>8</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/angular2/" title="angular2">angular2<sup>25</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/angular/" title="angular">angular<sup>33</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/box2djs/" title="box2djs">box2djs<sup>34</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/cyclejs/" title="cyclejs">cyclejs<sup>8</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/jQuery/" title="jQuery">jQuery<sup>3</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/js/" title="js">js<sup>27</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/react/" title="react">react<sup>16</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/three-js/" title="three.js">three.js<sup>5</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/vue/" title="vue">vue<sup>30</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/webpack/" title="webpack">webpack<sup>9</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories/web/" title="web">web<sup>2</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>6</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>8</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>38</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>2</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>33</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>27</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>2</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>8</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>1</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>1</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/categories//" title=""><sup>7</sup></a> </li> </ul> </div> <div class="archiveslist"> <p class="asidetitle"></p> <ul class="archive-list"> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>50</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>6</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>16</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>1</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>22</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>24</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>80</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>2</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>121</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>9</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>2</sup></a> </li> <li class="archive-list-item"> <a class="archive-list-link" href="/tags//" title=""><sup>19</sup></a> </li> </ul> </div> <div class="archiveslist"> <p class="asidetitle"><a href="/archives">about</a></p> <ul class="archive-list"> <li class="archive-list-item"> <a>wangbeishan@163.com</a> <a target="_blank" rel="noopener" href="path_to_url">github.com/godbasin</a> </li> </ul> </div> <div class="rsspart"> <a href="/atom.xml" target="_blank" title="rss">RSS </a> </div> </aside> </div> </div> <footer><div id="footer" > <section class="info"> <p> ^_^ </p> </section> <p class="copyright">Powered by <a href="path_to_url" target="_blank" title="hexo">hexo</a> and Theme by <a href="path_to_url" target="_blank" title="Pacman">Pacman</a> 2024 <a href="path_to_url" target="_blank" title=""></a> </p> </div> </footer> <script src="/js/jquery-2.1.0.min.js"></script> <script type="text/javascript"> $(document).ready(function(){ $('.navbar').click(function(){ $('header nav').toggleClass('shownav'); }); var myWidth = 0; function getSize(){ if( typeof( window.innerWidth ) == 'number' ) { myWidth = window.innerWidth; } else if( document.documentElement && document.documentElement.clientWidth) { myWidth = document.documentElement.clientWidth; }; }; var m = $('#main'), a = $('#asidepart'), c = $('.closeaside'), o = $('.openaside'); $(window).resize(function(){ getSize(); if (myWidth >= 1024) { $('header nav').removeClass('shownav'); }else { m.removeClass('moveMain'); a.css('display', 'block').removeClass('fadeOut'); o.css('display', 'none'); $('#toc.toc-aside').css('display', 'none'); } }); c.click(function(){ a.addClass('fadeOut').css('display', 'none'); o.css('display', 'block').addClass('fadeIn'); m.addClass('moveMain'); }); o.click(function(){ o.css('display', 'none').removeClass('beforeFadeIn'); a.css('display', 'block').removeClass('fadeOut').addClass('fadeIn'); m.removeClass('moveMain'); }); $(window).scroll(function(){ o.css("top",Math.max(80,260-$(this).scrollTop())); }); }); </script> <script type="text/javascript"> $(document).ready(function(){ var ai = $('.article-content>iframe'), ae = $('.article-content>embed'), t = $('#toc'), h = $('article h2') ah = $('article h2'), ta = $('#toc.toc-aside'), o = $('.openaside'), c = $('.closeaside'); if(ai.length>0){ ai.wrap('<div class="video-container" />'); }; if(ae.length>0){ ae.wrap('<div class="video-container" />'); }; if(ah.length==0){ t.css('display','none'); }else{ c.click(function(){ ta.css('display', 'block').addClass('fadeIn'); }); o.click(function(){ ta.css('display', 'none'); }); $(window).scroll(function(){ ta.css("top",Math.max(140,320-$(this).scrollTop())); }); }; }); </script> </body> </html> ```