identifier
stringlengths
7
768
collection
stringclasses
3 values
open_type
stringclasses
1 value
license
stringclasses
2 values
date
float64
2.01k
2.02k
title
stringlengths
1
250
creator
stringlengths
0
19.5k
language
stringclasses
357 values
language_type
stringclasses
3 values
word_count
int64
0
69k
token_count
int64
2
438k
text
stringlengths
1
388k
__index_level_0__
int64
0
57.4k
https://tt.wikipedia.org/wiki/NGC%206314
Wikipedia
Open Web
CC-By-SA
2,023
NGC 6314
https://tt.wikipedia.org/w/index.php?title=NGC 6314&action=history
Tatar
Spoken
45
197
NGC 6314 — Томанлыклар һәм йолдыз тупланмалары яңа гомуми каталогында теркәлгән галактика. Тарихы Әлеге галактика елда тарафыннан, яктылык җыючы элемент буларак көзге кулланучы, зурлыктагы оптик телескоп ярдәмендә ачылган. Чыганаклар VizieR NASA/IPAC Extragalactic Database Искәрмәләр Шулай ук карагыз Яңа гомуми каталог Мессье җисемнәр исемлеге 6314 6314
31,529
https://de.wikipedia.org/wiki/Steve%20Boeddeker
Wikipedia
Open Web
CC-By-SA
2,023
Steve Boeddeker
https://de.wikipedia.org/w/index.php?title=Steve Boeddeker&action=history
German
Spoken
404
779
Steven J. Boeddeker (geboren 1966 oder 1967) ist ein US-amerikanischer Toningenieur. Steve Boeddeker begann seine Karriere 1995 als Assistent von Kim B. Christensen, Ren Klyce und Jennifer L. Ware beim Tonschnitt von Sieben. Schon 1996 betreute er in verantwortlicher Position den Tonschnitt in Filmen wie The Frighteners, Contact oder Armageddon – Das jüngste Gericht und war Assistent beim Sound Design von Filmen wie Mars Attacks!. Der Pferdeflüsterer betreute er 1998 erstmals als Sound Designer. Seit 2000 war er mehrfach für Preise der Motion Picture Sound Editors nominiert, ohne ihn je gewinnen zu können: 2000 für Fight Club, 2001 für X-Men, 2002 für Lara Croft: Tomb Raider, 2006 für Corpse Bride – Hochzeit mit einer Leiche sowie Charlie und die Schokoladenfabrik, 2010 für Coraline, 2011 für Tron: Legacy, 2013 für ParaNorman, Marvel’s The Avengers und Hemingway & Gellhorn und 2014 für All Is Lost. Für All is Lost war Boeddeker 2014 auch für den Oscar, den BAFTA-Award und den Satellite Award nominiert, unterlag aber jeweils dem Ton-Team von Gravity. Seinen einzigen Sieg bei einem Wettbewerb erreichte Boeddeker bei den Primetime Emmy Awards 2012, als er für Hemingway & Gellhorn ausgezeichnet wurde. Mittlerweile hat Boeddeker an mehr als 80 Filmen und Fernsehproduktionen mitgewirkt, darunter auch einige Male als Musiker und Komponist. Filmografie (Auswahl) 1995: Sieben 1996: The Frighteners 1996: Mars Attacks! 1997: Mimic – Angriff der Killerinsekten 1997: Contact 1998: Der Pferdeflüsterer 1998: Armageddon – Das jüngste Gericht 1998: Halloween H20 - 20 Jahre später 1998: Studio 54 1998: The Faculty 1999: Der 13te Krieger 1999: Lake Placid – Der Schrecken aus der Tiefe 1999: Fight Club 2000: Frequency 2000: X-Men 2001: Lara Croft: Tomb Raider 2001: From Hell 2003: Daredevil 2003: Lara Croft: Tomb Raider – Die Wiege des Lebens 2004: Hellboy 2004: The Village – Das Dorf 2005: Charlie und die Schokoladenfabrik 2005: Corpse Bride – Hochzeit mit einer Leiche 2006: Das Mädchen aus dem Wasser 2007: Drachenläufer 2007: Sweeney Todd – Der teuflische Barbier aus der Fleet Street 2009: Coraline 2010: Alice im Wunderland 2010: Tron: Legacy 2011–2013: Star Wars: The Clone Wars 2012: Beasts of the Southern Wild 2012: Marvel’s The Avengers 2012: Hemingway & Gellhorn 2012: ParaNorman 2012: Lincoln 2013: Die Unfassbaren – Now You See Me 2013: All Is Lost 2014: Marvel One-Shot: Der Mandarin 2015: Chappie 2015: Pixels 2015: Bridge of Spies – Der Unterhändler 2015: Creed – Rocky’s Legacy Weblinks Einzelnachweise Tontechniker US-Amerikaner Geboren im 20. Jahrhundert Mann
37,677
https://stackoverflow.com/questions/19161178
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
Mugiwara, https://stackoverflow.com/users/2832222
English
Spoken
292
522
How can I paginate a Perl array? I don't know if the question is clear or not, anyway, I am reading some data from my google drive spreadsheet using Net::Google::Spreadsheet, and i fetch all the rows in an array as follow my @rows = $worksheet->rows, however, I want to ... let say divide @rows between other arrays, for example @rows has 200 elements, i want to give the first 50 to @array1 and the next 50 to @array2 and so on without using a counter (counter++; if (counter > 50) ...). Or let say i just want to get the elements between 70 and 110 for example. You could use something like this: my @array1 = @rows[0 .. 49]; my @array2 = @rows[50 .. 99]; This is referred to as data slicing. Refer to this documentation for more details. @Leonardo Herrera, I had to wait 10minutes ^^ The plain array slice answer is great. I just want to increase visibility of another (class/style of) solution, specifically Data::Page. It has been said before that this code is "too simple" for CPAN, but I must disagree. It can seem like overkill but it makes the stuff clean, predictable, and repeatable. When code starts to grow past the one-off stage, it can help quite a lot. use strictures; use Data::Page; my @stuff = ( "a" .. "z" ); my $pager = Data::Page->new; $pager->total_entries(scalar@stuff); $pager->entries_per_page(6); # Arbitrary for demo, pick your own page size. for my $p ( $pager->first_page .. $pager->last_page ) { $pager->current_page($p); for my $entry ( $pager->splice(\@stuff) ) { print $entry, " is on page ", $pager->current_page, $/; } } __END__ a is on page 1 --snip-- z is on page 5 GREAT, Thanks @Ashley ^^, you gave me an idea for another thing.
31,071
https://it.wikipedia.org/wiki/Gry%20Bay
Wikipedia
Open Web
CC-By-SA
2,023
Gry Bay
https://it.wikipedia.org/w/index.php?title=Gry Bay&action=history
Italian
Spoken
73
145
Tra i film più noti in cui ha recitato ricordiamo All About Anna (2005). Filmografia parziale Dr. Monika Lindt - Kinderärztin, Geliebte, Mutte - serie TV, 1 episodio (1996) Hosenflattern, regia di Erich Neureuther - film TV (1998) Slim Slam Slum, regia di Jorge e Marcelino Ballarin (2002) Last Exit, regia di David Noel Bourke (2003) All About Anna, regia di Jessica Nilsson (2005) Grønne hjerter, regia di Preben Lorentzen (2006) Collegamenti esterni
45,017
https://serverfault.com/questions/1065134
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
A.B, Ron Trunk, https://serverfault.com/users/205181, https://serverfault.com/users/217515
English
Spoken
191
258
Load Balancing - Dual WAN and Static IP I run a small business and we use a lot of AWS services (including transcoding large files) we have two internet services in the office. A) Is a business broadband service with static IP, B) Is another service without the potential of static IP. I would like to balance these connections in our network to take advantage of both connections however for security many of our connections rely on the static IP for login and security, also we're looking to create a VPN in the future. I have examined basic WAN balancing routers, what I can't understand is that can I 'force' the static IP from service A to be always used? Your question isn't clear. You say you want to "balance" your connections (whatever that means), but then you say you want A always to be used. Which is it? @RonTrunk I understand OP's wish as: OP has Multihoming with multiple addresses available but wishes to use it as Classical multihoming without AS, owning addresses, using a routing protocol, or a special routing contract with the two ISPs. Looks impossible to me.
36,606
https://en.wikipedia.org/wiki/Texas%20A%26M%20Wind%20Symphony
Wikipedia
Open Web
CC-By-SA
2,023
Texas A&M Wind Symphony
https://en.wikipedia.org/w/index.php?title=Texas A&M Wind Symphony&action=history
English
Spoken
296
429
The Texas A&M Wind Symphony is a 63-member ensemble, representing "the finest wind and percussion players on the TAMU campus". The conductor of the Wind Symphony is Dr. Timothy Rhea and his assistant is Lt. Travis Almany. The band rehearses in the E.V. Adams Band Hall. Timothy Rhea's tenure Timothy Rhea was named conductor of the Texas A&M Wind Symphony in 1995 and Director of Bands of Texas A&M University June 1, 2002. Rhea has conducted the Wind Symphony at the Texas Music Educators Association, the College Band Directors National Association, and the American Bandmasters Association conventions. Upon several occasions, he has toured with the band throughout the state of Texas, including performances at the Meyerson Symphony Center in Dallas, the Wortham Center in Houston, as well as San Antonio and Austin. Under his direction, the Wind Symphony has released a six volume march series, entitled "Legacy of the March"; a four volume band music album, "Wind Band Masterworks"; and, occasionally, live concert recordings. Recordings The band records regularly each academic year and its series of compact discs recordings are with Mark Custom Recording of New York City. Due to the popularity of the band's ability to perform marches, for every compact disc consisting of traditional and modern music, another is dedicated solely to marches. As of February 2008, the Texas A&M Wind Symphony has released four volumes of their Wind Band Masterworks collection and six volumes of their Legacy of the March series. Additionally, upon occasion, the band releases recordings of live performances, depending on the venue. See also Fightin' Texas Aggie Band Texas A&M Singing Cadets Texas A&M University Century Singers Sources Wind Symphony Wind bands Contemporary classical music ensembles Texas classical music Concert bands American instrumental musical groups Musical groups established in 1989
6,524
https://stackoverflow.com/questions/6789077
StackExchange
Open Web
CC-By-SA
2,011
Stack Exchange
Ajay_Kumar, Deepak Danduprolu, Fashion Advisory, Lokesh S, Matin Vafadoost, Pradeep Hanchinamani, Praveen S, https://stackoverflow.com/users/14848319, https://stackoverflow.com/users/14848320, https://stackoverflow.com/users/14848321, https://stackoverflow.com/users/14848461, https://stackoverflow.com/users/14849094, https://stackoverflow.com/users/14849126, https://stackoverflow.com/users/250728, https://stackoverflow.com/users/372026, https://stackoverflow.com/users/500625, https://stackoverflow.com/users/518537, iOS, p2jklbk152, user14848319
English
Spoken
515
911
UIImage.hidden is not working in iphone app I have added a image in nib file and I kept it as hidden. I am running if statement and when condition is being true I am loading my next screen or nib file. My condition is being true and first time image is appearing and next screen is also loading well. Again I am being back with navbar to the same screen. My program is again running and condition is being true but image is not appearing there. Here is the code of loading nib file Fave *bController = [[Fave alloc] initWithNibName:@"Fave" bundle:nil]; [self.navigationController pushViewController:bController animated:YES]; [bController release]; And here is my condition of image if([tempPostTime doubleValue] > [prevFacebookMessageList doubleValue]) { NSLog(@" curr time %f prev time %f", [tempPostTime doubleValue],[prevFacebookMessageList doubleValue]); updateImage.hidden=NO; } The above IF statement is running fine for first time and in second time is is also executing well but Image is not appearing on interface. Please help me. Thanks in advance You need to call that method when you return from the second screen to first and ensure the condition is met. But IF statement is running well only image is not coming on interface. I agree with @Deepak, you may not have connected the outlet. I have connected with outlet and it is running well when I am first time on screen. IF condition is true Image is appearing.But problem is happening when I am coming from second screen to first screen.My second screen has tableview with navigation and I am being back from navigation. Where do you use the 'if' condition? In 'viewWillAppear'? Are you resetting the outlet somewhere? Try NSLog(@"%@", updateImage); within the if block. @Developer If statement is in my custom function. That function is being called in time interval of 1 minute. in each 1 minute it is cheking for update and then Image will be appear if update occurs. @"Deepak" I did I am getting follwoing on my screen <UIImageView: 0x4e45710; frame = (8 1; 22 20); autoresize = RM+BM; userInteractionEnabled = NO; layer = <CALayer: 0x4e3b310>> FIRST TIME it is printing this on console <UIImageView: 0x4e76560; frame = (8 1; 22 20); hidden = YES; autoresize = RM+BM; userInteractionEnabled = NO; layer = <CALayer: 0x4e76910>> Assuming that your image is correctly configured in interface builder, // Either show of hide the image if([tempPostTime doubleValue] > [prevFacebookMessageList doubleValue]) { NSLog(@" curr time %f prev time %f", [tempPostTime doubleValue],[prevFacebookMessageList doubleValue]); updateImage.hidden=NO; } else { updateImage.hidden = YES; } If your first time through the if statement hides the image, it will remain hidden! The logs in the comments clearly indicate two different instances of UIImageView. You probably are reassigning updateImage sometime when you come back. You are losing the reference to the image view on screen so you are not updating it. Check your code for reassignments of updateImage. I removed and I wrote this code in my IF statement UIImageView* brickAnim = [[[UIImageView alloc] initWithImage:[UIImage imageNamed:@"Update_icon.gif"]]autorelease]; brickAnim.frame =CGRectMake(291, 50, 22, 20); But same problem is occuring. [self.view addSubview:brickAnim]; @Ajay_Kumar Can you explain the use case a bit?
28,920
https://ja.wikipedia.org/wiki/%E5%B7%9D%E5%80%89%E3%81%91%E3%81%84%E3%81%9E%E3%81%86
Wikipedia
Open Web
CC-By-SA
2,023
川倉けいぞう
https://ja.wikipedia.org/w/index.php?title=川倉けいぞう&action=history
Japanese
Spoken
127
1,208
川倉 けいぞう(かわくら けいぞう、1964年5月29日 - )は、日本の俳優。神奈川県出身。身長169cm。体重66kg。ジュピタープロモーション、プロダクション・タンクに所属していた。旧芸名は川倉 慶三。 出演作品 テレビドラマ ザ・ハングマン4 第14話「疑惑の新妻殺人犯に自白させる!」(1984年) なにさまっ! 第11話(最終回)「言えなかったことば」(1998年) サイコメトラーEIJI2 第9話「Last Revolution(前編)」(1999年) はぐれ刑事純情派 第13シリーズ 第12話「学級崩壊殺人!? 里見刑事の息子が犯人?」(2000年) 怖い日曜日〜2000〜 第1話(2000年) 花村大介 第2話「ウソの写真 手錠の謎」(2000年) お前の諭吉が泣いている(2001年) ルーキー! 第11話「超最悪!! 凶弾に倒れる刑事」(2001年) 傷だらけのラブソング 第5話「幻の路上ライブ」(2001年) 仮面ライダー龍騎 第43話「英雄は戦う」(2002年) - 車の持ち主 役 ホーム&アウェイ 第11話「旅の終わりは永遠の別れ」(2002年) ウルトラマンネクサス(2004年 - 2005年) - 防護服の男 役 第1話「夜襲 - ナイトレイド-」(2004年) 第21話「受難 - サクリファイス -」(2005年) 第22話「安息 - キュア -」(2005年) ロケットボーイズ 第10話(2006年) カクレカラクリ(2006年) きらきら研修医 第9話「内科 でないか?②」(2007年) 浅草ふくまる旅館 第2シリーズ 第1話「大吉親子の秘密」(2007年) オトコの子育て 第2話「運動会ビリでもいいですか?」(2007年) 薔薇のない花屋 第2話「花のように笑う人」(2008年) メン☆ドル 〜イケメンアイドル〜(2008年) - 牛島貴明 役 ※準レギュラー FACE MAKER 第2話「誘拐」(2010年) Q10 第1話「この地球上に自分より大切に思える人なんているんだろうか?」(2010年) 孤独のグルメ Season3 第10話「荒川区西尾久の炎の酒鍋と麦とろ飯」(2013年) - 店主 役 その他 アウトドアの楽しみ方 生きるチカラ 育児としつけについて考える 命ふたたび こころの遺伝子 〜あなたがいたから〜 その時歴史が動いた なみだ記念日 映画 猟色SM緊縛(1985年) 失楽園(1997年) 誘拐(1997年) 洗濯機は俺にまかせろ(1999年) mute ミュート(2001年) CUT(2011年) 舞台 つる CM NTTドコモ 大同生命保険 洋服の青山 プロモーションビデオ 公正取引委員会 交通安全 国税庁 災害原因調査 地方公務員 東京都生涯スポーツクラブ ミレア・モンディアル みんなで考える防災安全の知恵! 吹き替え クローザー ザ・ホワイトハウス 脚注 外部リンク プロダクション・タンクによる公式プロフィール(2013年8月16日時点のアーカイブ) 日本の男優 過去のプロダクション・タンク所属者 神奈川県出身の人物 1964年生 存命人物
6,449
https://stackoverflow.com/questions/35993008
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
English
Spoken
138
500
How to apply image mask to get everything but the region of interest? Hi Currently have some code that pulls the region of interest using a mask. I would like to do the opposite eliminate the ROI and just use the background. This is the current code I have. Can anyone help should be fairly trivial but I don't know openCV that well. cv::Mat detectLanes::createTrapezoidROIInverse(cv::Mat TargetImg , vector<Vec2f> laneEndPoints) { // float height = TargetImg.rows; // float width = TargetImg.cols; // account for 5% error cout<<"laneEP"<<laneEndPoints[0][0]<<endl; Point LLBI(laneEndPoints[0][0]*1.05,laneEndPoints[0][1]); Point LLTI(laneEndPoints[1][0]*1.05,laneEndPoints[1][1]); Point RLBI(laneEndPoints[2][0]*0.95,laneEndPoints[2][1]); Point RLTI(laneEndPoints[3][0]*0.95,laneEndPoints[3][1]); //create Mask to Pull out ROI Mat mask = cv::Mat::zeros(TargetImg.size(),CV_8UC1); vector< vector<Point> > co_ordinates; co_ordinates.push_back(vector<Point>()); co_ordinates[0].push_back(LLBI); co_ordinates[0].push_back(LLTI); co_ordinates[0].push_back(RLTI); co_ordinates[0].push_back(RLBI); drawContours( mask,co_ordinates,0, Scalar(255),CV_FILLED, 8 ); // mask(Rect(0.1*width,0.3*height,0.55*width,0.5*height)) = 255; TargetImg &= mask; return TargetImg; } Ah no worries simple as using: TargetImg -= mask; instead.
22,857
https://zh.wikipedia.org/wiki/%E5%A2%A8%E6%B0%B4%E8%A1%80
Wikipedia
Open Web
CC-By-SA
2,023
墨水血
https://zh.wikipedia.org/w/index.php?title=墨水血&action=history
Chinese
Spoken
10
475
《墨水血》(,)是2005年德國奇幻小說,為《墨水心》的續集,柯奈莉亞·馮克所著系列小說《》的第二部曲。 情節概要 在《墨水心》故事的一年後,美琪·弗夏特與父親、母親蕾莎還有愛麗諾與大流士住在一起,過著平靜的日子。髒手指則找到另一名魔法舌頭奧菲流士,因此回到了家鄉墨水世界。法立德來找美琪,兩人也一同進入墨水世界探險。他們離開不久後,巴斯塔、摩托娜和奧菲流士等人闖入愛麗諾家,摩托娜打算為兒子山羊的死報仇,在她的命令下,奧菲流士將巴斯塔、摩托娜和莫、蕾莎都唸進墨水世界中,一場全新的冒險就此展開…… 改編 《墨水血》與《墨水世界三部曲》的其他兩本書一樣都售出了改編權,其前作《墨水心》已在2008年被改編為電影,當時《墨水血》與《》的電影劇本也已完成,但因《墨水心》電影票房不佳,因此並未繼續製作續集《墨水血》。 參考資料 墨水世界三部曲 2005年长篇小说 德语小说 續作小說
26,164
https://ku.wikipedia.org/wiki/V%C3%AEr%C3%BBs
Wikipedia
Open Web
CC-By-SA
2,023
Vîrûs
https://ku.wikipedia.org/w/index.php?title=Vîrûs&action=history
Kurdish
Spoken
50
163
Vîrûs an jî vayros hokarekê hewdanê ye ko bi tenê dikare di nav xaneyên endamwerên zindî yên dî da zaûzêyê bike. Vîrûs dikarin hemî coreyên jiyanê, ji mirovan heta giyayan û bakteriyan tûş bikin. Vîrûsnasî, anko zanistê lêkolînên li ser vîrûsan, parek ji zanistê hûrjînewernasiyê anko mîkrobiyolojiyê ye. Çavkanî Wîkîferheng
1,056
https://ceb.wikipedia.org/wiki/Tu%20%28awtor%29
Wikipedia
Open Web
CC-By-SA
2,023
Tu (awtor)
https://ceb.wikipedia.org/w/index.php?title=Tu (awtor)&action=history
Cebuano
Spoken
21
46
Si Tu nga ang hamubong pangalan niini nag tudlo kang: Heisuo Tu Li-hong Tu Yu Lin Tu Yong-Qin Tu Mga awtor
963
https://fr.wikipedia.org/wiki/Saint%20L%C3%A9on
Wikipedia
Open Web
CC-By-SA
2,023
Saint Léon
https://fr.wikipedia.org/w/index.php?title=Saint Léon&action=history
French
Spoken
140
237
Saint Léon désigne plusieurs saints chrétiens : Léon de Patare (), martyr en Lycie avec Parégoire ; fêté le 18 février ; Léon I le Grand († vers 461), pape ; fêté le 10 novembre ; Léon de Sens († vers 538 ou 541), évêque de Sens vers 533-538 ou 541 ; Léon de Catane († 787), évêque de Catane, thaumaturge ; fêté le 20 février ; Léon de Carentan (° vers 856 - † vers 890), ou Léon de Bayonne, évêque de Rouen puis évêque de Bayonne où il fut assassiné, évangélisateur du Pays basque ; Léon IX, pape de 1049 à 1054 ; Leo Tanaka († 1617), avec Ferdinando de Ayala et Alfonso Navarrete, bienheureux, missionnaires espagnols, martyrs décapités à Omura au Japon ; fêtés le . Calendrier : . Divers Saint Léon, roman de William Godwin. Références
50,296
https://sr.wikipedia.org/wiki/Josip%20Kozarac
Wikipedia
Open Web
CC-By-SA
2,023
Josip Kozarac
https://sr.wikipedia.org/w/index.php?title=Josip Kozarac&action=history
Serbian
Spoken
539
1,262
Josip Kozarac (18. marta 1858. u Vinkovcima — 21. avgusta 1906. u Koprivnici) je bio hrvatski prozaista - novelista, romanopisac, pesnik, pisac pripovedki i polemičar, diplomirani inženjer šumarstva, jedan od najpoznatijih hrvatskih šumara. Biografija Bio je jedan od važnijih hrvatskih prozaista, novelista, polemičara, pesnika, ujedno i diplomirani inženjer šumarstva i najpoznatiji hrvatski šumar. Osnovnu školu učio je u Vinkovcima. Gimnaziju koju je pohađao završio je sa puno muke, ali se sve promenilo kada je upisao fakultet šumarstva u Beču. Diplomirao je 1879 godine na Visokoj školi za kulturu tla kao najbolji student na svojoj godini. Pre fakulteta živeo je dosta slobodan i neobuzdan život. Puno vremena je provodio u prirodi, jednostavno posmatrajući život koji se odvijao oko njega. Svoje je spisateljske sposobnosti razvio pišući poezije, a kasnije je svoj talenat pronašao u pisanju proze (pripovetke i romani). Nakon očeve smrti, Kozarac je ostao da živi sa svojom majkom. Kao jedan od boljih šumarskih stručnjaka radio je na mnogim mestima: Vinkovci, Vrbanja, Nijemci, Županja, Nova Gradiška, Lipovljani i mnogim drugim. Od 1896 do 1898. godine bio je jedan od urednika, tada poznatog «Šumarskog lista». Pisao je brojne članke, ali su svi bili vezani za njegov posao. Dok je bio u svojoj struci, najvažnije što je uradio bilo je službovanje u Lipovljanima od 1885 do 1895 godine, tada je posekao i pomladio na hiljade hektara šuma hrasta lužnjaka koje danas, njemu u pomen nose upravo njegovo ime. Bio je poznat i po raspravama vezanih za šume, koje su bile poznate čak i mnogim stručnjacima iz Zapadne Evrope i Rusije. Nakon što je ispunio sva očekivanja u svom poslu i time doprineo razvoju hrvatskog šumarstva, Kozarac se povukao i više posvetio razvijanju svojih drugih talenata i spisateljskom životu što je pokazao i mnogim svojim delima koja su i danas rado čitana. Umro je 21. avgusta 1906. u Koprivnici. Književna dela Smatran je piscem jako oštrih zapažanja i jednostavnih, ali, često i prodornih, dubokoumnih misli. Nastavio je Reljkovićevim putem, a zbog njegovih doprinosa postoje mnoge tačne informacije o životu seljaka u to vreme. Kozarac je pisao realna i racionalna dela koja su se u većini slučajeva bazirala na stvarnim dešavanjima i opisivala slavonsku sredinu i kvalitete tog života. Često je prema sebi bio samokritičan, i za njega su najviše govorili da je pesnik prirode jer je od svih bio najviše vezan za nju. To se najviše zameećivalo kroz detaljne opise pejzaža u njegovim delima, gde ju je opisivao onako kako ju je doživljavao kao šumar i kao dete kada je većinu svoga vremena provodio u prirodi. Osim pejzaža, u brojnim delima opisuje i probleme koji muče seosko stanovništvo i njihove poglede na život i okolinu. Po tome je Kozarac ostao upamćen kao jedan od najiskrenijih hrvatskih pisaca jer je stvarnost prikazivao onakvu kakva ona zaista jest te je zbog toga iznosio sve probleme i predlagao njihova rješenja. Uređivao je Šumarski list (1896–98).U časopisu je objavljivao svoje stručne radove. Najvažnija izdana dela «Zmija» «Priče djeda Nike» «Moj djed» «Biser-Kata» «Slavonska šuma», Vijenac, Zagreb, 1888 «Mrtvi kapitali», Vijenac, Zagreb, 1889 «Među svjetlom i tminom», Matica hrvatska, Zagreb, 1891 «Tena», Dom i svijet, Zagreb, 1894 «Mira Kodolićeva», Prosvjeta, Zagreb, 1895 «Oprava», Prosvjeta, Zagreb, 1899 Reference Spoljašnje veze Рођени 1858. Умрли 1906. Vinkovčani Hrvatski književnici Шумарски стручњаци
29,990
https://av.wikipedia.org/wiki/%D0%90%D0%B7%D0%B0%D0%B4%D1%83%D0%B3%D1%8A%D0%BB%D0%B8
Wikipedia
Open Web
CC-By-SA
2,023
Азадугъли
https://av.wikipedia.org/w/index.php?title=Азадугъли&action=history
Avaric
Spoken
41
196
МухӀарамхур (, ) — ккола Россиялъул Дагъистан жумгьурияталъул МухӀарамхур мухъалъул росу. Ракьхъвай Мухъалъул марказ МухӀарамхуралдасан 25 км шималгун-бакъбаккудехун ва Самуралъул ГьитӀинаб гӀаркьелалъул квегӀаб рахъалда. ХІужаби Линкал Официальный сайт Муниципального района «Магарамкентский район» РД Официальный сайт села Азадоглы azadogli.ru МухӀарамхур мухъалъул росаби
2,357
https://sv.wikipedia.org/wiki/Anonyma%20%C3%B6ver%C3%A4tare
Wikipedia
Open Web
CC-By-SA
2,023
Anonyma överätare
https://sv.wikipedia.org/w/index.php?title=Anonyma överätare&action=history
Swedish
Spoken
626
1,274
Anonyma överätare (engelska: Overeaters Anonymous - OA), är en politiskt och religiöst obunden ideell gemenskap eller förening för män och kvinnor med tvångsmässigt överätande. Anonyma överätare är oavhängigt medlemsavgifter eller offentlig eller privat organisation. Gemenskapen anger sitt mål till att hjälpa varandra till tillfrisknande. Historik Anonyma överätare grundades under namnet Overeaters Anonymous den 19 januari 1960 i Los Angeles, USA. Det var tre medlemmar närvarande då, inklusive Rozanne S. - initiativtagaren och grundaren av OA. Anonyma överätare fick hjälp av grundaren av amerikanska Anonyma Spelare för att komma igång. Anonyma överätare finns idag över hela världen, och kom till Sverige 1988. De tolv stegen Anonyma överätare har ett tolvstegsprogram för tvångsmässiga över- och underätare. Det är format efter Anonyma Alkoholister, och använder dess tolv steg och tolv traditioner, men har bytt ut orden alkohol och alkoholist till mat och tvångsmässig överätare. Medlemmarna i Anonyma överätare definierar sitt tillfrisknande genom att tala om abstinens: handlingen att avstå från att äta tvångsmässigt. Vi erkände att vi var maktlösa inför maten, att vi inte längre kunde hantera våra liv. Vi kom till tro på att en kraft större än vår egen kunde återge oss vårt förstånd. Vi beslöt att lägga vår vilja och våra liv i Guds händer, sådan vi uppfattade honom. Vi gjorde en grundlig och oförskräckt moralisk inventering. Vi erkände inför Gud, oss själva och en medmänniska våra fels sanna natur. Vi var helt och hållet beredda att låta Gud avlägsna alla dessa karaktärsfel. Vi bad honom ödmjukt att avlägsna våra brister. Vi gjorde upp en lista över alla de personer som vi hade skadat och blev villiga att gottgöra dem alla. Vi gottgjorde personligen dessa människor så långt det var oss möjligt utom då det skulle skada dem eller andra. Vi fortsatte med vår personliga inventering och när vi hade fel erkände vi det genast. Vi sökte genom bön och meditation att fördjupa vår medvetna kontakt med Gud, sådan vi uppfattade honom, varvid vi endast bad om insikt om hans vilja med oss och styrka att utföra den. När vi, som en följd av dessa steg, hade haft ett andligt uppvaknande, försökte vi föra detta budskap vidare till andra tvångsmässiga överätare och tillämpa dessa principer i alla våra angelägenheter. De tolv traditionerna Vår gemensamma välfärd bör komma i första hand, personligt tillfrisknande beror på sammanhållningen inom OA. För vår grupp finns bara en yttersta auktoritet - en kärleksfull Gud, såsom han kan ta sig uttryck i vårt gruppsamvete. Våra ledare är blott betrodda tjänare, de styr inte. Det enda villkoret för medlemskap i OA är en önskan att sluta äta tvångsmässigt. Varje grupp bör vara självstyrande, utom i angelägenheter som berör andra grupper eller OA som helhet. Varje grupp har endast ett huvudsyfte, att föra budskapet vidare till den tvångsmässiga överätare, som fortfarande lider. En OA-grupp bör aldrig stödja, finansiera eller låna sitt namn till närbesläktade sammanslutningar eller utomstående företag, så att inte problem med pengar, egendom och prestige avleder oss från vårt huvudsakliga syfte. Varje OA-grupp bör vara helt självförsörjande och avböja ekonomiskt stöd utifrån. Anonyma överätare bör alltid förbli icke-professionellt, men våra servicecentra kan anställa personal för speciella uppgifter. OA som sådant bör aldrig organiseras, men vi kan tillsätta styrelser och kommittéer för service som är direkt ansvariga inför dem de tjänar. Anonyma överätare tar aldrig ställning i yttre angelägenheter. Alltså bör OA:s namn aldrig dras in i offentliga tvister. Vår policy för kontakt med allmänheten grundar sig på dragningskraft snarare än på marknadsföring. Vi bör alltid bevara den personliga anonymiteten i förhållande till press, radio, film, TV och andra offentliga medier. Anonymiteten är den andliga grundvalen för alla dessa traditioner och påminner oss ständigt om att sätta princip före person. Externa länkar OA OA Sverige Se även Anonyma Matmissbrukare Anonyma Alkoholister Tolvstegsprogram Ätstörningar
20,129
https://zh.wikipedia.org/wiki/%E6%88%91%E7%9A%84%E5%9B%BD%E5%AE%B6%20%28%E6%B5%8F%E8%A7%88%E5%99%A8%29
Wikipedia
Open Web
CC-By-SA
2,023
我的国家 (浏览器)
https://zh.wikipedia.org/w/index.php?title=我的国家 (浏览器)&action=history
Chinese
Spoken
7
419
我的国家(、)是由朝鲜计算机研究中心为光明网而开发的朝鲜内联网网页浏览器。它是基于火狐3.5版本开发的,与朝鲜开发的基于Linux的操作系统红星操作系统一同发布。 特性 我的国家浏览器是由朝鲜计算机研究中心为光明网而开发的朝鲜内联网网页浏览器,被认为是在火狐3.5版本上进行修改的一个网页浏览器。该浏览器是唯一一个与红星操作系统一同发布的软件。朝鲜计算机研究中心在其官网上称该浏览器正寻求基于Linux开发的软件来使用。通过我的国家浏览器,可进入光明网内的1000至5500个网站。 当任何一位用户打开我的国家浏览器时,该浏览器将自动尝试联络http://10.76.1.11/的IP地址。虽然该浏览器是专为光明网设计的浏览器,但其默认的搜索引擎为韩语版的Google搜索。 参考来源 网页浏览器 朝鲜民主主义人民共和国互联网
30,702
https://sv.wikipedia.org/wiki/Diospyros%20cordato-oblonga
Wikipedia
Open Web
CC-By-SA
2,023
Diospyros cordato-oblonga
https://sv.wikipedia.org/w/index.php?title=Diospyros cordato-oblonga&action=history
Swedish
Spoken
34
78
Diospyros cordato-oblonga är en tvåhjärtbladig växtart som beskrevs av André Joseph Guillaume Henri Kostermans. Diospyros cordato-oblonga ingår i släktet Diospyros och familjen Ebenaceae. Inga underarter finns listade i Catalogue of Life. Källor Ljungordningen cordato-oblonga
44,149
https://it.wikipedia.org/wiki/Partners%20%28film%201912%20Campbell%29
Wikipedia
Open Web
CC-By-SA
2,023
Partners (film 1912 Campbell)
https://it.wikipedia.org/w/index.php?title=Partners (film 1912 Campbell)&action=history
Italian
Spoken
80
165
Partners è un cortometraggio muto del 1912 diretto da Colin Campbell. Prodotto dalla Selig, aveva come interpreti Tom Santschi, Herbert Rawlinson, Wheeler Oakman, Eugenie Besserer. Trama Produzione Il film fu prodotto dalla Selig Polyscope Company. Distribuzione Distribuito dalla General Film Company, il film - un cortometraggio di una bobina - uscì nelle sale cinematografiche statunitensi il 25 settembre 1912. In Danimarca, fu ribattezzato con il titolo En Usling. Voci correlate Filmografia della Selig Polyscope Altri progetti Collegamenti esterni Cortometraggi drammatici
47,700
https://hu.wikipedia.org/wiki/Bulg%C3%A1ria%20a%202008.%20%C3%A9vi%20ny%C3%A1ri%20olimpiai%20j%C3%A1t%C3%A9kokon
Wikipedia
Open Web
CC-By-SA
2,023
Bulgária a 2008. évi nyári olimpiai játékokon
https://hu.wikipedia.org/w/index.php?title=Bulgária a 2008. évi nyári olimpiai játékokon&action=history
Hungarian
Spoken
175
624
Bulgária a kínai Pekingben megrendezett 2008. évi nyári olimpiai játékok egyik részt vevő nemzete volt. Az országot az olimpián 15 sportágban 70 sportoló képviselte, akik összesen 5 érmet szereztek. Érmesek Atlétika Férfi Női * - egy másik versenyzővel azonos időt ért el ** - két másik versenyzővel azonos időt/eredményt ért el Birkózás Férfi Kötöttfogású Szabadfogású Női Szabadfogású Evezés Férfi Női Íjászat Férfi * - két másik versenyzővel azonos eredményt ért el Kajak-kenu Síkvízi Férfi {|class="wikitable" style="font-size:90%; text-align:center;" |- !rowspan="2"|Versenyző !rowspan="2"|Versenyszám !colspan="3"|Előfutam !colspan="3"|Elődöntő !colspan="2"|Döntő |- !Idő !Hely. !Össz. !Idő !Hely. !Össz. !Idő !Helyezés |- |align=left rowspan="2"| Dejan GeorgievAdnan Aliev || Kenu kettes 500 m || 1:43,428 || 5. || 10. || 1:42,891 || 2. || 2. || 1:43,971 || 7. |- | Kenu kettes 1000 m || 3:54,111 || 6. || 12. || 3:45,019 || 4. || 4. ||colspan="2" bgcolor="HoneyDew"| kiesett |} Kerékpározás Országúti kerékpározás Férfi Ökölvívás Röplabda Férfi Kor: 2008. augusztus 10-i kora Eredmények Csoportkör A csoport Negyeddöntő Sportlövészet FérfiNői Tenisz Női Tollaslabda Torna FérfiNői Ritmikus gimnasztika Úszás FérfiNői Vitorlázás Női''' Jegyzetek Források N2008 Bulgaria
30,284
https://tex.stackexchange.com/questions/248868
StackExchange
Open Web
CC-By-SA
2,015
Stack Exchange
David Carlisle, Giacomo Alessandroni, https://tex.stackexchange.com/users/1090, https://tex.stackexchange.com/users/69174, https://tex.stackexchange.com/users/963, yannisl
English
Spoken
244
626
How declare numeric constants with space without ~ I have written a document with some data that I must update at last minute. So I have created some newcommand: %-------------------------------- % Insert data here \newcommand{\srskm}{12,253~} \newcommand{\srspercent}{1.53\%~} \newcommand{\srssamples}{2,777,059~} \newcommand{\srssamplesml}{2.8~} \newcommand{\srsacc}{833~} It is all right, but if I omit the tilde, the number will be insert without spacing. Question: There is a way to declare this data and obtain a spacing when after there is a word, and no spacing when after there is a punctuation? add \xspace where you have ~ from the eponymous package. @YiannisLazarides I obtain Undefined control sequence. Example sentence: \srssamples when I call \newcommand{\srssamples}{2777059\xspace} and the others. You need the xspace package for \xspace but see http://tex.stackexchange.com/questions/86565/drawbacks-of-xspace/86620#86620 This doesn't really answer your question, but will maybe solve your problem. Use {} after calling the macros. You could/should also use siunitx for handling units or numerics. Maybe something like this? \documentclass{article} \usepackage{siunitx} \newcommand{\srskm}{\num{12253}} \newcommand{\srspercent}{\SI{1.53}{\percent}} \newcommand{\srssamples}{\num{2777059}} \newcommand{\srssamplesml}{\num{2.8}} \newcommand{\srsacc}{\num{833}} \begin{document} Example sentence: \srskm{} without and with punctuation \srskm{}. Works with \srspercent{} as well \srspercent{}. \end{document} I have read the documentation of siunitx: very interesting. Thank you. You have solved partially my problem (I would like do not use the curly braces). +1 I like your solution, e.g. \newcommand{\srskm}{\SI{12253}{\km}}. I extract the data from (http://smartroadsense.it/open-data.html)[SmartRoadSense] web site, where I have only two data (the first is the second per 300). And \srspercent is \srskm/800000*100. I try to define two variable and obtain the other data.
44,121
https://stackoverflow.com/questions/8411373
StackExchange
Open Web
CC-By-SA
2,011
Stack Exchange
Bashit Best, Furkan Koçak, Hu McGarry, Hvass Lindgren, SUZON HOSSAIN, brian, doublewei jason, fudge_nugget, https://stackoverflow.com/users/1070896, https://stackoverflow.com/users/18854327, https://stackoverflow.com/users/18854328, https://stackoverflow.com/users/18854329, https://stackoverflow.com/users/18854535, https://stackoverflow.com/users/18854539, https://stackoverflow.com/users/18854564, https://stackoverflow.com/users/18854681, https://stackoverflow.com/users/18854688, https://stackoverflow.com/users/18854790, https://stackoverflow.com/users/18854804, https://stackoverflow.com/users/18854824, https://stackoverflow.com/users/18855885, https://stackoverflow.com/users/18855886, sniper gun, 云和美女妹子能上门着叫t, 吉安美女妹子能上门着叫h, 梧州真叫休闲妹子的会所, 泾源县美女妹子能上门着叫, 贺兰县美女妹子能上门着叫
English
Spoken
459
790
How to back without press "back" button I'm writing a project to read pdf files. My main class uses this code to call the ReaderActivity class: Intent it = new Intent(this, ReaderActivity.class); startActivity(it); And the ReaderActivity class is like below to read pdf files: @Override public void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); String mimetype = "application/pdf"; File file = new File(filepath); Intent intent = new Intent(Intent.ACTION_VIEW); intent.setDataAndType(Uri.fromFile(file), mimetype); intent.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); startActivity(intent); } When I successfully open the pdf, I press the "back" button and the view is black. When I press "back" again, it returns to the main class view. When the pdf opens, I want to press "back" button one time and return to the main class view. How can I do this? for some reasons, it has to split two classes. You are calling ReaderActivity and from then you are calling intent to View pdf.. Now when you press back from pdf reading ..you come back to reader activity where you didn't have any layout set so you see black screen.. First Thing You should have directly called the view intent from your main activity. BUT anyhow you created EXTRA activity for doing this..so you will have to remove that ReaderActivity as soon it is used so you can do that 2 ways.. 1) Intent it = new Intent(this, ReaderActivity.class); it.setFlags(Intent.FLAG_ACTIVITY_NO_HISTORY); startActivity(it); Or 2) in onPause() of ReaderActivity Write this.finish(); don't save readActivity in history stack . use Intent it = new Intent(this, ReaderActivity.class); it.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); Yes dear actually what happened, you are starting activity from you main class to open pdf and again your Reader class will start the activity for reading pdf. Thats why you are facing such problem. For solving the problem dont open your Reader Activity from your main class. Try to open pdf from your main class. Because for reading pdf Intent is called and in that we used ACTION_VIEW so it is itself Activity. Or another option is that finish your activity and call your main class on the BackPressed() Event. Or you can also setFlag to Intent. like, intent.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); I hope using this your problem will be solved. I set intent.setFlags(Intent.FLAG_ACTIVITY_CLEAR_TOP); but it still have to press two times You have to simply add a button in reader class. And on click listener of the button you have to simply finish the reader activity, as per stack mechanism it will automatically go to the previous activity if previous activity is not manually close. this.finish ///in reader class on button click The blank screen is coming because you are not setting any content view in ReaderActivity.So try to finish the ReaderActivity in onRestart() like this this.finish(); Now when you press back button it will directly take you to the main activity.Hope this helps you.
2,646
https://stackoverflow.com/questions/56486136
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
English
Spoken
290
537
Running threads inside processes Im running image processing on a huge dataset with multiprocessing and Im wondering if running ThreadPoolExecutor inside a Pool provides any benefit vs just simply running Pool on all items. The dataset contains multiple folders with each folder containing images, so my initial though was to split up each folder in to a process and each image in that folder to a thread. Other way would be to just get every image and run that as a process. for instance, each folder as a process and each image as a thread from concurrent import futures from multiprocessing import Pool from pathlib import Path def handle_image(image_path: Path): pass def handle_folder(folder_path: Path): with futures.ThreadPoolExecutor() as e: e.map(handle_image, folder_path.glob("*")) e.shutdown() if __name__ == '__main__': dataset_folder = Path("Folder") with Pool() as p: p.imap_unordered(handle_folder, dataset_folder.iterdir()) p.close() p.join() versus each image as a process from multiprocessing import Pool from pathlib import Path def handle_image(image_path: Path): if not image_path.is_file(): return if __name__ == '__main__': dataset_folder = Path("Folder") with Pool() as p: p.imap_unordered(handle_image, dataset_folder.glob("**/*"), 100) p.close() p.join() Your task (image processing) sounds CPU-bound, so threads won't have enough idle time to let each other execute unless you are delegating to some C library that releases the GIL for most of the processing. If, however, processing time is comparable to I/O time, you may get a speedup for up to a few threads per process (cf. 400 threads in 20 processes outperform 400 threads in 4 processes while performing an I/O-bound task for how times compare for a much more I/O-bound task). As a side note, for large-scale distributed work, you may take a look at one of the 3rd-party implementations of a distributed task queue for Python instead of the built-in pools and map.
7,335
https://fa.wikipedia.org/wiki/%DA%A9%D8%B1%DB%8C%D8%B3%D8%AA%DB%8C%D9%86%D8%A7%20%D8%A8%D9%84%DB%8C%D9%86%DA%AF%D9%87%D9%88%D9%86
Wikipedia
Open Web
CC-By-SA
2,023
کریستینا بلینگهون
https://fa.wikipedia.org/w/index.php?title=کریستینا بلینگهون&action=history
Persian
Spoken
67
244
کریستینا بلینگهون (؛ زادهٔ ) بازیکن فوتبال اهل آلمان است. از باشگاه‌هایی که در آن بازی کرده‌است می‌توان به باشگاه فوتبال اف‌سی‌آر ۲۰۰۱ دویسبورگ و باشگاه فوتبال ۱.اف‌اف‌سی توربین پوتسدام اشاره کرد. منابع پیوند به بیرون افراد زنده بازیکنان اف‌اف‌سی توربین پوتسدام بازیکنان باشگاه اف سی آر ۲۰۰۱ دویسبورگ بازیکنان فوتبال اهل نوردراین-وستفالن بازیکنان فوتبال زن اهل آلمان دروازه‌بانان زن فوتبال زادگان ۱۹۸۸ (میلادی) ورزشکاران اهل دوسلدورف
43,380
https://stackoverflow.com/questions/35989271
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
Iamat8, Opiatefuchs, Richard Quinn, https://stackoverflow.com/users/1538986, https://stackoverflow.com/users/2553431, https://stackoverflow.com/users/4658335
Norwegian Nynorsk
Spoken
701
1,583
Android how to insert data into database outside of the database helper class I have set up a SQLite database which is working fine in terms of creating the tables that i need. What i have been trying to do now is insert into the database but from another class (Signup.java). I want to grab text input into edittext and insert this into the database,but only when a button is clicked. See my DatabaseHelper class below: package com.example.testerrquin.euro2016fanguide; import android.content.Context; import android.database.sqlite.SQLiteDatabase; import android.database.sqlite.SQLiteOpenHelper; public class DatabaseHelper extends SQLiteOpenHelper { public static final String DATABASE_NAME = "Euro2016.db"; public static final String TABLE_USERS = "Users_table"; public static final String TABLE_CAPACITY = "Capacity_table"; public static final int CapacityOne = 1; public DatabaseHelper(Context context) { super(context, DATABASE_NAME, null, 1); SQLiteDatabase db = this.getWritableDatabase(); } @Override public void onCreate(SQLiteDatabase db) { db.execSQL("Create table " + TABLE_USERS +" (UserID INTEGER PRIMARY KEY AUTOINCREMENT, Forename TEXT, Surname TEXT, Email TEXT, Password TEXT, Country TEXT)"); db.execSQL("Create table " + TABLE_CAPACITY +" (CapacityID INTEGER PRIMARY KEY AUTOINCREMENT, Capacity INTEGER)"); } @Override public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) { db.execSQL("DROP TABLE IF EXISTS " + TABLE_USERS); db.execSQL("DROP TABLE IF EXISTS " + TABLE_CAPACITY); onCreate(db); } } Basically i need to run the line starting with "db.execSQL". I probably need to reference 'db' somewhere to link up to Databasehelper class but not sure. At the moment i am getting 'Cannot resolve symbol 'db'. CompleteB.setOnClickListener(new View.OnClickListener() { @Override public void onClick(View v) { String grabFirstname = UsernameET.getText().toString(); String grabSurname = SurnameET.getText().toString(); String grabEmail = EmailET.getText().toString(); String grabPassword = PasswordET.getText().toString(); String grabCountry = CountryDrop.getSelectedItem().toString(); db.execSQL("Insert into Users_table (Forename, Surname, Email, Password, Country) values ((" + grabFirstname +"),(" + grabSurname +"),(" + grabEmail +"), (" + grabPassword +"), (" + grabCountry +"))"); Intent i=new Intent(Signup.this,Login.class); startActivity(i); } }); Thanks in advance. You should do this inside Your helper class. add a method with for example addValues(String grabFirstName,String grabSurename....) etc. and use it with content values to add this into table. Then You don´t need to create a new Database object all the time. And in Your case, You get this error because You haven´t defined db you have you initialize you db with context first... Declare any method that you need in your SQL helper class: public void sampleMethod(String[] arguments) { ContentValues values = new ContentValues(); values.put("Column1", arguments[0]); values.put("Column2", arguments[1]); values.put("Column3", arguments[2]); .... db.insert(TABLE_NAME, null, values); } In your Activity: @Override public void onClick(View v) { String grabFirstname = UsernameET.getText().toString(); String grabSurname = SurnameET.getText().toString(); String grabEmail = EmailET.getText().toString(); String grabPassword = PasswordET.getText().toString(); String grabCountry = CountryDrop.getSelectedItem().toString(); DatabaseHelper helper = new DatabaseHelper(context); //replace context with your activity context. "this" would refer to your onClickListener so be careful. helper.sampleMethod(new String[]{ "user", "pass", "foo", "bar", ... }); //rest of your code } Also, on another note, make sure you close your database when you are done with it. I personally would call getWritableDatabase in each method and then close the database at the end of the method. Something like: public class DatabaseHelper extends SQLiteOpenHelper { Context c; public DatabaseHelper(Context context) { super(context, DATABASE_NAME, null, 1); c = context; } @Override public void onCreate(SQLiteDatabase db) { db.execSQL("Create table " + TABLE_USERS +" (UserID INTEGER PRIMARY KEY AUTOINCREMENT, Forename TEXT, Surname TEXT, Email TEXT, Password TEXT, Country TEXT)"); db.execSQL("Create table " + TABLE_CAPACITY +" (CapacityID INTEGER PRIMARY KEY AUTOINCREMENT, Capacity INTEGER)"); } @Override public void onUpgrade(SQLiteDatabase db, int oldVersion, int newVersion) { db.execSQL("DROP TABLE IF EXISTS " + TABLE_USERS); db.execSQL("DROP TABLE IF EXISTS " + TABLE_CAPACITY); onCreate(db); } public void sampleMethod(String[] arguments) { SQLiteDatabase db = this.getWritableDatabase(); ContentValues values = new ContentValues(); values.put("Column1", arguments[0]); values.put("Column2", arguments[1]); values.put("Column3", arguments[2]); .... db.insert(TABLE_NAME, null, values); db.close(); } Where it says "Column1" should i replace these with the columns in the table i want to insert into? Declare "SQLiteDatabase db" instance out side the constructor in your DatabaseHelper. Create a method in DatabaseHelper class which takes param which requires and inserts into db Then in your activity create an instance of DatabaseHelper and call the method which you created in step 2 please check for other singleton patterns Why not make DatabaseHelper a singleton object by declaring all the methods static? Then you can call it from anywhere in your activities.
16,083
https://eo.wikipedia.org/wiki/Naum%20Veqilharxhi
Wikipedia
Open Web
CC-By-SA
2,023
Naum Veqilharxhi
https://eo.wikipedia.org/w/index.php?title=Naum Veqilharxhi&action=history
Esperanto
Spoken
79
208
Naum Veqilharxhi naskita kiel Naum Bredhi (1797-1854) estis albana advokato kaj sciencisto. En 1844, li kreis unu el la plej unuaj alfabetoj (la Vithkuqi-alfabeto) por la albana lingvo uzante karakterojn kiujn li mem kreis. Veqilharxhi estas unu el la plej eminentaj figuroj de la frua albana nacia relindja (renesanco) kaj estas konsiderata de albanoj kiel ĝia unua ideologo. Vidu ankaŭ Albana lingvo Historio de Albanio Referencoj Naskiĝintoj en 1797 Mortintoj en 1848 Inventintoj de skribsistemoj Albanaj aktivuloj Albanaj advokatoj
38,997
https://sr.wikipedia.org/wiki/%D0%9F%D0%B0%D1%80%D0%B0%D0%B8%D1%81%D0%BE%20%28%D0%9C%D0%B0%D1%81%D0%BA%D0%B0%D0%BD%D1%83%29
Wikipedia
Open Web
CC-By-SA
2,023
Параисо (Маскану)
https://sr.wikipedia.org/w/index.php?title=Параисо (Маскану)&action=history
Serbian
Spoken
55
178
Параисо () насеље је у Мексику у савезној држави Јукатан у општини Маскану. Насеље се налази на надморској висини од 10 м. Становништво Према подацима из 2010. године у насељу је живело 656 становника. Хронологија Попис Види још Савезне државе Мексика Референце Спољашње везе Мексичка насеља Насеља у општини Маскану (Јукатан) Википројект географија/Насеља у Мексику
12,541
https://sr.wikipedia.org/wiki/Tebukonazol
Wikipedia
Open Web
CC-By-SA
2,023
Tebukonazol
https://sr.wikipedia.org/w/index.php?title=Tebukonazol&action=history
Serbian
Spoken
24
85
Tebukonazol je organsko jedinjenje, koje sadrži 16 atoma ugljenika i ima molekulsku masu od 307,818 -{Da}-. Osobine Reference Literatura Spoljašnje veze Алкохоли Органохлориди Триазоли
46,793
https://ceb.wikipedia.org/wiki/Desa%20Mundugading
Wikipedia
Open Web
CC-By-SA
2,023
Desa Mundugading
https://ceb.wikipedia.org/w/index.php?title=Desa Mundugading&action=history
Cebuano
Spoken
111
191
Administratibo nga balangay ang Desa Mundugading sa Indonesya. Nahimutang ni sa administratibo nga balangay sa Desa Mundugading, lalawigan sa Jawa Timur, sa kasadpang bahin sa nasod, km sa sidlakan sa Jakarta ang ulohan sa nasod. Hapit nalukop sa kaumahan ang palibot sa Desa Mundugading. Dunay mga ka tawo kada kilometro kwadrado sa palibot sa Desa Mundugading may kaayo hilabihan populasyon. Ang klima habagat. Ang kasarangang giiniton °C. Ang kinainitan nga bulan Oktubre, sa  °C, ug ang kinabugnawan Pebrero, sa  °C. Ang kasarangang pag-ulan milimetro matag tuig. Ang kinabasaan nga bulan Enero, sa milimetro nga ulan, ug ang kinaugahan Agosto, sa milimetro. Ang mga gi basihan niini Mga subdibisyon sa Jawa Timur
16,725
https://ell.stackexchange.com/questions/157789
StackExchange
Open Web
CC-By-SA
2,018
Stack Exchange
Lambie, Patrick Stevens, Trey, Weather Vane, https://ell.stackexchange.com/users/23923, https://ell.stackexchange.com/users/33113, https://ell.stackexchange.com/users/56820, https://ell.stackexchange.com/users/63723
English
Spoken
460
652
Interchangeability of "such" and "which" Can anyone shed some light on the interchangeability of these sentences: "... speaking of which" .. "speaking of such" I used to think that they are always equivalent and therefore interchangeable but I haven't seen the latter in a while so I'm not sure about its usage. I'd appreciate some examples. Also on another stackexchange site. @WeatherVane That wasn't really sufficient so I had to ask it here An example of the first could be I received an email about sproggling today, speaking of which, only yesterday sproggling was mentioned in a lecture. The second usually has a subject, such as this I have received a lot of emails about sproggling, mungling and stimming. Speaking of such matters would need some research. Speaking of which is used by a speaker to refer to a topic that has just been mentioned either by the speaker or someone else. It is obviously spoken language and comes at the beginning of a new sentence, or could conceivably be placed in a sentence in a dialogue. Speaking of such can be used in phrase such as; Speaking of such matters can be difficult. But the meaning is not the same as the idiomatic phrase: Speaking of which etc. Speaking of which is relative, like with which in I have a wok, with which I cook sometimes. Nowadays you might be more likely to say “that I cook with”, and analogously “that I'm speaking of” (when I say the following). I've never used speaking of such, but it seems to me more defensible structurally as the beginning of a sentence. It's the same such that occurs in the phrase as such (when that phrase is not a sloppy substitute for therefore): I am a member of the club and as such [=as a member] I have access to its facilities. Speaking of which makes syntactic sense (to me) only as a continuation of the preceding sentence, so it shouldn't be used to begin a sentence in formal writing, in my humble opinion. "Such" is correct and the same, I just always prefer "which". No such is most definitely incorrect. And sounds non-native. It is wrong for this context. I wouldn't go so far as to say "such" is "most definitely incorrect". It is certainly unusual, and from a non-native speaker it will be noticeably non-native, but I wouldn't bat an eyelid if I heard it from a native speaker. (British English.) Patrick: "Speaking of such, shall we really discuss this any further?" It is not standard, and I don't mean prescriptively standard. I get tired hearing about BrE versus AmE. Half the time that fact is totally irrelevant. "Speaking of such matters can be tricky." – Lambie 8 mins ago
14,260
https://en.wikipedia.org/wiki/United%20Incandescent%20Lamp%20and%20Electricity%20Company
Wikipedia
Open Web
CC-By-SA
2,023
United Incandescent Lamp and Electricity Company
https://en.wikipedia.org/w/index.php?title=United Incandescent Lamp and Electricity Company&action=history
English
Spoken
87
124
The United Incandescent Lamp and Electricity Company () was a Hungarian business which produced a range of electrical goods such as electrical switches, voltmeters, ammeters, telephones, dynamos, and carbon fibre light bulbs. It was founded by Béla Egger and his brothers in 1886. With the support of the Hungarian Commercial Bank of Pest and the Wiener Bankverein, the original company was involved in a number of mergers it became the United Electricity Company. References Electronics companies of Hungary 1886 establishments in Austria-Hungary Electronics companies established in 1886
17,164
https://stackoverflow.com/questions/69993837
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
MatsLindh, https://stackoverflow.com/users/137650
English
Spoken
468
943
Is it possible to mix pydantic BaseModels and Starlette Request? Goal My goal is to build a simple api to crack password hashes using fastapi and John the ripper. For now, my api takes only one Post request with the hash to be cracked and some optional information on the original password (minimal length, maximal length etc). Ultimately, it will send this hash to a backend cluster running a containerized John the Ripper to crack the hash. To encompass all the information that I wanted to be present in the Post request, I created a BaseModel subclass with the information that I needed (see code below). Where am at I want to implement rate limiting so that only a certain number of calls is allowed per ip address and per minute or hour. After some research, I decided to use the solution provided by slowapi as follow : from fastapi import FastAPI from enum import Enum from pydantic import BaseModel from typing import Optional from slowapi import Limiter, _rate_limit_exceeded_handler from slowapi.util import get_remote_address from slowapi.errors import RateLimitExceeded from starlette.requests import Request class HashType(str, Enum): md5 = "md5" sha1 = "sha1" class HashRequest(BaseModel, Request): hash: str type: Optional[HashType] = None min_length: Optional[int] = None max_length: Optional[int] = None special_chars: Optional[bool] = None limiter = Limiter(key_func=get_remote_address) app = FastAPI() app.state.limiter = limiter app.add_exception_handler(RateLimitExceeded, _rate_limit_exceeded_handler) @app.post("/") @limiter.limit("10/minute") @limiter.limit("100/hour") async def send_hash(request: HashRequest): ## TODO: communicate with backend return {"message":"request recieved", "hash":request.hash} slowapi requires the request argument to be explicitly passed to my endpoint and it to be of the type Request of starlette.requests. My solution was to use multiple inheritance, making HashRequest inherit from BaseModel and Request. When I try to send a Post request to the api I have the error: AttributeError: 'Request' object has no attribute 'hash'. Command to send the request: curl -X 'POST' 'http://127.0.0.1:8000/' -H 'accept: application/json' -H 'Content-Type: application/json' -d '{ "hash":"foo" }' The regular way to do this would be to have async def send_hash(hash: HashToCrack, request: Request): where HashToCrack is the model you've defined, with just BaseModel as the parent class. Doesn't this work? Here you can see what there is in your request object Body There are a few different interfaces for returning the body of the request: The request body as bytes: await request.body() The request body, parsed as form data or multipart: await request.form() The request body, parsed as JSON: await request.json() You can also access the request body as a stream, using the async for syntax: in your case you should use: my_hash = request.json['hash'] if you want to use a pydantic model: class HashRequest(BaseModel): hash: str type: Optional[HashType] = None min_length: Optional[int] = None max_length: Optional[int] = None special_chars: Optional[bool] = None @app.get("/") @limiter.limit("10/minute") @limiter.limit("100/hour") def get_role(hash_obj: HashRequest): ## TODO: communicate with backend return {"message": "request recieved", "hash": hash_obj.hash}
24,645
https://zh-min-nan.wikipedia.org/wiki/Ciucs%C3%A2ngeorgiu
Wikipedia
Open Web
CC-By-SA
2,023
Ciucsângeorgiu
https://zh-min-nan.wikipedia.org/w/index.php?title=Ciucsângeorgiu&action=history
Min Nan Chinese
Spoken
28
108
Ciucsângeorgiu sī Romania Harghita Koān ê chi̍t ê chū-tī-thé (comună). Jîn-kháu Chit ūi tī 2011 nî ê jîn-kháu-sò͘ sī 4,839 lâng. Liân-kiat Koaⁿ-hong bāng-chām Harghita Koān ê chū-tī-thé
16,161
https://tt.wikipedia.org/wiki/%D0%A2%D1%83%D1%80%D0%B0%D0%BD%D0%BA%D3%A9%D0%B9%20%28%D0%9A%D0%B5%D1%81%D1%82%D0%B5%D0%BB%29
Wikipedia
Open Web
CC-By-SA
2,023
Туранкөй (Кестел)
https://tt.wikipedia.org/w/index.php?title=Туранкөй (Кестел)&action=history
Tatar
Spoken
58
217
Туранкөй () — Төркия Җөмһүриятенең Мәрмәр бүлгесе Бурса иле Кестел илчесенә караган бер мәхәллә (). Географиясе Халык саны Искәрмәләр Сылтамалар Турция // Большая российская энциклопедия : [в 35 т. / гл. ред. Ю. С. Осипов. — М. : Большая российская энциклопедия, 2004—2017.] Mahalle Nedir? Kısaltmalar Dizini Кестел илчесе мәхәлләләре Әлифба буенча торак пунктлар Төркия торак пунктлары Төркия мәхәлләләре
33,594
https://cstheory.stackexchange.com/questions/22174
StackExchange
Open Web
CC-By-SA
2,014
Stack Exchange
GMB, Kaveh, https://cstheory.stackexchange.com/users/11051, https://cstheory.stackexchange.com/users/186
English
Spoken
421
724
Consequences of nondeterminism speeding up deterministic computation If $\mathsf{NP}$ contains a class of superpolynomial time problems, i.e. for some function $t \in n^{\omega(1)}$, $\mathsf{DTIME}(t) \subseteq \mathsf{NP}$, then if follows from the deterministic time hierarchy theorem that $\mathsf{P} \subsetneq \mathsf{NP}$. But are there any other interesting consequences nontrivial (i.e. not a consequence of $\mathsf{P} \subsetneq \mathsf{NP}$) if nondeterminism can speed up deterministic computations? Apologies if this question isn't appropriate for this site - I would be happy to improve the question however I can. I think this is an interesting question. An easy consequence similar to the separation of P from NP is that NP is not in DTime(o(t)/lg n). ps: I removed the second part because I think it is distracting and doesn't add much to the question. Thanks, Kaveh - I really appreciate the edit! (and from the vote swing, it seems everyone else does too) I found one related consequence. Let's say $NEXP$ contains $DTIME(2^{O(t)})$, where $t = n^{\omega(1)}$. It turns out this is just enough time to diagonalize against $P/poly$. Specifically, build the following machine: On input $x$ of length $n$, consider the $n^{th}$ Turing machine $M$. For every possible advice string of length $t$ and every possible bitstring $b$ of length $n$, run $M$ on $b$ with advice $a$, and reject after $t$ steps if you haven't accepted yet. Record your results in a table. This procedure runs in $DTIME(2^{O(t)})$. On input $0^n$, if at least half the advice strings cause $M$ to reject, then instead we define it to be correct for our algorithm to accept (otherwise, it is correct for our algorithm to reject). Any advice strings that caused $M$ to get $0^n$ wrong (that is, at least half the advice strings) now get thrown out of the table. We then repeat the process on input $0^{n-1}1$: if at least half the surviving advice strings cause $M$ to reject, then our algorithm will accept (and reject otherwise). Continue like this for all inputs of length $n$ (although really, only $t$ of them are needed - after that many inputs, we have thrown out all possible advice strings). Clearly this language can be decided in $DTIME(2^{O(t)})$, which we have assumed is in $NEXP$. On the other hand, it cannot be in $P/Poly$: the set of length $n$ inputs diagonalizes against the prospect of $M_n$ being used to decide the language. So we get $NEXP \not \subset P/poly$, which would be interesting. I'm going to leave the question open in case someone comes up with something else.
27,417
https://cv.wikipedia.org/wiki/%D0%A5%D0%B0%D0%BD%D0%B0%D0%B2%D1%8D%D0%B9-%D0%AF%D1%85%D0%B0%20%28%D0%9D%D0%B0%D0%B4%D1%83%D0%B9-%D0%AF%D1%85%D0%B0%20%D1%8E%D0%BF%D0%BF%D0%B8%29
Wikipedia
Open Web
CC-By-SA
2,023
Ханавэй-Яха (Надуй-Яха юппи)
https://cv.wikipedia.org/w/index.php?title=Ханавэй-Яха (Надуй-Яха юппи)&action=history
Chuvash
Spoken
130
561
Ханавэй-Яха — Раççей территоринчи юханшыв. Ямал-Ненец автономлă тăрăхĕ/Ненец АО/Коми Республики территорипе юхать. Юханшыв Надуй-Яхаюханшывăн сулахай çыранĕпе юппинчен 240 км юхса кĕрет. Юханшыв тăршшĕ 15 км. Шыв реестрĕн хыпарĕсем Раççей патшалăх шыв реестрĕн хыпарĕпе Тури Обь шыв бассейн округĕне кĕрет. Шыв хуçăлах участокĕ — Кара тинĕсĕ бассейнĕн юханшывĕсем Мăн Ою юханшывĕн бассейнĕн анăç чиккинчен Скуратов сăмсахĕ таран. Юханшывăн кĕçĕн бассейнĕ — бассейн çук , Юханшыв бассейнĕ — Кара тинĕсĕ бассейнĕн юханшывесĕм, Печорăпа Обь хушшинче. Шыв ресурсĕсен федераци агентстви хатĕрленĕ РФ территорин шыв хуçалăх районĕсен геоинформаци системин хыпарĕпе : Патшалăх шыв реестрĕнчи шыв объекчĕн кочĕ — 15010000112115300039720 Гидрологи тĕпчевленӳ кочĕ — 115303972 Бассейн кочĕ — 15.01.00.001 Том номерĕ, ГТ — 15 Кăларăм, ГТ — 3 Асăрхавсем Каçăсем РФ ufтçанталăк ресурсĕсемпе экологи министерстви Ямал-Ненец автономлă тăрăхĕн юханшывĕсем Ненец АО юханшывĕсем Коми Республикин юханшывĕсем
17,086
https://ceb.wikipedia.org/wiki/Pseudophloeosporella%20dioscoreae
Wikipedia
Open Web
CC-By-SA
2,023
Pseudophloeosporella dioscoreae
https://ceb.wikipedia.org/w/index.php?title=Pseudophloeosporella dioscoreae&action=history
Cebuano
Spoken
87
203
Kaliwatan sa uhong ang Pseudophloeosporella dioscoreae. sakop sa ka-ulo nga Ascomycota, ug Una ning gihulagway ni Kingo Miyabe ug Seiya Ito, ug gihatagan sa eksakto nga ngalan ni Uwe Braun ni adtong 1993. Ang Pseudophloeosporella dioscoreae sakop sa kahenera nga Pseudophloeosporella, ka-ulo nga Ascomycota, ug kaginharian nga abungawg-uhong. Kini nga matang hayop na sabwag sa: Hokkaido (pulo sa Hapon) Nugini sa Papua Walay nalista nga matang nga sama niini. Ang mga gi basihan niini Abungawg-uhong Abungawg-uhong sa Hokkaido (pulo sa Hapon) Abungawg-uhong sa Nugini sa Papua Pseudophloeosporella
29,799
https://vi.wikipedia.org/wiki/Blepharocalyx%20cruckshanksii
Wikipedia
Open Web
CC-By-SA
2,023
Blepharocalyx cruckshanksii
https://vi.wikipedia.org/w/index.php?title=Blepharocalyx cruckshanksii&action=history
Vietnamese
Spoken
70
174
Blepharocalyx cruckshanksii (Mapudungun: temu) là một loài thực vật thuộc họ Myrtaceae. Loài này có ở Argentina và Chile. Chúng hiện đang bị đe dọa vì mất môi trường sống. Miêu tả Cây cao 15 mét với đường kính khoảng 50 xăngtimét. Hình ảnh Nguồn González, M. 1998. Blepharocalyx cruckshanksii. 2006 IUCN Red List of Threatened Species. Truy cập 20 tháng 8 năm 2007. Tham khảo Liên kết ngoài Blepharocalyx
34,633
https://de.wikipedia.org/wiki/Gabriele%20du%20Vinage
Wikipedia
Open Web
CC-By-SA
2,023
Gabriele du Vinage
https://de.wikipedia.org/w/index.php?title=Gabriele du Vinage&action=history
German
Spoken
823
1,638
Gabriele du Vinage (* 9. Februar 1920 in Berlin; † 2. März 2009 in Hamburg) war eine deutsche Fotografin und Fotojournalistin. Ausbildung und erste Tätigkeiten Gabriele du Vinage war die dritte von vier Töchtern des Kaufmanns und Consuls François du Vinage und seiner Ehefrau, der Ärztin Dr. Amelie du Vinage-von Skopnik. Als sie sieben Jahre alt war, verstarb ihr Vater. Hierdurch und im Zuge der Weltwirtschaftskrise 1929 entstand für die restliche Familie eine finanziell schwierige Situation, weshalb alle Töchter früh mit einer Berufsausbildung begannen. Gabriele wurde an der Photographischen Lehranstalt des Lette-Vereins ausgebildet und legte 1940 vor der Photographen-Innung Berlin ihre Gesellenprüfung als Kunstfotografin ab. Zunächst arbeitete sie von 1940 bis 1944 im freien Werkvertrag am Staatlichen Museum für deutsche Volkskunde Berlin. Ein 1943 oder 1944 von ihr aufgenommenes Porträtfoto von Prof. Dr. Adolf Reichwein, der 1944 als Angehöriger des Widerstands hingerichtet wurde, zählt zu den wenigen freien Arbeiten aus dieser frühen Zeit, welche die kriegsbedingte Zerstörung ihrer Wohnung überdauerten. Auf Wunsch ihrer neun Jahre älteren, damals als Bildberichterstatterin arbeitenden Schwester Beatrice du Vinage verzichtete sie zunächst (und bis weit in die 1950er Jahre hinein) auf die Nennung ihres Familiennamens und kennzeichnete ihre Fotos urheberrechtlich mit dem Vermerk „foto: gabriele“. Im April 1944 bestand sie vor dem Reichsverband der Deutschen Presse (RDP) und dem Reichsverband der Bildberichterstatter ihre Abschlussprüfung als Schriftleiter(in) und Bildberichterstatter(in). Anschließend arbeitete sie als Bildberichterstatterin für die Terra Filmkunst und fertigte bis Kriegsende in einem offiziellen Projekt Farbaufnahmen von Deckenfresken in Kirchen und Schlössern an. Nach dem Zweiten Weltkrieg: Film- und Theaterfotos 1947 erhielt sie die Arbeitsbewilligung für den erlernten Beruf als Fotografin und Bildberichterstatterin in Hamburg. Sie war anschließend u. a. als freie Mitarbeiterin für den Presse Bild Dienst (PBD) und für den Fotografen Konrad Weidenbaum als Bildberichterin beschäftigt. 1952 wurde sie als Pressefotografin in den DJV Hamburg aufgenommen. Noch in den 1940er Jahren begann sie, sich auf ihre zukünftigen Hauptarbeitsfelder zu konzentrieren: Standfotos von Film- und Fernsehproduktionen, Theaterfotografie und Porträtfotos von Schauspielern. Beim Film entstand vor allem eine langjährige Zusammenarbeit als Standfotografin für die Real-Film. Zu ihren Arbeiten für den Kinofilm zählt beispielsweise im Juni 1949 Schicksal aus zweiter Hand (Regie: Wolfgang Staudte). Es sind wesentlich mehr Filme, als die bisher in den Filmdatenbanken (IMDbPro und filmportal.de) zu ihr aufgelisteten Titel. Zu den bekanntesten Filmen, für die sie die Standfotos machte, zählen Ludwig II., Des Teufels General, Der Hauptmann von Köpenick, Die Zürcher Verlobung, Nasser Asphalt, Der Schinderhannes, Der Rest ist Schweigen, Der Frosch mit der Maske, Die Brücke (Regie: Bernhard Wicki), Schwarzer Kies, Moritz, lieber Moritz oder Der Zauberberg (Regie: Hans W. Geißendörfer). Sie war keineswegs nur bei in Hamburg realisierten Filmproduktionen tätig, wie auch ein zeitgenössischer Zeitungsbericht über sie belegt. Gabriele du Vinage galt als „eine der bekanntesten Standfotografinnen“ dieser Zeit in Deutschland. Gleichzeitig entstand eine umfangreiche, langjährige Dokumentation der Neuinszenierungen an verschiedenen Hamburger Theatern. 1952 heiratete sie ihren Schüler und Assistenten Matthias Wisch, und der zukünftige gemeinsame Künstlername wurde „du Vinage“. Ein gemeinsamer Copyrightstempel „foto: du Vinage“, der erst in der Unterzeile bei der Adresse die Vornamen „Gabriele und Matthias du Vinage“ gemeinsam aufführt, macht es heute für Außenstehende in Einzelfällen sogar schwierig, die Urheberschaft zu unterscheiden, zumal es (namentlich im Bereich der Hamburger Theaterfotografie) sogar von beiden gemeinsam besuchte und fotografierte Ereignisse gab. Porträtfotografie Bereits eine kleine Auswahl an Namen zeigt, dass die von ihr Porträtierten zu den namhaftesten deutschen Schauspielern der Zeit gehörten: Hans Albers, Paul Bildt, Hark Bohm, Horst Buchholz, Ida Ehre, O. W. Fischer, Gert Fröbe, Joachim Fuchsberger, Martin Held, Klaus Kinski, Viktor de Kowa, Curd Jürgens, Ruth Leuwerik, Siegfried Lowitz, Wolfgang Lukschy, Liselotte Pulver, Heinz Reincke, Heinz Rühmann, Maria Schell, Nadja Tiller oder Wolfgang Völz. Von vielen Persönlichkeiten der Film- und Theaterwelt ̵ wie z. B. von Helmut Käutner ̵ entstanden auch privatere Aufnahmen. Bekanntheit So wie ihre Schauspielfotos in die aktuelle Berichterstattung der Hamburger Zeitungen einflossen und in zahlreiche Buchpublikationen aufgenommen wurden, waren ihre Standfotos von den Filmen nicht nur in den Aushangkästen der Kinos zu sehen, sondern durch vielfachen Abdruck in den Zeitschriften (z. B. in „Film und Frau“) für den ersten Eindruck verantwortlich, den man in der Öffentlichkeit von den fraglichen Filmen bekam. Immer wieder erlangten ihre Fotos einen großen Bekanntheitsgrad. 1951 kam sie mit einem Porträtfoto des in Kopenhagen lebenden Malers Paul René Gauguin beim Internationalen Rollei-Wettbewerb unter 55.000 Einreichungen unter die ersten fünf Preisträger. Unter der Überschrift „Filmfoto wandert um die Welt. Ein Bild der deutschen Zonengrenze erschüttert Millionen“ wurde 1954 über ein Foto von ihr zu Helmut Käutners Himmel ohne Sterne berichtet. Sehr bekannt ist auch eine Aufnahme von ihr, die Klaus Kinski als Deklamator zeigt und am 22. Februar 1961 als Titelbild des Magazins Der Spiegel verwendet wurde. Auch eigene Bildberichte trugen zu ihrer Bekanntheit bei. – Eine umfassendere posthume Würdigung ihrer Arbeit steht bisher noch aus. Weblinks Spiegel-Titelbild 9/1961: Klaus Kinski von Gabriele du Vinage Einzelnachweise Journalist (Deutschland) Fotograf (20. Jahrhundert) Fotograf (Berlin) Fotograf (Hamburg) Theaterfotograf Deutscher Geboren 1920 Gestorben 2009 Frau
40,295
https://it.wikipedia.org/wiki/Yoshi%27s%20Safari
Wikipedia
Open Web
CC-By-SA
2,023
Yoshi's Safari
https://it.wikipedia.org/w/index.php?title=Yoshi's Safari&action=history
Italian
Spoken
444
774
Yoshi's Safari, noto in Giappone come , è uno sparatutto in prima persona della Nintendo, pubblicato nel 1993 per la console Super Nintendo Entertainment System. Il gioco si avvale della funzione hardware Mode 7 e supporta la pistola a raggi infrarossi Super Scope. Tema del gioco I protagonisti sono Mario e Yoshi, e il loro compito è salvare King Fret e il figlio Prince Pine della Jewellery Land dalle grinfie di Bowser e dai Bowserotti. Il gioco è eseguito dalla prospettiva di Mario, a cavallo di Yoshi. La testa di quest'ultimo è sempre visibile, ed ogni colpo infertogli provoca perdita di energia. Ogni volta che si spara ad un nemico con il Super Scope, questo perde anch'esso energia fino all'esaurimento, e poi dà solo un colpo per volta, almeno fino alla ricarica con un Fiore di Fuoco. Yoshi's Safari richiama tecnicamente i platform tradizionali di Mario, e dà anche la possibilità di saltare per evitare ostacoli. In un livello possono esserci più bivi che conducono a diversi nemici, mini-boss o premi, anche se alla fine si raggiunge sempre la stessa meta, in cui ci si deve scontrare con un boss, che può essere un bowserotto di Bowser, la versione gigante di un nemico normale (come Big Magikoopa o Big Boo), o lo stesso Bowser armato di pistole e cannone ad energia. Al termine del gioco può essere sbloccato, tramite codice, l'accesso ad un gioco più difficile. Qui cambiano colori e testi dei livelli, e i boss diventano più forti. Sviluppo Nel febbraio 1992, Nintendo pubblicò il Super Scope, un successore del suo popolare NES Zapper per il Nintendo Entertainment System. Il management di Nintendo, resosi conto che l'importanza della periferica stava diminuendo, incaricò il Nintendo Research & Development No. 1 Department di sviluppare un gioco di Mario con Super Scope, dato che il futuro della periferica dipendeva dalle prestazioni di questo gioco. Yoshi's Safari è stato il primo gioco Super Scope a utilizzare la modalità grafica Modo 7 di SNES, che creava l'impressione di computer grafica 3D e rendeva il gameplay maggiormente realistico. Nintendo pubblicò Yoshi's Safari il 14 luglio 1993 in Giappone con il titolo Yoshi's Road Hunting e in Nord America il settembre successivo. Il titolo è stato poi reso disponibile nelle regioni PAL nel 1994, ma inizialmente non attirò molta attenzione. Il suo lancio in Nord America ha coinciso con la riedizione del popolare gioco arcade Mortal Kombat (1992), un gioco controverso per la sua violenza, per SNES e Sega Genesis. Secondo IGN, la decisione di Nintendo di ammorbidire il sangue e l'orrore nella versione SNES ha distolto l'attenzione del pubblico da Yoshi's Safari Accoglienza Note Collegamenti esterni Videogiochi di Yoshi
21,714
https://es.stackoverflow.com/questions/271765
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
Evgeni Enchev, Gema, RafaelM, Roy Bogado, https://es.stackoverflow.com/users/114498, https://es.stackoverflow.com/users/16208, https://es.stackoverflow.com/users/26574, https://es.stackoverflow.com/users/37669
Spanish
Spoken
202
337
Ejecutar una aplicación web en local Tengo una curiosidad que seguro que me pueden resolver. Tengo una aplicación web, con su front y su back, funcionando en local mediante Xamp. Lo suyo es subirlo a un servidor y lanzarlo pero no voy a eso. Me surge la duda de si hay algún método para automatizar lo que ahora hago para ejecutar ese proyecto desde la consola, vamos que se "abra" Xamp automáticamente y se ejecute la aplicación. Espero que se entienda lo que quiero. Muchas gracias por su ayuda Si xamp está instalado como servicio ya se ejecuta y si tu aplicación está en el directorio del servidor que se sirve, pues ya la tienes. No entiendo muy bien lo que quieres hacer. Como dice @EvgeniEnchev, xamp debe de tener alguna opción para iniciar automáticamente cuando se inicia el sistema operativo. y para ejecutar la aplicacion podrías hacer una tarea programada donde abra /chrome con la direccion de localhost Esto es un manual de como arrancar los servicios en XAMPP al iniciar windows. https://www.wikihow.com/Start-XAMPP-at-Startup-in-Windows . Una vez que apache este corriendo, si tu proyecto esta en htdocs, no deberías de necesitar nada más para correr el programa. Muchas gracias, lo voy probando
25,432
https://de.wikipedia.org/wiki/Cauchois
Wikipedia
Open Web
CC-By-SA
2,023
Cauchois
https://de.wikipedia.org/w/index.php?title=Cauchois&action=history
German
Spoken
28
88
Cauchois bezeichnet: Cauchois (Sprache), ein normannischer Dialekt Cauchois (Taubenrasse), eine Formentaubenrasse Cauchois ist der Familienname folgender Personen: Eugène Henri Cauchois (1850–1911), französischer Blumenmaler Yvette Cauchois (1908–1999), französische Physikerin
34,519
https://de.wikipedia.org/wiki/Squire%20Island
Wikipedia
Open Web
CC-By-SA
2,023
Squire Island
https://de.wikipedia.org/w/index.php?title=Squire Island&action=history
German
Spoken
77
158
Squire Island ist eine kleine Insel im Wilhelm-Archipel vor der Westküste des Grahamlands auf der Antarktischen Halbinsel. Sie liegt unmittelbar nordöstlich von Friar Island in der Gruppe der Wauwermans-Inseln. Erstmals verzeichnet ist die Insel auf einer argentinischen Karte aus dem Jahr 1950. Das UK Antarctic Place-Names Committee benannte sie 1958 nach einer Figur aus den Canterbury Tales des englischen Schriftstellers Geoffrey Chaucer. Weblinks (englisch) Squire Island auf geographic.org (englisch) Insel (Antarktika) Insel (Südlicher Ozean) Insel im Wilhelm-Archipel
8,132
https://fa.wikipedia.org/wiki/%D8%A8%D9%87%20%D9%85%DB%8C%D9%84%20%D8%AE%D9%88%D8%AF%D8%B4%D8%A7%D9%86
Wikipedia
Open Web
CC-By-SA
2,023
به میل خودشان
https://fa.wikipedia.org/w/index.php?title=به میل خودشان&action=history
Persian
Spoken
175
540
به میل خودشان فیلمی در ژانر رمانتیک و درام به کارگردانی ای میسون هاپر است که در سال ۱۹۲۹ منتشر شد. از بازیگران آن می‌توان به نورما شیرر، بل بنت، لوئیس استون، رابرت مونتگومری، و سیسیل کانینگهام اشاره کرد. این فیلم اقتباس شده از رمانی است که آن را ساریتا فولر نوشته و عهده‌دار اقتباس این کار، جیمز فروبر و فرانسیس ماریون بوده‌اند. نورما شیرر به خاطر ایفای نقش در این فیلم و زن مطلقه نامزد دریافت جایزه اسکار بهترین بازیگر نقش اول زن شد و به خاطر فیلم زن مطلقه این جایزه را برد. داستان زنی جوان ازینکه پدرش می‌خواهد مادرش را طلاق بدهد و با زنی دیگر ازدواج کند، بسیار پریشان است. زمانی احساساتش تغییر می‌کنند که عاشق مردی می‌شود که پسر عشق جدید پدرش است. منابع پیوند به بیرون فیلم‌ها به زبان انگلیسی فیلم‌های ۱۹۲۹ (میلادی) فیلم‌های ای میسون هاپر فیلم‌های ایالات متحده آمریکا فیلم‌های درام ۱۹۲۹ (میلادی) فیلم‌های درام رمانتیک آمریکایی فیلم‌های درام رمانتیک دهه ۱۹۲۰ (میلادی) فیلم‌های ساخته‌شده قبل از کد تولید MPAA فیلم‌های سیاه‌وسفید آمریکایی فیلم‌های مترو گلدوین مایر
25,542
https://en.wikipedia.org/wiki/2007%20NCAA%20Division%20II%20football%20rankings
Wikipedia
Open Web
CC-By-SA
2,023
2007 NCAA Division II football rankings
https://en.wikipedia.org/w/index.php?title=2007 NCAA Division II football rankings&action=history
English
Spoken
35
59
The 2007 NCAA Division II football rankings are from the American Football Coaches Association (AFCA). This is for the 2007 season. Legend American Football Coaches Association poll Notes References Rankings NCAA Division II football rankings
29,635
https://craftcms.stackexchange.com/questions/17797
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
Mats Mikkel Rummelhoff, Robin Schambach, darylknight, https://craftcms.stackexchange.com/users/1098, https://craftcms.stackexchange.com/users/5557, https://craftcms.stackexchange.com/users/642
English
Spoken
340
640
How to create a Modal with a scrollbar I'm trying to create a Modal and have a question: my code is: <div id="my-modal" class="modal" > <div id="modal" class="body"> <header class="header"> <h2>Modal header</h2> </header> <div style="overflow:auto;"> {{ include('srgooglemaps/infobubble/addEntry'}} </div> </div> </div> <button id="newInfoBubble" type="button" class="btn submit" value="test">new</button> Javascript $("#newInfoBubble").click(function(){ $modal = new Garnish.Modal($('#my-modal')); }); How do I manage to make overscroll auto working? My included template is higher than the modal and I would like to add a scrollbar or another option to make everything visible. I'm voting to close this question as off-topic because it's not related to Craft well its related to craft since I use a craft Garnish Modal and I could not find it anywhere else. Of course there are other Jquery modal libraries but they already have scrollbars FWIW I think this is a legit/relevant question... Sure it's a CSS thing but a good answer can be useful to others working on Craft plugins w/ modals in the future. Although I agree to close this, I think Anubarak deserves an answer as to why this is not Craft related. The Garnish Modal doesn't care what you use it for, it's just a modal. So, what Daryl and Mats is hinting at, is that you just need to style the content of the modal properly, and you'll have scroll. Which is what you've tried to do with overflow: auto on the div. But this doesn't work since the wrapping element doesn't have a height. Also, the div itself needs a height to know when to introduce the scroll. Taking the header into account (assuming you want it fixed in the top of the modal), something like this should get you started (inline styles cause I'm lazy, these should of course go into classes): <div id="my-modal" class="modal"> <div id="modal" class="body" style="height: 100%;"> <header class="header"> <h2>Modal header</h2> </header> <div style="overflow: auto; height: calc(100% - 66px); position: absolute; top: 66px; left: 0;"> (insert long content here) </div> </div> </div> Again, this isn't specific to craft, it's a pure CSS question.
16,932
https://bs.wikipedia.org/wiki/IC%202851
Wikipedia
Open Web
CC-By-SA
2,023
IC 2851
https://bs.wikipedia.org/w/index.php?title=IC 2851&action=history
Bosnian
Spoken
167
420
IC 2851 (također poznat kao PGC 1392951) je spiralna galaksija koja je udaljena oko 224 miliona sg od Zemlje i nalazi se u sazviježđu Lav. Najveći prečnik je 0,40 (26 hiljada sg) a najmanji 0,2 uglovnih minuta (13 hiljade sg). Prvo otkriće je napravio Charles Joseph Etienne Wolf 27. marta 1906. godine. Najbliži NGC/IC objekti Sljedeći spisak sadrži deset najbližih NGC/IC objekata. Također pogledajte Novi opći katalog Spisak IC objekata Spisak galaksija Bilješke Prividna magnituda od 15,2 – Apsolutna magnituda: M = m - 5 ((log10 DL) - 1), gdje je m=15,2 i DL=68,8 * 106. 0,40 uglovnih minuta – S = A * D * 0,000291 * P, gdje je A=0,40, D=68,8 i P = 3,2616. Bazirano na euklidsku udaljenost. Reference Literatura Vanjski linkovi IC 2851 IC 2851 na Aladin pregledaču IC katalog Interaktivni NGC Online Katalog Astronomska baza podataka SIMBAD IC katalog na Messier45.com NGC/IC projekt NGC2000 na NASA sajtu IC na The Night Sky Atlas sajtu IC objekti Lav (sazviježđe) PGC objekti Spiralne galaksije
41,313
https://zh-min-nan.wikipedia.org/wiki/Pego%20%28Abrantes%29
Wikipedia
Open Web
CC-By-SA
2,023
Pego (Abrantes)
https://zh-min-nan.wikipedia.org/w/index.php?title=Pego (Abrantes)&action=history
Min Nan Chinese
Spoken
13
57
Pego sī Phû-tô-gâ Abrantes chū-tī-thé ê chi̍t ê kàu-khu (freguesia). Phû-tô-gâ ê kàu-khu
46,411
https://pl.wikipedia.org/wiki/Viviana%20Ch%C3%A1vez
Wikipedia
Open Web
CC-By-SA
2,023
Viviana Chávez
https://pl.wikipedia.org/w/index.php?title=Viviana Chávez&action=history
Polish
Spoken
72
205
Viviana Chávez (ur. 28 maja 1987 w San Juan) – argentyńska lekkoatletka specjalizująca się w biegach długodystansowych. Olimpijka. Chávez w sierpniu 2016 wystartowała w olimpijskim maratonie – podczas biegu w Rio de Janeiro uzyskała czas 3:03:23, zajmując 125. pozycję. Rekord życiowy: maraton – 2:38:27 (10 kwietnia 2016, Rotterdam). Osiągnięcia Przypisy Bibliografia Argentyńscy długodystansowcy Argentyńscy olimpijczycy Lekkoatleci na Letnich Igrzyskach Olimpijskich 2016 Urodzeni w 1987 Ludzie urodzeni w San Juan (mieście w Argentynie)
40,643
https://en.wikipedia.org/wiki/Jackson%2C%20California
Wikipedia
Open Web
CC-By-SA
2,023
Jackson, California
https://en.wikipedia.org/w/index.php?title=Jackson, California&action=history
English
Spoken
1,317
2,060
Jackson (formerly, Botilleas, Botilleas Spring, Bottileas, Bottle Spring, and Botellas) is a city in and the county seat of Amador County, California. Its population was 4,651 at the 2010 census, up from 3,989 at the 2000 census. The city is accessible by both State Route 49 and State Route 88. Geography and geology According to the United States Census Bureau, the city has a total area of , all of it land. Jackson Creek traverses the city. Alluvial soils such as Pardee cobbly loam is found throughout the Jackson area. Climate According to the Köppen climate classification, Jackson has a hot-summer Mediterranean climate (abbreviated Csa). History Early history The area was inhabited by the Northern Sierra Indians, who occupied areas along creeks, spring, and seep areas, including permanent and seasonal drainages, flat ridges, and terraces. Therefore, areas along watercourses are considered likely locations for prehistoric cultural resources. Permanent villages were usually placed on elevations above seasonal flood levels. Surrounding areas were used for hunting and seed, acorn, and grass gathering. Recent history Jackson, named after Colonel Alden Jackson, was founded in 1848 around a year-round spring. Settlement of the region by American pioneers was stimulated by the discovery of gold in the Sierra foothills around 1848. The settlement was named for a local lawyer who was liked by miners named Alden Appola Moore Jackson. Although Amador County was an important mining center, its county seat of Jackson was not typical of the early gold camps. The camp grew quickly, as besides being a popular mining spot, it was also a convenient stopping place on the road from Sacramento to the Southern Mines. The camp became an important supply and transportation center for the neighboring towns, and by 1850, its population had reached an estimated 1,500. Jackson grew first as a watering hole for cattle, then as one of the earliest and most durable of the mother lode's hard rock mining areas. In 1853, Jackson became the county seat of newly formed Amador County, California. Previously, from 1851 to 1852, it had been the county seat of Calaveras County. Placer mining gave out by the 1860s, replaced by hard rock mining. One of the town's most prominent historical landmarks, the Kennedy Mine, began operation in 1860; at the time of its closure during World War II in 1942, it was the deepest gold mine in North America, at 1802 m (5912 ft). On August 27, 1922, 47 miners became trapped when a fire broke out in the Argonaut mine. All 47 men died in the fire, but the last body was not recovered until over a year later. The Argonaut mine incident was the worst gold mine disaster in US history. In October 1942, the US government passed the War Production Board Limitation Order, which signaled the demise of gold mining in California. The government needed men for the war and gold was not considered a strategic war metal. Landmarks Argonaut and Kennedy Mines: California Historical Landmark No. 786. Jackson Gate: Jackson Gate, on the north fork of Jackson Creek, takes its name from a fissure in a reef of rock that crosses the creek. In 1850, about 500 miners worked here and the first mining ditch in the county was dug here; its water sold for $1 per inch, CHL No. 118. Site of Jackson's Pioneer Jewish Synagogue: On September 18, 1857, Congregation B'nai Israel of Jackson dedicated on this site the first synagogue in the Mother Lode. High holy day worship continued until 1869 when the larger Masonic Hall was used to accommodate the congregation. The wooden structure then served as a schoolhouse until 1888. Relocated onto a nearby lot, it became a private dwelling, and was razed in 1948, CHL No. 865. The Jackson Pioneer Jewish Cemetery (active from 1857 to 1921) was connected to the synagogue. Pioneer Hall: The Order of Native Daughters of the Golden West was organized on these premises, the site of the Pioneer Hall, on September 11, 1886, CHL No. 34. Demographics Jackson has a large Serbian community and Serbian Orthodox church. 2010 At the 2010 census, Jackson had a population of 4,651. The population density was . The racial makeup of Jackson was 4,090 (87.9%) White, 32 (0.7%) African American, 94 (2.0%) Native American, 60 (1.3%) Asian, 4 (0.1%) Pacific Islander, 185 (4.0%) from other races, and 186 (4.0%) from two or more races. Hispanic or Latino of any race were 520 people (11.2%). The census reported that 4,423 people (95.1% of the population) lived in households, 12 (0.3%) lived in noninstitutionalized group quarters, and 216 (4.6%) were institutionalized. Of the 2,065 households, 537 (26.0%) had children under 18 living in them, 822 (39.8%) were opposite-sex married couples living together, 294 (14.2%) had a female householder with no husband present, 98 (4.7%) had a male householder with no wife present., 120 (5.8%) were unmarried opposite-sex partnerships, five (0.2%) were same-sex married couples or partnerships; 747 households (36.2%) were one person and 438 (21.2%) had someone living alone who was 65 or older. The average household size was 2.14. Of the 1,214 families (58.8% of households), the average family size was 2.75. The age distribution was 945 people (20.3%) under 18, 306 people (6.6%) 18 to 24, 1,030 people (22.1%) 25 to 44, 1,197 people (25.7%) 45 to 64, and 1,173 people (25.2%) who were 65 or older. The median age was 46.0 years. For every 100 females, there were 84.1 males. For every 100 females 18 and over, there were 79.4 males. The 2,309 housing units had an average density of ,of which 2,065 were occupied, 1,122 (54.3%) by the owners and 943 (45.7%) by renters. The homeowner vacancy rate was 4.9%; the rental vacancy rate was 5.8%; 2,305 people (49.6% of the population) lived in owner-occupied housing units and 2,118 people (45.5%) lived in rental housing units. 2000 At the 2000 census, 3,989 people in 1,746 households, including 1,023 families, lived in the city. The population density was . The 1,859 housing units had an average density of . The racial makeup of the city was 93.5% White, 0.5% Black or African American, 1.4% Native American, 0.6% Asian, 0.1% Pacific Islander, 1.9% from other races, and 2.1% from two or more races. About 6.5% of the population were Hispanics or Latinos of any race. Of the 1,746 households, 24.0% had children under 18 living with them, 43.8% were married couples living together, 12.0% had a female householder with no husband present, and 41.4% were not families. About 36.1% of households were one person, and 20.0% were one person 65 or older. The average household size was 2.13, and the average family size was 2.74. The age distribution was 20.0% under 18, 6.4% from 18 to 24, 21.9% from 25 to 44, 22.9% from 45 to 64, and 28.8% 65 or older. The median age was 47 years. For every 100 females, there were 80.3 males. For every 100 females 18 and over, there were 75.3 males. The median income for a household was $35,944 and for a family was $45,887. Males had a median income of $40,444 versus $35,083 for females. The per capita income for the city was $21,399. About 4.1% of families and 8.3% of the population were below the poverty line, including 7.3% of those under age 18 and 7.0% of those age 65 or over. High school Jackson has only one high school, Argonaut High School. The school's namesake is the Argonaut Mine, located in town. Notable people Robert Grant Aitken, astronomer John C. Begovich, politician Anthony Caminetti, politician Ernest Gallo, winemaker James T. Farley, politician References C. Michael Hogan, Gary Deghi et al., Scottsville Project Environmental Impact Report, Jackson California, Earth Metrics Inc., Report 7562, Sept., 1989 External links Incorporated cities and towns in California Cities in Amador County, California Populated places established in 1848 County seats in California 1848 establishments in California
44,112
https://mathoverflow.net/questions/225224
StackExchange
Open Web
CC-By-SA
2,015
Stack Exchange
English
Spoken
352
607
Assuming admissible functions $\rho$ are continuous in definition of conformal modulus It's stated in Väisälä's 'Lectures on n-dimensional quasiconformal mappings' (p. 20) that, in the geometric definition of a quasiconformal mapping, that the modulus of a family of curves associated to a ring is unaffected by considering admissible functions $\rho$ which are continuous and not just measurable. No further explanation was given there. I skimmed through some papers by Gehring, Väisälä, etc. from the time period and couldn't find any elaboration on this. Could someone suggest a reference, preferably with proof? The question could also be interpreted in terms of the regularity of admissible functions for capacities. A reminder of the definitions: for any disjoint connected continua $E, F \subset \mathbb{R}^n$, we consider the family $\Gamma$ of curves with initial point in $E$ and terminal point in $F$. A measurable function $\rho: \mathbb{R}^n \rightarrow [0, \infty]$ is admissible if $\int_\gamma \rho ds \geq 1$ for all rectifiable $\gamma \in \Gamma$. Then $\text{Mod}_p \Gamma = \inf\{ \int_{\mathbb{R}^n} \rho^p dm\}$, the infimum taken over all admissible $\rho$. Gehring shows (for p=n=3) in the first equality of Theorem 1 in his paper Extremal length definitions for the conformal capacity of rings in space. https://projecteuclid.org/euclid.mmj/1028998672 that the conformal modulus of a ring domain $R$ (defined via measurable functions) can equivalently be defined as the infimum of $\int |Df|^p$ where $f$ varies among $ACL$ functions having boundary values 0 and 1 on the two boundary components of $R$. Moreover he cites on p.138 another paper of himself showing that $ACL$ may be replaced by $C^1$. It seems quite likely that a corresponding characterization also holds for general n and $p$ (not necessarily equal to $n$), maybe even the same proof goes through, see edit below. Assuming that these results also hold for general $p$ and $n$, it follows immediately from the argument on p.142 of the same paper that the conformal modulus of $R$ can also be reached as the infimum over continuous admissible functions. Edit: Actually the whole argument seems to be essentially spelled out in Rickman's book on quasiregular mappings, starting on p.53, section 10.
32,661
https://stackoverflow.com/questions/1484265
StackExchange
Open Web
CC-By-SA
2,009
Stack Exchange
BlueWyfi, Roman Battlez, Saber Jamebozorg, Sabri Rosli, Surajit Biswas, Yousha Aleayoub, alxalm, https://stackoverflow.com/users/1429432, https://stackoverflow.com/users/16784399, https://stackoverflow.com/users/16784400, https://stackoverflow.com/users/2941832, https://stackoverflow.com/users/2941833, https://stackoverflow.com/users/2941834, https://stackoverflow.com/users/2941842, https://stackoverflow.com/users/2941887, https://stackoverflow.com/users/2941932, user2941832, user2941834
English
Spoken
566
1,312
Setting variables on Constructor VS on the class definition Lately I've been wondering if there's a difference between initializing the variables that have a default value on the Constructor VS on the class definition. Which one is better, taking into consideration the optimization: class TestClass { private $test_var = 'Default Value'; function __construct() { } } class TestClass2 { private $test_var; function __construct() { $this->test_var = 'Default Value'; } } They have already default value... no need to Init them AGAIN. The advantage of initializing properties outside of the constructor is that someone reading your code will immediatly know its a default value. Inconvenient is you cannot use every kind of data this way -- will not work with object instanciations, for instance, or with heredoc syntax, from what I recall. I don't think there is much of a difference when it comes to performance -- anyway, there are probably lots of things that matter a lot more, in your application ;-) Still, purely for fun, using the Vulcan Logic Disassembler : With the first example of code (temp-2.php) : <?php class TestClass { private $test_var = 'Default Value'; function __construct() { } } $a = new TestClass(); You get these opcodes : $ php -d extension=vld.so -d vld.active=1 temp-2.php Branch analysis from position: 0 Return found filename: /home/squale/developpement/tests/temp/temp-2.php function name: (null) number of ops: 11 compiled vars: !0 = $a line # op fetch ext return operands ------------------------------------------------------------------------------- 2 0 EXT_STMT 1 NOP 7 2 EXT_STMT 3 ZEND_FETCH_CLASS :1 'TestClass' 4 EXT_FCALL_BEGIN 5 NEW $2 :1 6 DO_FCALL_BY_NAME 0 7 EXT_FCALL_END 8 ASSIGN !0, $2 9 RETURN 1 10* ZEND_HANDLE_EXCEPTION Class TestClass: Function __construct: Branch analysis from position: 0 Return found filename: /home/squale/developpement/tests/temp/temp-2.php function name: __construct number of ops: 4 compiled vars: none line # op fetch ext return operands ------------------------------------------------------------------------------- 4 0 EXT_NOP 5 1 EXT_STMT 2 RETURN null 3* ZEND_HANDLE_EXCEPTION End of function __construct. End of class TestClass. While, with the second example of code (temp-3.php) : <?php class TestClass2 { private $test_var; function __construct() { $this->test_var = 'Default Value'; } } $a = new TestClass2(); You get those opcodes : $ php -d extension=vld.so -d vld.active=1 temp-3.php Branch analysis from position: 0 Return found filename: /home/squale/developpement/tests/temp/temp-3.php function name: (null) number of ops: 11 compiled vars: !0 = $a line # op fetch ext return operands ------------------------------------------------------------------------------- 2 0 EXT_STMT 1 NOP 8 2 EXT_STMT 3 ZEND_FETCH_CLASS :1 'TestClass2' 4 EXT_FCALL_BEGIN 5 NEW $2 :1 6 DO_FCALL_BY_NAME 0 7 EXT_FCALL_END 8 ASSIGN !0, $2 9 9 RETURN 1 10* ZEND_HANDLE_EXCEPTION Class TestClass2: Function __construct: Branch analysis from position: 0 Return found filename: /home/squale/developpement/tests/temp/temp-3.php function name: __construct number of ops: 7 compiled vars: none line # op fetch ext return operands ------------------------------------------------------------------------------- 4 0 EXT_NOP 5 1 EXT_STMT 2 ZEND_ASSIGN_OBJ 'test_var' 3 ZEND_OP_DATA 'Default+Value' 6 4 EXT_STMT 5 RETURN null 6* ZEND_HANDLE_EXCEPTION End of function __construct. End of class TestClass2. So, I'm guessing there is a bit of a difference... But not that important ^^ Up to you to interpret the opcodes -- but the funny thing is there is no trace of 'Default Value' in the first dump... interesting, actually ^^ Seems VLD cannot (or just doesn't) dump everything :-( I think it mostly boils down to personal preferences. However, there are some values you can't set directly to the variable, such as new class instances, that you must assign in the constructor.
16,440
https://sv.wikipedia.org/wiki/Desa%20Wanacala
Wikipedia
Open Web
CC-By-SA
2,023
Desa Wanacala
https://sv.wikipedia.org/w/index.php?title=Desa Wanacala&action=history
Swedish
Spoken
78
174
Desa Wanacala är en administrativ by i Indonesien. Den ligger i provinsen Jawa Tengah, i den västra delen av landet, km öster om huvudstaden Jakarta. Tropiskt monsunklimat råder i trakten. Årsmedeltemperaturen i trakten är  °C. Den varmaste månaden är oktober, då medeltemperaturen är  °C, och den kallaste är maj, med  °C. Genomsnittlig årsnederbörd är millimeter. Den regnigaste månaden är januari, med i genomsnitt mm nederbörd, och den torraste är september, med mm nederbörd. Källor Indelningar i Jawa Tengah
24,619
https://ca.wikipedia.org/wiki/Ielena%20Tx%C3%A0likh
Wikipedia
Open Web
CC-By-SA
2,023
Ielena Txàlikh
https://ca.wikipedia.org/w/index.php?title=Ielena Txàlikh&action=history
Catalan
Spoken
212
542
Ielena Valérievna Txàlikh (en rus Елена Валерьевна Чалых) (Rubtsovsk, Altai, 25 de març de 1974) és una ciclista azerbaidjanesa d'origen rus. Especialista en el ciclisme en pista, ha obtingut tres medalles als Campionats del món en persecució. Va prendre part en els Jocs Olímpics d'Estiu de 2004, representant Rússia, i 2012, representant l'Azerbaidjan. Palmarès en pista 1990 Campiona del món júnior en Persecució 2008 Campiona d'Europa en Òmnium Endurance Resultats a la Copa del Món en pista 1997 1a a Fiorenzuola d'Arda, en Puntuació 1999 1a a Fiorenzuola d'Arda, en Puntuació 2000 1a a Moscou, en Puntuació 2002 1a a Kunming, en Persecució 1a a Kunming, en Puntuació 1a a Kunming, en Scratch 2003 1a a Aguascalientes, en Puntuació 1a a Aguascalientes, en Scratch 1a a Aguascalientes, en Velocitat per equips 2004 1a a Aguascalientes, en Scratch Palmarès en ruta 2001 Campiona de Rússia en ruta Vencedor d'una etapa al Giro d'Itàlia 2008 Campiona de Rússia en contrarellotge 2012 Campiona de l'Azerbaidjan en ruta Campiona de l'Azerbaidjan en contrarellotge Referències Enllaços externs Fitxa a sitiodeciclismo.net Fitxa a museociclismo.it Fitxa als Jocs Olímpics Ciclistes azerbaidjanesos Esportistes russos als Jocs Olímpics d'estiu de 2004 Esportistes azerbaidjanesos als Jocs Olímpics d'estiu de 2012 Persones del territori de l'Altai Ciclistes soviètiques Ciclistes russes Naixements del 1974
34,745
https://uk.wikipedia.org/wiki/%D0%90%D0%B2%D1%82%D0%BE%D1%88%D0%BB%D1%8F%D1%85%20%D0%A2%200437
Wikipedia
Open Web
CC-By-SA
2,023
Автошлях Т 0437
https://uk.wikipedia.org/w/index.php?title=Автошлях Т 0437&action=history
Ukrainian
Spoken
83
302
Автошля́х Т 0437 — автомобільний шлях територіального значення у Дніпропетровській області. Пролягає територією Верхньодніпровського району від Верхньодніпровська до перетину з . Загальна довжина — 2,7 км. Маршрут Автошлях проходить через такі населені пункти: Джерела Постанова Кабінету Міністрів України від 18 квітня 2012 р. № 301 Київ Про затвердження переліку автомобільних доріг загального користування державного значення Про затвердження переліку автомобільних доріг загального користування державного значення: Кабінет Міністрів України; Постанова, Перелік від 16.09.2015 № 712 Т0437 Територіальні автомобільні шляхи України Автошляхи Кам'янського району Транспорт Верхньодніпровська
21,165
https://ja.wikipedia.org/wiki/%E7%A6%8F%E4%B8%96%E6%81%B5%E6%A2%A8%E5%A5%88
Wikipedia
Open Web
CC-By-SA
2,023
福世恵梨奈
https://ja.wikipedia.org/w/index.php?title=福世恵梨奈&action=history
Japanese
Spoken
24
201
福世 恵梨奈(ふくよ えりな、1978年1月28日 - )は、日本の元タレント。静岡県出身。 略歴 エブナイギャルを経て、2001年10月からワンギャル5期生に就任。翌年9月まで『ワンダフル』にレギュラー出演した。 出演 バラエティ エブナイ(フジテレビ) - エブナイギャル ワンダフル(2001年10月 - 2002年9月、TBS) - ワンギャル5期生 関連項目 GACKT 日本のタレント 5 静岡県出身の人物 1978年生 存命人物
8,328
https://dag.wikipedia.org/wiki/Alfonso%20P%C3%A9rez
Wikipedia
Open Web
CC-By-SA
2,023
Alfonso Pérez
https://dag.wikipedia.org/w/index.php?title=Alfonso Pérez&action=history
Dagbani
Spoken
27
87
Alfonso Pérez nyɛla bol'ŋmɛri so ŋun ŋmɛri tiri Real Betis. O piligu O boli ŋmɛbɔ O tiŋduya boli ŋmɛbo O ni di pini shɛŋa Kundivihira Lahabaya zaa
16,167
https://askubuntu.com/questions/505508
StackExchange
Open Web
CC-By-SA
2,014
Stack Exchange
LittleByBlue, Sudheer, https://askubuntu.com/users/261288, https://askubuntu.com/users/264884
English
Spoken
132
177
Get ubuntu on another computer without internet I want to get Ubuntu on my other computer that can't get internet, and since it can't get internet, can I download it on my current (this one) and load it on a USB to install it on the other computer? Yes, you can download .iso file from http://www.ubuntu.com/download/desktop and create a live USB/CD to install. Yes. You can also burn Ubuntu onto a CD and use it to install in the computer with no internet. If you need help on how to install Ubuntu: Install Ubuntu from a USB stick Install Ubuntu from a CD Try to ceep the two systems as similar as possible, so you can carry .deb files via usb to the machine without internet connection contact me for more information.
41,397
https://ceb.wikipedia.org/wiki/Fon%2C%20Norway
Wikipedia
Open Web
CC-By-SA
2,023
Fon, Norway
https://ceb.wikipedia.org/w/index.php?title=Fon, Norway&action=history
Cebuano
Spoken
28
56
Fon, Norway mao ang usa ka barangay nga nahimutang sa nasud Norway. Tan-awa usab sa Listahan sa mga barangay sa Norway Pakisayran Listahan sa mga barangay sa Norway
24,493
https://ja.wikipedia.org/wiki/292%E5%B9%B4
Wikipedia
Open Web
CC-By-SA
2,023
292年
https://ja.wikipedia.org/w/index.php?title=292年&action=history
Japanese
Spoken
46
338
他の紀年法 干支 : 壬子 日本 応神天皇23年 皇紀952年 中国 西晋 : 元康2年 朝鮮 高句麗 : 西川王23年、烽上王元年 新羅 : 儒礼王9年 百済 : 責稽王7年 檀紀2625年 仏滅紀元 : 835年 ユダヤ暦 : 4052年 - 4053年 カレンダー できごと ディオクレティアヌス、ローマ帝国領内を分割し正帝、副帝を配備、国境の蛮族侵入に備える、テトラルキアの始まり ティカルの「石碑29」に刻まれたマヤ暦の日付は、この年にあたる。マヤ文字で示された最古の日付。 誕生 死去 月日不詳 - 西川王、高句麗の第13代の王。 脚注 注釈 出典 関連項目 年の一覧 年表 年表一覧
36,695
https://ja.wikipedia.org/wiki/%E9%BB%92%E4%BA%95%E9%A7%85%20%28%E6%96%B0%E6%BD%9F%E7%9C%8C%29
Wikipedia
Open Web
CC-By-SA
2,023
黒井駅 (新潟県)
https://ja.wikipedia.org/w/index.php?title=黒井駅 (新潟県)&action=history
Japanese
Spoken
148
4,503
黒井駅(くろいえき)は、新潟県上越市にある東日本旅客鉄道(JR東日本)・日本貨物鉄道(JR貨物)信越本線の駅である。 JR東日本の駅は頸城区西福島に、JR貨物の駅は大字黒井に所在する。 概要 当駅は上越市頸城区に位置する。犀潟駅 - 直江津駅間を直通運転する北越急行ほくほく線の一部列車も停車する。 頸城鉄道線 現在の南口側には、頸城鉄道線の起点駅である新黒井駅(しんくろいえき)が設けられていた。 頸城自動車の前身にあたる頸城鉄道は1913年(大正2年)4月6日に設立され、後の頸城村と浦川原村(現:上越市浦川原区)となる中頸城郡北部の村々を東西に横断する軽便鉄道の頸城鉄道線は1914年(大正3年)10月1日に開業した。駅舎はインターナショナル石油直江津製油所の外国人宿舎として使われていた通称「異人屋敷」のうち1棟を移築したもので、信越本線に面する北側に建てられた木造2階建ての擬洋風建築の駅舎南側に単式ホーム1面1線と側線などが設けられ、国鉄線ホームとの間は構内踏切で連絡していた。 1968年(昭和43年)10月1日に新黒井駅 - 百間町駅間が部分廃線された後、駅舎はタクシー待機場や同社の石材事業の工場などとしての運用を経て、老朽化等のため撤去された。頸城自動車では駅舎跡が同社の創業地にあたることなどから頸城鉄道線の史実を伝えるため、創業80周年事業の一環として1993年(平成5年)10月に新黒井駅跡を示す石碑を建立した。駅舎跡はその後、一部が道路や駐車場などに転用された以外は長らく未整備のままとなっていたが、後述の駅周辺整備事業に伴って上越市が用地を取得し、石碑は南口駅前広場のかつて駅舎が所在していた地点に移設された。 なお駅舎跡の敷地のうち、南口駅前広場となった市有地を除く大部分は現在も頸城自動車が所有し、同社グループのマルケー不動産が管理している。 黒井駅周辺地区整備事業 黒井駅周辺地区は信越本線が南北を分断しており、特に駅西側の西福島踏切では朝と夕方の通勤通学時間帯1時間あたりの遮断時間が15分前後に及び、周辺道路は道幅が狭隘な上に自転車歩行者道の整備も進捗していない。また北西側に設けられていた旧駅舎は駅前広場や駐輪場などの整備が進んでおらず、特に頸城区方面など駅東側からの利便性の確保が大きな課題となっていた。 上越市に編入合併する前の旧頸城村では、第4次総合計画の公共交通主要施策の一つとして黒井駅周辺の整備と南口の新設を根幹事業に位置付けていた。これを受けて合併後の上越市でも合併建設計画のひとつに黒井駅周辺整備を盛り込み、2005年(平成17年)度から計画の策定に着手した 。 そして駅周辺整備事業は2010年(平成22年)度から事業を開始し、同年6月1日に着工した。旧駅舎南西側に自由通路を新設し、前掲の新黒井駅跡には新たに南口が整備された。現在の駅舎と自由通路は2012年(平成24年)3月に竣工して供用が開始され、ホームの直江津寄りには待合室が新設された。 ほくほく線列車について ほくほく線は1997年(平成9年)3月22日に全線が開業し、同時に犀潟駅 - 直江津駅間で直通運転が開始されたが、両駅中間の黒井駅は普通列車・快速列車とも開業以来、全て通過していた。上越市では企業立地が多い黒井駅周辺への通勤利便性確保などを目的に、北越急行とJR東日本新潟支社に対し、ほくほく線列車の停車を要望してきた。 その後北越急行がJR新潟支社と協議した結果、2015年(平成27年)3月14日のダイヤ改正から、ほくほく線の一部列車を黒井駅に停車させる方針が決定し、2014年(平成26年)12月19日付のほくほく線ダイヤ改正概要の中で発表した。停車するのは下り(越後湯沢発)が昼の1本、上り(直江津発)が朝の2本(うち1本は快速列車)で、停車初日となった同日の下り普通列車発着時には歓迎セレモニーが行われた。 歴史 1902年(明治35年)7月1日:北越鉄道の貨物駅として開業。 1906年(明治39年)9月1日:一般駅として旅客営業を開始する。 1907年(明治40年)8月1日:北越鉄道が国有化される。 1914年(大正3年)10月1日:頸城鉄道線の新黒井駅 - 下保倉駅間が開業。 1966年(昭和41年)5月30日:駅舎が竣工し供用を開始する(旧駅舎)。 1968年(昭和43年)10月1日:頸城鉄道線の新黒井駅 - 百間町駅間が廃止される。 1984年(昭和59年)2月1日:荷物の取扱を廃止する。 1985年(昭和60年) 3月5日:コンテナ貨物の取扱を開始する。 3月14日:駅員無配置駅となる。 1987年(昭和62年)4月1日:国鉄分割民営化により、JR東日本とJR貨物の駅となる。 2007年(平成19年)3月18日:車扱貨物の取扱を廃止する。 2012年(平成24年):現在の駅舎と自由連絡通路・ホーム上の待合室の供用を開始する。 2015年(平成27年)3月14日:同日のダイヤ改正より、ほくほく線普通・快速列車のうち下り1本・上り2本の停車を開始する。また直江津駅のえちごトキめき鉄道への移管に伴い、地区管理駅を長岡駅に変更する。 駅構造 島式ホーム1面2線を持つ地上駅で橋上駅舎を有する。ホームに面する上下本線のみJR東日本の管轄で、北側にある線路(後述)はすべてJR貨物の管轄となっている。無人駅で、長岡駅が管理する。北陸新幹線金沢延伸までは直江津駅が管理していた。 直江津駅が前述の北陸新幹線金沢延伸開業に伴う在来線経営分離により、えちごトキめき鉄道の管轄になったため、JR東日本新潟支社並びに、日本海沿岸のJR東日本管轄の在来線の駅ではもっとも西(有人駅では犀潟駅)に位置する駅となった。 駅舎内の設備は自由通路上の改札口横に乗車駅証明書発行機・お知らせ標が設置されており、自由通路とホームには連絡階段で連絡している。ホーム上には屋内待合室が設置されている。 自由通路(黒井駅自由通路)は所在地である上越市が管理しており、延長52.5m・幅員3mを有する。 のりば (出典:JR東日本:駅構内図) 貨物駅 JR貨物は、旅客ホームの西側にある着発線および側線、駅構内北側にあるコンテナ荷役線などを管理している。 貨物列車の着発線は3本。下り本線に隣接するものから順に下り1番線、下り2番線、下り3番線である。下り3番線の西側にも仕訳線が仕訳1番線から仕訳8番線まで、合計8本ある。 コンテナホームは2面で、着発線・仕訳線の北側にある。荷役線は2線で、着発線・仕訳線に繋がる引き上げ線に接続している。 2000年春頃までは、構内南側にある上り引き上げ線から駅西側にある信越化学工業直江津工場へ向かう専用線があり、タンク車による化学薬品輸送が行われていた。この専用線が最後まで使用されていた専用線で、1980年代にはこの他にも日本ステンレス(現:日本製鉄直江津製造所)の専用線、日本海水化工の専用線、新潟県営の公共臨港線が存在した。 取扱う貨物の種類 当駅はコンテナ貨物の取扱駅であり、12 ft・20 ft・30 ftのJR規格鉄道コンテナと、20 ft・40 ftのISO規格海上コンテナを取り扱っている。 取扱品は、発送貨物では工業薬品、鉱石、金属製品、米が主なもの。直江津港や周辺の大規模工場の貨物を主に取り扱う。また産業廃棄物・特別管理産業廃棄物の取扱許可を得ており、それらが入ったコンテナの取り扱いも可能である。 2007年3月18日のダイヤ改正までは、車扱貨物の取扱駅でもあった。車扱貨物として1990年代まで、直江津港で陸揚げされ青海駅へ輸送される工場用輸入石炭を取り扱っていた。 貨物列車 2015年3月14日改正現在、停車列車は高速貨物列車のみである。発着する列車の本数は、南長岡駅方面へ向かう下り列車が1日3本(南長岡駅行きが1本、新潟貨物ターミナル駅行きが2本)、当駅終着の上り列車が1日1本である。富山貨物駅方面へ向かう列車の停車設定はない。 専用貨物列車も発着していたが、2008年3月15日のダイヤ改正ですべて廃止された。 貨物入れ替え機として直江津運輸区に東新潟機関区所属のDE10が配置され、長らく駅構内で入れ替え作業に従事していたが、2014年3月のダイヤ改正で貨物駅構内にも架線が張られ、電気機関車の入線が可能となったため、DE10による入れ替え作業は廃止された。 利用状況 旅客 JR東日本の1日平均乗車人員の推移は以下のとおりであった。 貨物 「新潟県統計年鑑」によると、近年の貨物輸送の推移は以下のとおりである。なお、発送貨物の単位は、1993年度 - 1998年度(平成5年度 - 平成10年度)はトン、1999年度(平成11年度)以降は千トンである。 駅周辺 駅周辺は一部が住宅地となっているが、大部分が直江津港の工業集積地となっている。 北口 信越化学工業直江津工場 日本製鉄直江津製造所 大平洋特殊鋳造 マリーナ上越 南口 国道8号 - 南口駅前広場から市道頸城2号線経由で約500m ホテル 上越パブリックシティ 新潟県南部産業団地・上越市西福島工業団地 甲信越福山通運上越流通センター 上越テクノセンター・三菱ケミカルハイテクニカ バス路線 上越市が地域公共交通の活性化を目的に事業を実施している「頸城区地域巡回バス」の「黒井駅線」が、南口から発着している。頸城自動車グループの頸北観光バスが運行業務を受託しており、区総合事務所などの公共施設が所在する百間町を起点に巡回する路線で、平日7本が運行されている。 また、このほか直江津と頸城区を結ぶ「南川線」が近くを通る。 「黒井駅南口」バス停 頸北観光バス 26 黒井駅線 「橋場」バス停(駅から南に徒歩5分、県道216号沿い) 頸城自動車 20・21 南川線 隣の駅 東日本旅客鉄道(JR東日本) 信越本線 快速(夕方下り1本のみ停車)・普通 直江津駅 - 黒井駅 - 犀潟駅 北越急行 ほくほく線(犀潟駅 - 直江津駅間JR信越本線、一部の列車のみ停車) 犀潟駅 - 黒井駅 - 直江津駅 廃止路線 頸城鉄道線 新黒井駅 - 北四ツ屋 脚注 記事本文 注釈 出典 利用状況 旅客 貨物 関連項目 日本の鉄道駅一覧 黒井駅 (兵庫県) - JR西日本福知山線に所在する同名駅。 外部リンク 上越市の鉄道駅 ろい 東日本旅客鉄道の鉄道駅 日本貨物鉄道の鉄道駅 日本国有鉄道の鉄道駅 信越本線 北越鉄道の鉄道駅 1902年開業の鉄道駅
29,030
https://ceb.wikipedia.org/wiki/Desa%20Selat%20%28administratibo%20nga%20balangay%20sa%20Provinsi%20Bali%2C%20lat%20-8%2C42%2C%20long%20115%2C49%29
Wikipedia
Open Web
CC-By-SA
2,023
Desa Selat (administratibo nga balangay sa Provinsi Bali, lat -8,42, long 115,49)
https://ceb.wikipedia.org/w/index.php?title=Desa Selat (administratibo nga balangay sa Provinsi Bali, lat -8,42, long 115,49)&action=history
Cebuano
Spoken
135
230
Alang sa ubang mga dapit sa mao gihapon nga ngalan, tan-awa ang Desa Selat. Administratibo nga balangay ang Desa Selat sa Indonesya. Nahimutang ni sa administratibo nga balangay sa Desa Selat, lalawigan sa Provinsi Bali, sa habagatan-kasadpang bahin sa nasod, km sa sidlakan sa Jakarta ang ulohan sa nasod. Ang Desa Selat nahimutang sa pulo sa Bali. Hapit nalukop sa lasang ang palibot sa Desa Selat. Dunay mga ka tawo kada kilometro kwadrado sa palibot sa Desa Selat nga hilabihan populasyon. Ang klima tropikal nga kasalupan. Ang kasarangang giiniton °C. Ang kinainitan nga bulan Oktubre, sa  °C, ug ang kinabugnawan Agosto, sa  °C. Ang kasarangang pag-ulan milimetro matag tuig. Ang kinabasaan nga bulan Enero, sa milimetro nga ulan, ug ang kinaugahan Agosto, sa milimetro. Saysay Ang mga gi basihan niini Mga subdibisyon sa Provinsi Bali
21,945
https://codereview.stackexchange.com/questions/129264
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
Kaz, Raystafarian, https://codereview.stackexchange.com/users/75587, https://codereview.stackexchange.com/users/81541
Dutch
Spoken
652
1,295
CLS_Compound_Predicate I have a CLS_Comparison_Predicate which will take an input value, perform a logical comparison and return a Boolean. CLS_Compound_Predicate instead takes lists of predicates and an inputValue, and performs MatchAny() or MatchAll() operations on the predicate list. E.G. predicate_1 has >= 3 predicate_2 has = 5 MatchAny(6) Returns True MatchAll(6) Returns False Thoughts? Option Explicit Private predicateList As Variant Private Const NULL_ERROR_TEXT As String = "Invalid Compare input. Cannot compare against Null" Private Const OBJECT_ERROR_TEXT As String = "Invalid Compare input. Input must be a value, not an object" Private Const NOTHING_ERROR_TEXT As String = "Invalid Compare Input. Predicate cannot be Nothing" Private Const EMPTY_ERROR_TEXT As String = "Invalid Compare Input. Input cannot be empty" Private Const ZLS_ERROR_TEXT As String = "Invalid Compare Input. Input cannot be a Zero-Length-String" Public Sub AddPredicate(ByRef inputPredicate As CLS_Comparison_Predicate) If inputPredicate Is Nothing Then PrintErrorMessage NOTHING_ERROR_TEXT Stop End If If IsEmpty(predicateList) Then ReDim predicateList(1 To 1) Set predicateList(1) = inputPredicate Else Dim LB1 As Long, UB1 As Long GetBounds LB1, UB1 ReDim Preserve predicateList(LB1 To UB1 + 1) Set predicateList(UB1 + 1) = inputPredicate End If End Sub Public Sub ClearPredicates() If Not predicateList Is Nothing Then Erase predicateList End Sub Public Function MatchAny(ByVal leftValue As Variant) As Boolean '/ compares leftValue against predicateList. If any return true, then return true, else return false CheckInputValue leftValue Dim LB1 As Long, UB1 As Long GetBounds LB1, UB1 Dim matchesAny As Boolean matchesAny = False Dim predicate As CLS_Comparison_Predicate Dim ix As Long For ix = LB1 To UB1 Set predicate = predicateList(ix) If predicate.Compare(leftValue) Then matchesAny = True Exit For End If Next ix MatchAny = matchesAny End Function Public Function MatchAll(ByVal leftValue As Variant) As Boolean '/ compares leftValue against predicateList. If any return false, then return false, else return true CheckInputValue leftValue Dim LB1 As Long, UB1 As Long GetBounds LB1, UB1 Dim matchesAll As Boolean matchesAll = True Dim predicate As CLS_Comparison_Predicate Dim ix As Long For ix = LB1 To UB1 Set predicate = predicateList(ix) If Not predicate.Compare(leftValue) Then matchesAll = False Exit For End If Next ix MatchAll = matchesAll End Function Private Sub CheckInputValue(ByVal inputValue As Variant) '/ Check for NULL, Objects, Empty and ZLS If IsNull(inputValue) Then PrintErrorMessage NULL_ERROR_TEXT Stop End If If IsObject(inputValue) Then PrintErrorMessage OBJECT_ERROR_TEXT Stop End If If IsEmpty(inputValue) Then PrintErrorMessage EMPTY_ERROR_TEXT Stop End If On Error Resume Next If Len(inputValue) = 0 Then PrintErrorMessage ZLS_ERROR_TEXT Stop End If On Error GoTo 0 End Sub Private Sub GetBounds(Optional ByRef LB1 As Long, Optional ByVal UB1 As Long) LB1 = LBound(predicateList) UB1 = UBound(predicateList) End Sub Why the 1 on UB and LB? There's another UB/LB somewhere else? Force of habit. I have LB/UB X where X is the dimension in question throughout all of my code. I learned something from this On Error Resume Next If Len(inputValue) = 0 Then PrintErrorMessage ZLS_ERROR_TEXT Stop End If On Error GoTo 0 I learned that On Error GoTo 0 disables error handling in the current procedure. The KB also says: Without an On Error GoTo 0 statement, an error handler is automatically disabled when a procedure is exited. So you really don't need it. I also can't figure out under what conditions the len would error. The only thing I could think of is if it's an object, but you've exited by that point. It can't be a negative length can it? And what if, at some later date, me (or somebody else) adds an extra condition after the ZLS check without reading the whole function first? Suddenly On Error Resume Next is still in force, which they did not account for when writing their check. All in all, far safer to just wrap the target check in resume next, goto 0. I also can't think of a condition off the top of my head, but seeing as variant can be any type, it's safer not to assume anything.
48,155
https://stackoverflow.com/questions/32758125
StackExchange
Open Web
CC-By-SA
2,015
Stack Exchange
Ben Carroll, Bhumit Mehta, Dipen, https://stackoverflow.com/users/1635058, https://stackoverflow.com/users/1883476, https://stackoverflow.com/users/2281927, https://stackoverflow.com/users/2321467, mkabatek
English
Spoken
528
976
iOS9 not tracking location while in background My app tracks location while in background... the location background mode is enabled and i use [self.locationManager startUpdatingLocation]; This works great on iOS7-8 but it stopped working on iOS9 In simulator it works, but on real device i get no callback while in background... when running the same code on iOS8 device i get normal callbacks as before Is this documented? Why does it work in simulator and not in device? is it a bug? When using startSignificantChangeUpdates it works on iOS9, i wonder if this is some kind of battery saving feature, that they possibly prohibited startUpdatingLocation Please see the belo http://stackoverflow.com/questions/30808192/allowsbackgroundlocationupdates-in-cllocationmanager-in-ios9 Use: if ([self.locationManager respondsToSelector:@selector(setAllowsBackgroundLocationUpdates:)]) { [self.locationManager setAllowsBackgroundLocationUpdates:YES]; } to avoid using a macro that evaluates the system version. This will call setAllowsBackgroundLocationUpdates: on iOS 9 but not on iOS 8. This saved my weekend :) and its strange that in simulator it works without any issue Please use below reference for location in ios 9 allowsBackgroundLocationUpdates in CLLocationManager in iOS9 This new property is explained in the WWDC session "What's New in Core Location". The default value is NO if you link against iOS 9. If your app uses location in the background (without showing the blue status bar) you have to set allowsBackgroundLocationUpdates to YES in addition to setting the background mode capability in Info.plist. Otherwise location updates are only delivered in foreground. The advantage is that you can now have location managers with background location updates and other location managers with only foreground location updates in the same app. You can also reset the value to NO to change the behavior. The documentation is pretty clear about it: By default, this is NO for applications linked against iOS 9.0 or later, regardless of minimum deployment target. With UIBackgroundModes set to include "location" in Info.plist, you must also set this property to YES at runtime whenever calling -startUpdatingLocation with the intent to continue in the background. Setting this property to YES when UIBackgroundModes does not include "location" is a fatal error. Resetting this property to NO is equivalent to omitting "location" from the UIBackgroundModes value. Access to location is still permitted whenever the application is running (ie not suspended), and has sufficient authorization (ie it has WhenInUse authorization and is in use, or it has Always authorization). However, the app will still be subject to the usual task suspension rules. See -requestWhenInUseAuthorization and -requestAlwaysAuthorization for more details on possible authorization values. Thanks Please note that your program will crash if you include this property on system versions less than 9.0. You will see: [CLLocationManager setAllowsBackgroundLocationUpdates:]: unrecognized selector sent to instance. Please see my answer for managing this. Xcode 7 changes this suggestion to: if #available(iOS 9.0, *) { self.locationManager.allowsBackgroundLocationUpdates = true } else { // Fallback on earlier versions } I had the same issue, you need to add something like this: if(SYSTEM_VERSION_GREATER_THAN_OR_EQUAL_TO(@"9.0")){ [self.locationManager setAllowsBackgroundLocationUpdates:YES]; } My macro for checking the system version looks like this: #define SYSTEM_VERSION_GREATER_THAN_OR_EQUAL_TO(v) ([[[UIDevice currentDevice] systemVersion] compare:v options:NSNumericSearch] != NSOrderedAscending) The following forum post helped me: https://forums.developer.apple.com/thread/6895 The new method is locationManager -> requestLocation() see https://developer.apple.com/library/ios/documentation/CoreLocation/Reference/CLLocationManager_Class/ Also added allowsBackgroundLocationUpdates (only for iOS9).
1,758
https://wa.wikipedia.org/wiki/Cofrereye
Wikipedia
Open Web
CC-By-SA
2,023
Cofrereye
https://wa.wikipedia.org/w/index.php?title=Cofrereye&action=history
Walloon
Spoken
11
38
Cofrereye gastronomike Cofrereye rilidjeuse Li mot "cofrereye" dins li splitchant motî
18,909
https://stackoverflow.com/questions/52375919
StackExchange
Open Web
CC-By-SA
2,018
Stack Exchange
adityap, https://stackoverflow.com/users/1654854
English
Spoken
500
1,166
item with same key already exists Fairly new to LINQ and cannot understand why I am getting this error: An item with the same key has already been added. I was thinking because I am using the select lambda expression 3 times? Otherwise, from the code, I cannot see how any property is being assigned more than once. Is there any better way to write this and with explanation? Thanks. Viewmodel: public class AwardWinnersViewModel { public int WinnerId { get; set; } public string AwardName { get; set; } public DateTime StartDate { get; set; } public string Contact { get; set; } public int Type { get; set; } public int JurisdictionRef { get; set; } public int WorkareaRef { get; set; } public string Jurisdiction { get; set; } public string Workarea { get; set; } public string LogoUrl { get; set; } } public class AwardWinnersWrapperVM { public IEnumerable<KeyValuePair<short, string>> JurisdictionFilter { get; set; } public IEnumerable<KeyValuePair<int, string>> WorkareaFilter { get; set; } public IEnumerable<AwardWinnersViewModel> AwardWinners { get; set; } public int Page { get; set; } public int WinnersPerPage { get; set; } public bool HasPrevious { get; set; } public bool HasNext { get; set; } public int TotalWinners { get; set; } public int? ResultsOutOf { get => (this.WinnersPerPage * (this.Page + 1)) < this.TotalWinners ? (this.WinnersPerPage * (this.Page + 1)) : this.TotalWinners; } public int NumberOfPips { get => this.TotalWinners / WinnersPerPage; } public int? SelectedJurisdiction { get; set; } public int? SelectedWorkarea { get; set; } } Controller: [HttpGet] public async Task<ActionResult> Index(int? page, int? additionalJurisdictionSearch, int? additionalWorkareaSearch) { var awardWinners = await awardWinnersService.GetAwardWinnersAsync(); var jurisdictions = contentMetadataService.GetJurisdictions(); var workareas = contentMetadataService.GetWorkareas(); int pageNumber = page ?? 0; var viewModel = new AwardWinnersWrapperVM { TotalWinners = awardWinners.Count(), WinnersPerPage = winnersPerPage, Page = pageNumber, HasPrevious = pageNumber > 0, HasNext = awardWinners.Count() > (winnersPerPage * (pageNumber + 1)), AwardWinners = awardWinners.Select(x => new AwardWinnersViewModel { Type = x.Type, Contact = (x.Type == 1) ? x.WinnerId != 0 ? contributorService.GetContributor(x.WinnerId, true)?.DisplayName : string.Empty : x.WinnerId != 0 ? authorService.GetByRef(x.WinnerId, true)?.AuthorName : string.Empty, StartDate = x.StartDate, AwardName = x.AwardName, Jurisdiction = x.Jurisdiction, Workarea = x.Workarea, LogoUrl = (x.Type == 1) ? contributorService.GetContributor(x.WinnerId, true)?.LogoImageUrlCDN : authorService.GetByRef(x.WinnerId, true)?.PhotoUrl, }), JurisdictionFilter = awardWinners.Select(x => new { id = x.JurisdictionRef, display = (jurisdictions.TryGetValue((short)x.JurisdictionRef, out var jurisdiction) ? jurisdiction.JurisdictionName : string.Empty) }).ToDictionary(key => (short)key.id, val => val.display), WorkareaFilter = awardWinners.Select(x => new { id = x.WorkareaRef, display = (workareas.TryGetValue(x.WorkareaRef, out var workarea) ? workarea.WorkareaName : string.Empty) }).ToDictionary(key => key.id, val => val.display) .Skip(winnersPerPage * (pageNumber - 1)) .Take(winnersPerPage) }; return View(viewModel); } Can you post the stack trace on exception. I see a syntax error @ PhotoUrl, where you have an extra comma If any of your awardWinners share a jurisdictionRef or workareaRef then the ToDictionary() calls for JurisdictionFilter and WorkareaFilterwill fail with that exception. I think you want to grab only the distinct jurisdictions/workareas for your filter box (this can likely be achieved using .Distinct() immediately before the ToDictionary).
27,380
https://hu.wikipedia.org/wiki/R%C4%B1dvan%20Bolatl%C4%B1
Wikipedia
Open Web
CC-By-SA
2,023
Rıdvan Bolatlı
https://hu.wikipedia.org/w/index.php?title=Rıdvan Bolatlı&action=history
Hungarian
Spoken
62
204
Rıdvan Bolatlı (Ankara, 1928. december 2. – 2022. március 31.) török labdarúgó, hátvéd. Pályafutása 1952 és 1956 között az Ankaragücü labdarúgója volt. A török válogatott színeiben részt vett az 1952. évi nyári olimpiai játékokon és az 1954-es labdarúgó-világbajnokságon. Jegyzetek Források 1928-ban született személyek 2022-ben elhunyt személyek Török labdarúgók Labdarúgóhátvédek Az 1952. évi nyári olimpiai játékok labdarúgói Török olimpikonok Az 1954-es világbajnokság labdarúgói
37,404
https://ceb.wikipedia.org/wiki/D%27Almeida%20%28awtor%29
Wikipedia
Open Web
CC-By-SA
2,023
D'Almeida (awtor)
https://ceb.wikipedia.org/w/index.php?title=D'Almeida (awtor)&action=history
Cebuano
Spoken
18
46
Si D'Almeida nga ang hamubong pangalan niini nag tudlo kang: Jose Mario d'Almeida Romualdo Ferreira D'Almeida Mga awtor
33,704
https://ia.wikipedia.org/wiki/Montecorvino%20Pugliano
Wikipedia
Open Web
CC-By-SA
2,023
Montecorvino Pugliano
https://ia.wikipedia.org/w/index.php?title=Montecorvino Pugliano&action=history
Interlingua
Spoken
25
45
Montecorvino Pugliano es un municipalitate que se trova in le provincia de Salerno, in le region de Campania, in Italia. Municipalitates del provincia de Salerno
16,571
https://es.wikipedia.org/wiki/Rumbach
Wikipedia
Open Web
CC-By-SA
2,023
Rumbach
https://es.wikipedia.org/w/index.php?title=Rumbach&action=history
Spanish
Spoken
56
101
Rumbach es un municipio situado en el distrito de Palatinado Sudoccidental, en el estado federado de Renania-Palatinado (Alemania). Su población estimada a finales de 2016 era de . Se encuentra ubicado al sur del estado, cerca de la ciudad de Pirmasens y de la frontera con Francia. Referencias Enlaces externos Localidades del distrito de Palatinado Sudoccidental
28,441
https://fa.wikipedia.org/wiki/%D8%A7%D8%B3%D8%AA%D9%84%20%DA%A9%D8%A7%D8%B3%DA%A9%D8%A7%D8%B1%DB%8C%D9%86%D9%88
Wikipedia
Open Web
CC-By-SA
2,023
استل کاسکارینو
https://fa.wikipedia.org/w/index.php?title=استل کاسکارینو&action=history
Persian
Spoken
93
287
استل کاسکارینو (؛ زادهٔ ) بازیکن فوتبال اهل فرانسه است. از باشگاه‌هایی که در آن بازی کرده‌است می‌توان به باشگاه فوتبال زنان المپیک لیون اشاره کرد. او همچنین در تیم‌های ملی فوتبال France women's national under-17 football team, France women's national under-19 football team، و زنان فرانسه بازی کرده‌است. منابع افراد زنده افراد فرانسوی گوادلوپی‌تبار بازیکنان باشگاه فوتبال زنان المپیک لیون بازیکنان باشگاه فوتبال زنان پاری سن ژرمن بازیکنان تیم ملی فوتبال زنان فرانسه بازیکنان فوتبال زن اهل فرانسه دوقلوهای اهل فرانسه زادگان ۱۹۹۷ (میلادی) مدافعان زن فوتبال ورزشکاران دوقلو افراد فرانسوی ایتالیایی‌تبار
1,794
https://stackoverflow.com/questions/5080133
StackExchange
Open Web
CC-By-SA
2,011
Stack Exchange
Charu Veluthoor, Mark Avenius, Natalia Cancino, RogueSpear00, Shadowmage45, TypicalGatsby, Winnie Mie Guirnaldo 希美 注意, andrea bone, https://stackoverflow.com/users/10807674, https://stackoverflow.com/users/10807675, https://stackoverflow.com/users/10807676, https://stackoverflow.com/users/10808316, https://stackoverflow.com/users/10808734, https://stackoverflow.com/users/16648828, https://stackoverflow.com/users/467210, https://stackoverflow.com/users/570508
English
Spoken
411
562
FDF to PDF Server Application Unavailable I have a custom built CRM that is 99% written in Classic ASP/VBScript. Currently we use a FDF to PDF script that generates a bunch of PDF files (depending on which PDF you are choosing to merge.) Almost exactly the same time every day, at around 9:30 AM my users can no longer use the function as the error "Server Application Unavailable" appears when they try to use the function. The error then may happen randomly or nearly every 2 hours thereafter - but it depends on usage. In order for me to fix this, I have to either restart IIS, or Recycle the App Pool. The App Pool that the site resides is independent of all other applications on the server. The script was written in .NET by a 3rd party company and I can post the code here if required. There is nothing in Event Log, and I'm unable to find any logs or indications as to what the problem may be. Any ideas? If anyone needs any additional information, please let me know. If your application pool's idle timeout is set to 120 minutes, this could explain this issue appearing every two hours. I have had issues where certain long-running processes idle-out and are shut down by IIS. EDIT: I just poked around, and I found this, which looks promising. @Mark Avenius It's not exactly 2 hours, but I understand what you're saying. I disabled the idle shutdown for the interim. Anywhere I can find logs of any of this? Thanks Mark - I believe that answers my question. I'm going to keep this question open and unanswered for the meantime I want to see if the changes made actually solve the issue. Also - I didn't even know there were other "Stack" sites! I've been asking all my questions here instead of the approprate ones! @RogueSpear: You're welcome! Yes, there is quite a bit of information available on the StackExchange community. Welcome, and good luck! Today will tell, Mark - if in fact inactivity was indeed my problem. Just an update - I haven't had the problem reappear after several hours, I think this may have resolved the issue. Thanks Mark! Mark - Bad news. This problem is now showing more frequently. I had initially thought this issue was resolved, but it is reappearing. I have not changed any settings or modified anything on the server-side. Any further ideas by chance?
32,286
https://en.wikipedia.org/wiki/Oakland%20Military%20Institute
Wikipedia
Open Web
CC-By-SA
2,023
Oakland Military Institute
https://en.wikipedia.org/w/index.php?title=Oakland Military Institute&action=history
English
Spoken
466
594
Oakland Military Institute, formally the Oakland Military Institute College Preparatory Academy, is a charter school run by the California Military Department's Youth and Community Programs Task Force in partnership with the Oakland Unified School District in Oakland, California. Oakland Military Institute's mission is "to provide a structured and rigorous academic program where cadets develop as leaders, scholars, critical thinkers, and citizens." The school's cadets are members of the California Cadet Corps. The teaching staff are employees of the Oakland Unified School District while the Military Staff are member of the California National Guard and the California State Guard. Ideally, students will go on to attend college. In addition to academics, the school develops leadership in its students through an elective class which all students take every year. They are assigned to a large group of students, or a Company, which they are a part of for all their years in the school. Students are mentored by the military staff in these groups to grow as disciplined adults and leaders of character. History Oakland Military Institute was founded in 2001 after a two-year campaign led by then Oakland Mayor Jerry Brown. Governor Gray Davis helped secure the charter after local school boards rejected the proposals. It is the first charter school sponsored and run by the State of California Military Department and the first public military school sponsored by the National Guard. The school site, at its inception, was located on the Oakland Army Base - 2405 West 14th Street. AC Transit provided a dedicated bus line for student transportation to the base. Hundreds of applications were submitted from all over the East Bay and each prospective student was required to appear with their parent/guardian. The process for acceptance into the institute consisted of a in-person interview with a panel that included a military member, faculty member, administrator and representative from the mayor's office. The amount of application for entry into the first class required the staff to hold a lottery for acceptance at the Oakland Army Base Theater to determine which applicants would be allowed to attend a two-week summer camp held in Camp San Luis Obispo. The first class of 167 seventh-graders enrolled in August 2001, under the direction of Commandant Colonel Bradford M. Jones, Command Sergeant Major Alex Cabassa and Academic Director Rick Moniz. On May 17, 2007, Oakland Military Institute relocated from the Oakland Army Base to 3877 Lusk Street, Oakland, CA 94608. In August 2012, it opened a 15,000 square foot state of the art facility to serve 6th grade and house science classrooms, music and art classes, and a library and computer lab and virtual learning center. References Education in Oakland, California Military high schools in the United States Charter preparatory schools in California Bay Counties League 2001 establishments in California
13,100
https://ru.wikipedia.org/wiki/%D0%A1%D0%BF%D0%B8%D1%81%D0%BE%D0%BA%20%D0%B2%D1%8B%D1%81%D1%88%D0%B8%D1%85%20%D1%83%D1%87%D0%B5%D0%B1%D0%BD%D1%8B%D1%85%20%D0%B7%D0%B0%D0%B2%D0%B5%D0%B4%D0%B5%D0%BD%D0%B8%D0%B9%20%D0%98%D0%BD%D0%B3%D1%83%D1%88%D0%B5%D1%82%D0%B8%D0%B8
Wikipedia
Open Web
CC-By-SA
2,023
Список высших учебных заведений Ингушетии
https://ru.wikipedia.org/w/index.php?title=Список высших учебных заведений Ингушетии&action=history
Russian
Spoken
59
188
В список высших учебных заведений Ингушетии включены образовательные учреждения высшего профессионального образования, находящиеся на территории Ингушетии и имеющие действующую лицензию на образовательную деятельность. Список вузов приведён в соответствии с данными cводного реестра лицензий. По состоянию на 7 декабря 2021 года в Ингушетии действующую лицензию имели 2 вуза. Порядок следования элементов списка — алфавитный. Список высших образовательных учреждений Примечания Ингушетя
5,081
https://ceb.wikipedia.org/wiki/Tenuipalpus%20uvae
Wikipedia
Open Web
CC-By-SA
2,023
Tenuipalpus uvae
https://ceb.wikipedia.org/w/index.php?title=Tenuipalpus uvae&action=history
Cebuano
Spoken
41
84
Kaliwatan sa murag-kaka ang Tenuipalpus uvae. Una ning gihulagway ni De Leon ni adtong 1962. Ang Tenuipalpus uvae sakop sa kahenera nga Tenuipalpus, ug kabanay nga Tenuipalpidae. Walay nalista nga matang nga sama niini. Ang mga gi basihan niini Murag-kaka Tenuipalpus
44,153
https://sq.wikipedia.org/wiki/Rruga%20%22Budi%E2%80%9D%20723
Wikipedia
Open Web
CC-By-SA
2,023
Rruga "Budi” 723
https://sq.wikipedia.org/w/index.php?title=Rruga "Budi” 723&action=history
Albanian
Spoken
13
37
Rruga "Budi” 723 roman, Autori: Ruzhdi Pulaha. Faqet e librit 338. Romane shqiptare
21,593
https://hy.wikipedia.org/wiki/%D4%B2%D5%A5%D5%B4%D5%A5%D5%A6%D6%80
Wikipedia
Open Web
CC-By-SA
2,023
Բեմեզր
https://hy.wikipedia.org/w/index.php?title=Բեմեզր&action=history
Armenian
Spoken
34
199
Բեմեզր (ռամպա), բեմի առջևի եզրը՝ բեմահարթակը ներքևից լուսավորող սարքով հանդերձ։ Բեմեզրի լուսավորող սարքերը լուսավորում են բեմը, դերասաններին և առջևի ու հետևի դեկորացիաները։ Բեմեզրի լուսավորող սարքերը սովորաբար թաքցված է հանդիսատեսից ոչ բարձր պատնեշով։ Ծանոթագրություններ Բեմանկարչություն
17,552
https://ceb.wikipedia.org/wiki/Ramnaberget%20%28bungtod%20sa%20Noruwega%2C%20Sund%29
Wikipedia
Open Web
CC-By-SA
2,023
Ramnaberget (bungtod sa Noruwega, Sund)
https://ceb.wikipedia.org/w/index.php?title=Ramnaberget (bungtod sa Noruwega, Sund)&action=history
Cebuano
Spoken
169
333
Alang sa ubang mga dapit sa mao gihapon nga ngalan, tan-awa ang Ramnaberget. Bungtod ang Ramnaberget sa Noruwega. Nahimutang ni sa munisipyo sa Sund ug lalawigan sa Hordaland Fylke, sa habagatan-kasadpang bahin sa nasod, km sa kasadpan sa Oslo ang ulohan sa nasod. metros ibabaw sa dagat kahaboga ang nahimutangan sa Ramnaberget. Ang Ramnaberget nahimutang sa pulo sa Straumsholmen. Ang yuta palibot sa Ramnaberget kasagaran patag, apan sa diha-diha nga ang mga palibot nga kini mao ang kabungtoran. Sa habagatang-sidlakan, dagat ang pinakaduol sa Ramnaberget. Kinahabogang dapit sa palibot ang Førdesveten, ka metros ni kahaboga ibabaw sa dagat, km sa amihanan-kasadpan sa Ramnaberget. Ang kinadul-ang mas dakong lungsod mao ang Ytrebygda, km sa amihanan-sidlakan sa Ramnaberget. Sa rehiyon palibot sa Ramnaberget, kapuloan, kagaangan, nga bato nga pormasyon, mga lawis, ug nabigasyon talagsaon komon. Ang klima kasarangan. Ang kasarangang giiniton °C. Ang kinainitan nga bulan Agosto, sa  °C, ug ang kinabugnawan Marso, sa  °C. Saysay Ang mga gi basihan niini Mga bungtod sa Hordaland Fylke sv:Ramnaberget (kulle i Norge, Sund)
37,020
https://id.wikipedia.org/wiki/Mecas%20obereoides
Wikipedia
Open Web
CC-By-SA
2,023
Mecas obereoides
https://id.wikipedia.org/w/index.php?title=Mecas obereoides&action=history
Indonesian
Spoken
59
140
Mecas obereoides adalah spesies kumbang tanduk panjang yang tergolong famili Cerambycidae. Spesies ini juga merupakan bagian dari genus Mecas, ordo Coleoptera, kelas Insecta, filum Arthropoda, dan kingdom Animalia. Larva kumbang ini biasanya mengebor ke dalam kayu dan dapat menyebabkan kerusakan pada batang kayu hidup atau kayu yang telah ditebang. Referensi TITAN: Cerambycidae database. Tavakilian G., 25 Mei 2009. Mecas
35,631
https://stackoverflow.com/questions/17391467
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
English
Spoken
191
515
JSTL code not works with Apache Tiles I check if the current URL ends with '/' then the variable slash is empty. Else the slash is '/'. <c:set var="slash" value="/"/> <c:set var="uri" value="${requestScope['javax.servlet.forward.request_uri']}"/> <c:if test="${fn:substring(uri, fn:length(uri)-1, fn:length(uri)) == '/'}"> <c:set var="slash" value=""/> </c:if> Next, basing on the variables slash and uri, some text is appended to the current URL and the new link is build. <a href="${uri}${slash}${cd.toString()}/">${cd.toString()}</a> It was working when the code was on the same page where the new URL is build. When I applied Apache Tiles, the first code is put into main.jsp: <body> <c:set var="slash" value="/"/> <c:set var="uri" value="${requestScope['javax.servlet.forward.request_uri']}"/> <c:if test="${fn:substring(uri, fn:length(uri)-1, fn:length(uri)) == '/'}"> <c:set var="slash" value=""/> </c:if> <div id="headerId"> <tiles:insertAttribute name="header" /> </div> <div id="bodyId"> <tiles:insertAttribute name="content" /> </div> </body> and the link are build in content.jsp: <a href="${uri}${slash}${cd.toString()}/">${cd.toString()}</a> But in content.jsp the variables uri and slash are empty. This is not to do with Tiles. You'd hit the same problem even using <jsp:include …/> <c:set …/> by default puts variables into page scope. You'll need to do the following to have those variables available in the next page as well <c:set var="slash" value="/" scope="request"/>
5,545
https://stackoverflow.com/questions/32751693
StackExchange
Open Web
CC-By-SA
2,015
Stack Exchange
Tieme, https://stackoverflow.com/users/672989
English
Spoken
561
996
How to use React ScrollArea plugin using React Classes? Finally I found exactly the kind of scroll bars I wanted for my React App: the nice-scroll-bars, but after a day of wrestling this plugin, I cannot understand their example: The flow of creating a scroll able component goes like this: jsx React Component + render method with extra CSS baked in to it ===gulp compiling=====> a new main.js component that is scroll-able. I setup 3 similar React Scroll bars examples from Github today. The instructions seemed just as simple as the others. Here is the repo: https://github.com/souhe/reactScrollbar Here's the very simple set up instructions 1) Installing with npm: npm install react-scrollbar --save 2) Wrapping the content that you want to scroll like so: var React = require('react'); var ScrollArea = require('react-scrollbar'); var App = React.createClass({ render() { return ( <ScrollArea speed={0.8} className="area" contentClassName="content" horizontal={false} > Some long content. </ScrollArea> ); } }); React.render(<App/>, document.body); 3) Adding a .CSS file(scrollbar.css) to the project: (this file is in the example once you install it) The Problem For The Simple Minded Folk What I see and think: "Oh I need a component. I can just install it from npm and then require it to use like any other React component.Any extra CSS is linked in the index.html file." What the example makes the process look like: It looks like I'm wrapping up an ES6 React component with another js file and also pouring in extra CSS in the JavaScript in order to make a pre-compiled scroll-able component. I'm not sure if this plugin is confusing because: These scroll bars are for the new ES6 wave of doing things and the addition of using classes in React. The author has bundle up the code his own way just for a quick example. There is just a lot of fancy ".jsx" and ".less" trans-compiling going on that is confusing a simple plugin illustration. Here are the sticking Points for a Noob: 1) Why does it seem we are pre-compiling the component? gulpfile.js gulp.task("webpack", function() { return gulp.src('./examples/**/js/main.js') .pipe(webpack( webpackConf )) .pipe(concat('main.js')) .pipe(gulp.dest('../')) .pipe(connect.reload()); }); 2)Are we baking in extra CSS here? Why not just link it in the html? main.js import React from 'react'; import App from './app.jsx'; var css = require("style!css!../../../dist/css/scrollbar.css"); React.render(React.createElement(App, null), document.getElementById("main")); 3) Where did this ScrollArea.js file come from?? Is this just the scrolling module being added in manually so that we don't have to install it from npm? app.jsx import ScrollArea from '../../../dist/scrollArea.js'; i've updated your question's title so that it's a real question, please adjust it a bit if you like I wouldn't waste time understanding the build process of every library maintainer out there. Instead, iterate upon your own, and see what makes sense. I'd create my own component or use an existing one that require the scrollable functionality, and implement the component I imported from npm as such: import ScrollArea from 'react-scrollbar'. I'd follow this pattern for doing so. Regarding styling, you have several ways of doing it and this is only dependent on how you handle styling in your project. If you're already compiling LESS files, then merge the LESS file from the library into the LESS file your project-specific component is going to use. If you're not, just copy/paste the CSS somewhere, or require it in your code, if you use webpack and style-loader for example.
41,661
https://stats.stackexchange.com/questions/284393
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
Glen_b, alhenry, https://stats.stackexchange.com/users/164514, https://stats.stackexchange.com/users/805
English
Spoken
364
513
Present difference in estimates for positively-skewed continuous outcomes I'm working with a dataset containing results from two types of cognitive tests: Pairs-matching test (say, $Y_1$), which recorded as number of incorrect matches (discrete count of mistakes, ranging from 0 - 12), and Reaction time test ($Y_2$), which recorded as time in millisecond. Both variables are positively skewed I tried to compare results on these tests between different groups of categorical variables (e.g. Gender) and continuous variables (e.g. Age). Normally, I would run a multivariate linear regression model and present the coefficient as mean difference between groups (for categorical variables) or mean difference per 1 unit increase in continuous variables. However, since the distribution is not normal, I think this approach could lead to biased estimates. Therefore, I came up with two alternatives which I could think of: Log-transform the data with $ln(Y_1+1)$ and $ln(Y_2)$, run linear regression as usual, and present the coefficients as mean difference in log scale, or back transform and present the coefficients as (geometric) mean difference in linear scale (this approach has been done before in a published article using the same dataset) Fit different regression models (e.g. Poisson regression with robust standard errors as suggested in this blog). This model came first to my mind as I think $Y_1$ is a count data, but I am not sure if this also applies to $Y_2$. Regarding this, my questions are: What is the best way to present such difference in estimates? In a sense that, for example, a reader can easily see that on average the cognitive test results are better in one group compared to the other and tell how big that difference is (or how they change for each one unit increase in continuous variables). Are there better transformation or models to fit such data? I read about GLMM and negative-binomial regression but not sure if they are any better in this case. $Y_1$ is a discrete count (zero counts are certainly possible) and so presumably only deserves the appellation "zero-inflated" when compared to some idea about the proportion of $0$s (such as some distributional model, perhaps). Thanks for the correction. I have edited the original post :)
47,435
https://en.wikipedia.org/wiki/Gary%20Varner
Wikipedia
Open Web
CC-By-SA
2,023
Gary Varner
https://en.wikipedia.org/w/index.php?title=Gary Varner&action=history
English
Spoken
2,589
4,021
Gary Edward Varner (March 10, 1957 – June 28, 2023) was an American philosopher specializing in environmental ethics, philosophical questions related to animal rights and animal welfare, and R. M. Hare's two-level utilitarianism. At the time of his death, he was an emeritus professor in the department of philosophy at Texas A&M University; he had been based at the university since 1990. He was educated at Arizona State University, the University of Georgia, and the University of Wisconsin–Madison; at Madison, where he was supervised by Jon Morline, he wrote one of the first doctoral theses on environmental ethics. Varner's first monograph was In Nature's Interests?, which was published by Oxford University Press in 1998. In the book, Varner defended a form of biocentric individualism, according to which all living entities have morally considerable interests. Varner started a research project in 2001 that looked at animals in Hare's two-level utilitarianism. The project's initial monograph, Personhood, Ethics, and Animal Cognition, was released by Oxford in 2012. In the book, Varner moved away from his biocentrism, instead endorsing a developed version of Hare's ethics. Varner draws a distinction between persons, near-persons and merely sentient beings; although all are morally considerable, the lives of persons are of the most significance, and the lives of merely sentient beings are of the least. The practical consequences of this view, though initial comments were offered in Personhood, Ethics, and Animal Cognition, was to be explored in Sustaining Animals, with which Varner at one time had a contract with Oxford. His third book was Defending Biodiversity: Environmental Science and Ethics, co-authored with Jonathan Newman and Stefan Linquist, and published with Cambridge University Press. It was published in 2017. Life and career Varner completed a Bachelor of Arts in philosophy at Arizona State University in 1980, before studying for a Master of Arts in philosophy at the University of Georgia, which he completed in 1983. He read for a PhD at University of Wisconsin–Madison, writing a thesis on environmental ethics; this was one of the first on the topic. Developed versions of some of the thesis's chapters were later published as chapters 2, 3, and 4 Varner's first book, In Nature's Interests?. His doctoral research was supervised by Jon Morline, who continued as a supervisor even after leaving Madison to work at St. Olaf College. Graduating from Madison in 1988, Varner had a number of short-term jobs in the late 1980s; he lectured in philosophy at the University of Wisconsin–Stevens Point from 1987 to 1988, acted as a visiting assistant professor at Madison's Institute of Environmental Studies in the Summer of 1988, and took up the same role, this time in philosophy, at Washington University in St. Louis from 1988 to 1990. Varner joined Texas A&M University in 1990, becoming an assistant professor in 1991. He became director of graduate studies in 1994, a post he kept until 2010. Varner was promoted to associate professor in 1996, and, in 1998, published his first book: In Nature's Interests? Interests, Animal Rights, and Environmental Ethics, which was a part of Oxford University Press's Environmental Ethics and Science Policy Series, edited by Kristin Schrader-Frechette. Varner was promoted to full professor in 2010, and acted as department head from 2011 to 2014. Varner's second monograph, Personhood, Ethics, and Animal Cognition: Situating Animals in the Two-Level Utilitarianism of R. M. Hare, was published in 2012 by Oxford University Press. Varner had been working on questions about R. M. Hare and animals since 2001, when he taught a graduate class exploring the subject; given that Peter Singer was a student of Hare, Varner was interested in exploring whether Hare's philosophy endorsed Singer's conclusions about animal liberation. A project entitled Harey Animals: Situating Animals in the Two-Level Utilitarianism of R. M. Hare was submitted to Oxford University Press, but this was subsequently split into two books; Personhood, Ethics, and Animal Cognition was the first, while the second, Sustaining Animals: Envisioning Humane, Sustainable Communities, was under contract with the publisher. While Personhood, Ethics, and Animal Cognition addresses theoretical issues in Hare's philosophy, Sustaining Animals was to be more practically focussed, exploring the applicability of the Harean philosophy developed in Personhood, Ethics, and Animal Cognition to real-world issues concerning human-animal relationships. In 2017, Varner's Defending Biodiversity: Environmental Science and Ethics, co-authored with the University of Guelph ecologist Jonathan Newman and the Guelph philosopher Stefan Linquist, was published by Cambridge University Press. It was the subject of a topical collection of articles in volume 35, issue 1 of Biology & Philosophy, published in 2020. Varner died on June 28, 2023, after a period with cancer. He was 66. At the time of his death, he was a Professor Emeritus of Philosophy at Texas A&M. Thought Biocentric individualism Varner's In Nature's Interests? offers a resolution of the debate between individualistic approaches to animal rights and holistic accounts of environmental ethics. Varner defends an interest-based biocentric individualism according to which all living beings—including plants—have morally significant interests that ground prima facie (though overridable) duties. The approach follows in the tradition of the work of Kenneth Goodpaster and Paul W. Taylor, though Varner's approach differs from Taylor's in its focus on interests rather than duties, with Varner showing clear utilitarian commitments. Varner begins by critiquing holistic approaches to environmental ethics, using J. Baird Callicott's as his example. He argues that the burden of proof is with holists to defend the claim that ecosystems have interests or have value for some other reason. He next considers desires as the paradigmatic basis of interests, exploring which beings have desires. Nonetheless, he argues that desires cannot be the sole basis of interests; 19th-century mariners, for instance, had an interest in using ascorbic acid to avoid scurvy, though they could not have desired the acid, as they did not know about it. Instead, such people had a "biological" interest in the acid. It is, Varner argues, the presence of biological interests that separates living beings from artifacts. This grounds Varner's argument for biocentrism, which Mark Rowlands summarises as follows: Nothing at or below the level of a fish possesses desires. Nevertheless, all living things possess biological needs, and these needs are plausibly construed as interests. The welfare of an organism O is, at least in part, to be understood in terms of the interests, rather than the desires, of O. Therefore, all living things have a welfare. Therefore, all living things are morally considerable. Rowlands argues that the problem with the book's central approach is that it assumes that all interests have a clear relation to welfare and thus moral considerability; an assumption which, he argues, is partially undermined by the introduction of biological interests. Jon Jensen, who reviewed the book for Ethics and the Environment, raised a similar worry, arguing that Varner did not sufficiently justify his claim that biological interests are inherently morally significant. A distinctive aspect of Varner's theory as presented in In Nature's Interests? is the hierarchy of interests that he proposes; biological interests are the least important, with desire-based interests of greater significance and "ground projects"—possessed only by humans, these are "a nexus of [an individual's] most important desires"—of the most weight. Thus, Varner defends a kind of "axiological anthropocentrism"; this can be distinguished from "valuational anthropocentrism", according to which only humans have inherent value. The book also has a practical dimension, presenting debates between anthropocentric and non-anthropocentric approaches to environmental ethics as of little practical consequence, and suggesting that animal rights goals can be consistent with holistic environmentalist goals. Jensen argues that Varner's own discussion of the reconciliation of environmentalism and animal advocacy is too narrow, but that, nonetheless, Varner's own biocentric individualism offers potential in this area, even despite the limited engagement in the book with practical animal-related issues. Two-level utilitarianism Hare's philosophy of two-level utilitarianism has been a focus of Varner's since the early 2000s, and was the subject of his Personhood, Ethics, and Animal Cognition. In the book, Varner breaks with his previous biocentrism, instead endorsing sentientism (the idea that sentience is necessary and sufficient for moral considerability), prescriptivism, and two-level utilitarianism. The book is split into three parts: "Hare's Two-Level Utilitarianism", "Persons, Near-Persons, and the Merely Sentient", and "Formulating ILS [Intuitive-Level System] Rules for Persons, Near-Persons, and the Merely Sentient". The first part offers a reconstruction and analysis of Hare's philosophy, while the latter two offer an original position on animal ethics and personhood. In Part I, Varner offers considerable endorsement of Harean philosophy. Varner interprets Hare as understanding that utilitarianism derives from prescriptivism, and affirms Hare's argument on this point. He goes on to discuss the utility of Intuitive-Level System (ILS) rules; these are the rules that one lives by in day-to-day life, which, though ultimately justified by it, do not derive their content from utilitarian calculation. There are, for Varner, four key kinds of ILSs: "common morality, personal morality, professional ethics, and laws". Though these are deontological in "flavor", following the precepts of these ILSs is generally justified under two-level utilitarianism. Further arguments—these are original, rather than being derived from Hare's own—are then offered for Hare's prescriptivism. In Part II, Varner adopts a higher-order thought theory of consciousness and reviews evidence for animal consciousness. He argues that, according to contemporary science, vertebrates are conscious (i.e., sentient, able to feel pain), but few invertebrates are; cephalopods are an exception. He goes on to argue that most animals lack a biographical sense of self, something possessed by paradigmatic humans. A good life for human persons, consequently, "consists in living a good story", meaning that persons can be harmed in ways that non-persons cannot. Varner denies that nonhuman animals lack the psychological sophistication necessary for personhood, but argues that some, nonetheless, may be "near-persons"; this means that they lack a biographical sense of self, but possess autonoetic consciousness. Possible candidates include nonhuman primates, as well as Corvidae, Cetacea and Elephantidae, and rats and parrots. Varner frames the lives of near-persons as of less significance than the lives of persons, but of greater significance than the lives of other animals who are nonetheless sentient. The distinctions drawn in Part II are logically independent of any commitment to utilitarianism, Harean or otherwise. In Part III, Varner explores the replaceability argument (the idea that it would be ethically acceptable to painlessly kill beings if it was immediately replaced with a new equally happy being) in the context of two-level utilitarianism. At the critical level, he argues that both humans and animals are replaceable. However, he argues that the intuitive-level idea that humans are not replaceable should be respected. Animals typically kept on farms are, for Varner, replaceable, meaning that certain forms of animal agriculture are permissible. Varner's also claims that there is a prima facie good in creating more happy animals and more happy humans, the latter meaning that there is a prima facie good in human procreation, and a prima facie wrong in abortion. This, however, applies only to critical-level thinking, and good intuitive-level theorising, he argues, would typically leave these decisions up to individuals. Varner also explores the issue of "marginal" cases. Given that he holds that the lives of nonhuman non-persons and nonhuman near-persons are of lesser value than those of human persons, it may seem that Varner has to accept that the lives of human non-persons and human near-persons are of less value than the lives of human persons or else face the charge of speciesism or inconsistency. However, Varner argues that human non- and near-persons should be given equal rights to life as human persons on the basis that, first, human persons have strong relationships with human non-persons, and, second, human persons may fear becoming human non-persons. Varner then considers a range of proposals for sustainable, humane agriculture, including replacing cattle with buffalo and engineering blind chickens. Varner defends demi-vegetarianism, holding that humans should eat less meat and be more selective about where their meat comes from; factory farming, for example, is likely unacceptable. The book closes with a consideration of the relationship between a Harean approach to animal ethics and Singer's approach; Varner argues that Singer has employed two-level utilitarianism, and implicitly supports the idea of near-persons. Varner also argues that Singer, despite the latter's advocacy for vegetarianism, presents a theory that supports certain forms of humane agriculture. Selected bibliography Varner, Gary (1990). "Biological functions and biological interests". Southern Journal of Philosophy. 28 (2): 251–70. . Varner, Gary (1991). "No holism without pluralism". Environmental Ethics. 13 (2): 175–9. . Varner, Gary (1994). "The prospects for consensus and convergence in the animal rights debate". Hastings Center Report. 24 (1): 24–8. . Varner, Gary (1994). "In defense of the vegan ideal: Rhetoric and bias in the nutrition literature". Journal of Agricultural and Environmental Ethics. 7 (1): 29–40. . Varner, Gary (1995). "Can animal rights activists be environmentalists?" In: Environmental Philosophy and Environmental Activism, edited by Donald Marietta and Lester Embree, 169–201. Lanham, Maryland: Rowman & Littlefield. . Varner, Gary (1998). In Nature's Interests? Interests, Animal Rights, and Environmental Ethics. Oxford: Oxford University Press. . Varner, Gary (1999). "How facts matter: On the language condition and the scope of pain in the animal kingdom". Pain Forum. 8: 84–6. . Allen, Colin, Gary Varner, and Jason Zinser (2000). "Prolegomena to any future artificial moral agent". Journal of Experimental & Theoretical Artificial Intelligence. 12 (3): 251–61. . Varner, Gary (2002). "Biocentric individualism". In: Environmental Ethics: What Really Matters, what Really Works, edited by David Schmidtz and Elizabeth Willott, 108–20. Oxford: Oxford University Press. . Varner, Gary (2012). Personhood, Ethics, and Animal Cognition: Situating Animals in the Two-Level Utilitarianism of R. M. Hare. Oxford: Oxford University Press. . Newman, Jonathan, Gary Varner, and Stefan Linquist (2017). Defending Biodiversity: Environmental Science and Ethics. Cambridge: Cambridge University Press. References Cited texts Andrews, Kristin (2014). "Book Review: Personhood, Ethics, and Animal Cognition: Situating Animals in Hare’s Two-Level Utilitarianism, written by Gary E. Varner; The Philosophy of Animal Minds, edited by Robert W. Lurz". Mind. 123 (491): 959–66. . Attfield, Robin, and Rebekah Humphreys (2012). "Personhood, Ethics and Animal Cognition: Situating Animals in Hare's Two-Level Utilitarianism". Philosophy. 88 (3): 493–8. . Elliott-Graves, Alkistis (2018). " Defending Biodiversity: Environmental Science and Ethics". Notre Dame Philosophical Reviews. Accessed 10 July 2023. Faith, Daniel P. (2019). "Defending Biodiversity". Journal of Applied Philosophy 36 (4): 688-90. Gregg, Emily A. (2018). "Defending Biodiversity". The Quarterly Review of Biology 93 (2): 145-6. Jensen, Jon (2000). "Book review: In Nature's Interests? Interests, Animal Rights, and Environmental Ethics". Ethics and the Environment. 4 (2): 235–9. Kadlac, Adam (2015). "Book Review: Personhood, Ethics, and Animal Cognition: Situating Animals in Hare’s Two-Level Utilitarianism, written by Gary E. Varner". Journal of Moral Philosophy. 12 (2): 247–50. . Lawson, Ian (2019). "Defending Biodiversity: Environmental Science and Ethics". Environmental Values 28 (1): 131-3. Moss, Justin (2015). "Personhood, Ethics, and Animal Cognition: Situating Animals in Hare’s Two-Level Utilitarianism". Ethics, Policy & Environment. 18 (2): 226–32. Rowlands, Mark (2000). "In Nature's Interests: Interests, Animal Rights, and Environmental Ethics". The Philosophical Review. 109 (4): 598–601. . Varner, Gary (1998). In Nature's Interests? Oxford: Oxford University Press. . Varner, Gary (2012). Personhood, Ethics, and Animal Cognition. Oxford: Oxford University Press. . External links Personal website (captured June 29, 2019 by the Wayback Machine) 1957 births 2023 deaths American animal rights scholars American ethicists Analytic philosophers Animal ethicists Animal cognition writers Arizona State University alumni Consequentialists Environmental ethicists Environmental philosophers Philosophers of culture Philosophers of education Philosophers of mind Social philosophers Texas A&M University faculty University of Georgia alumni University of Wisconsin–Madison alumni Utilitarians Deaths from cancer in the United States
48,541
https://de.wikipedia.org/wiki/Verhaftung%20und%20R%C3%BCckf%C3%BChrung
Wikipedia
Open Web
CC-By-SA
2,023
Verhaftung und Rückführung
https://de.wikipedia.org/w/index.php?title=Verhaftung und Rückführung&action=history
German
Spoken
1,197
2,187
Verhaftung und Rückführung (, abgekürzt C&R ) war eine Vorgehensweise der Behörden in der Volksrepublik China zwischen 1982 und 2003. Basierend auf dem Hukou-System konnten Personen ohne Niederlassungserlaubnis oder temporäre Wohnerlaubnis verhaftet und an ihren eingetragenen ständigen Wohnsitz zurückgebracht werden. Dies betraf vor allem die über 100 Millionen Wanderarbeiter aus ländlichen Regionen, die sich in Städten aufhielten, um dort z. B. im Hoch- oder Tiefbau zu arbeiten. Hintergrund Die chinesische Vorgehensweise der Custody and Repatriation (C&R) ähnelte laut Ansicht der chinesischen Regierung der Behandlung von illegalen Einwanderern in anderen Staaten wie z. B. den USA. In beiden Fällen war es für die Beschuldigten schwierig oder unmöglich, ihre Rechte einzuklagen oder in die Berufung zu gehen. Die Gründe für die Verhaftung beruhten in beiden Fällen im Wesentlichen auf Arbeitsmigration. In „westlichen Ländern“ dient diese Praxis demnach wie z. B. das Auffanglager auf Lampedusa in Italien dem Schutz der eigenen Bevölkerung und es werden Menschen aus anderen Ländern und Kulturkreisen interniert. Dahingegen richtete sich die chinesische Vorgehensweise gegen die eigene Landbevölkerung, auf deren Allianz mit den Arbeitern laut Artikel 1 der Verfassung die Volksrepublik China beruht. Hintergrund dieser Regelung ist der enorme Migrationsdruck innerhalb Chinas, den die Zahl von 200 Millionen Wanderarbeitern im Jahr 2006 verdeutlicht. Internierungslager Für das Jahr 2000 wurden 800 Internierungslager (ohne die von der öffentlichen Sicherheit errichteten Lager in Peking) und laut Human Rights in China offiziell über 3,2 Millionen Inhaftierungen und laut Amnesty International 2002 über 1 Million Gefangene angegeben. Neben Arbeitsmigranten wurden dort Obdachlose, Bettler, Geisteskranke, Kriminelle und Bittsteller inhaftiert. Nach offiziellen Angaben waren 5 % der Inhaftierten unter 18 Jahre alt. Zudem mussten die Inhaftierten selbst für ihre Unterbringung aufkommen. Essen und sanitäre Bedingungen waren in den Internierungslagern schlechter als in regulären Gefängnissen und Arbeitslagern. Die oft monatelang Inhaftierten wurden regelmäßig von der Polizei oder den Zellenbossen geschlagen und mussten sehr lange, schwere Arbeit verrichten. Junge Frauen und Mädchen wurden von Kriminellen aus den Internierungslagern freigekauft, um sie in die Prostitution zu zwingen. Das jüngste Mädchen, das von der Pekinger Polizei aus einem Hotel befreit worden ist, nachdem der Hotelmanager es aus einem Internierungslager gekauft hatte, sei 13 Jahre alt gewesen, wie Human Rights in China berichtete. Geschichte Grundlage des C&R-Systems war das 1961 eingerichtete Hukou-Meldesystem. 1982 wurde darauf aufbauend das C&R-System mit der offiziellen Begründung eingerichtet, die Situation von Bettlern und Obdachlosen zu verbessern. Ursprünglich wurde es daher auf „Personen ohne drei“ angewendet – ohne festen Wohnsitz, ohne Lebensgrundlage und ohne Wohnerlaubnis in der jeweiligen Stadt. Dieses System verbindet traditionelle Familienregister mit der Arbeitserlaubnis (von der Polizei für Arbeitseinheiten oder Arbeiter erteilt), um unkontrollierte Bevölkerungsbewegungen zu verhindern. 1991 wurde das C&R-System auf Menschen ausgeweitet, die lediglich keine Wohn- oder keine Arbeitserlaubnis hatten. Als aber die ökonomische Entwicklung der Städte verstärkt Arbeitsmigranten benötigte, wurde es nur unzureichend angepasst bzw. vom Büro für Öffentliche Sicherheit unverhältnismäßig verschärft. Die Missbräuche wurden vor allem in den Jahren vor 2003 offensichtlich. Es gab interne und externe Warnungen und Diskussionen, die jedoch nur wenige Verbesserungen brachten und kaum einen Effekt hatten. Außerdem kam es zu unveröffentlichten Todesfällen, die den später publizierten ähnelten. Tod des Modedesigners Sun Zhigang Beendet wurde die administrative Vorgehensweise der „Custody and Repatriation“ 2003 von der Zentralregierung, nachdem ein Todesfall große Aufmerksamkeit in Zeitungen und im Internet erhalten hatte. Am 20. März 2003 starb der 27-jährige Sun Zhigang in der Klinik eines Internierungslagers im südchinesischen Guangzhou, das stark von Arbeitsmigranten abhängt. Sun Zhigang war ein Modedesigner, der nach Guangzhou gegangen war, um dort zu arbeiten. Als er drei Wochen nach Beginn seiner Arbeit in ein Internetcafé gehen wollte, wurde er von der Polizei nach seiner Wohnerlaubnis und seinem Ausweis gefragt. Er hatte noch keine Wohnerlaubnis beantragt und seinen Ausweis vergessen. Er rief einen Freund an und bat ihn, ihm seinen Ausweis zu bringen. Drei Tage später rief eine Freundin seine Familie an und berichtet vom Tod Suns. Eine offizielle Autopsie der Sun-Yat-sen-Universität wies nach, dass Sun vor seinem Tod brutal geschlagen worden war, auch wenn sein Körper keine Zeichen von äußeren Verletzungen aufwies. Die Autopsie fand Blutungen unter der Haut mit einem Ausmaß von 60 × 50 cm. Das heißt, dass sein gesamter Rücken betroffen war, was seinen Tod verursacht hat. Die Klinik des Internierungslagers hatte als Todesursache einen Herzinfarkt angegeben. Suns Familie konnte lange Zeit keinen Reporter finden, der über seinen Tod berichten wollte. Schließlich gab sie die Ergebnisse der Autopsie an Reporter der Nanfang City News weiter. Diese titelte am 25. April 2003: „Sun Zhigang was beaten to death“. Der Fall zog in Hunderttausenden von Nachrichten im Internet Kreise, bis schließlich drei Juristen an den Nationalen Volkskongress schrieben und die Praxis der „Custody and Repatriation“ in Frage stellten. Ein Problem mit diesem Gesetz sei, dass es vom Staatsrat der Volksrepublik China und nicht vom Nationalen Volkskongress in Kraft gesetzt worden war, argumentierten sie. Daher sei das Gesetz nicht verfassungskonform, weil es Bürgerrechte außer Kraft setze, was lediglich dem Nationalen Volkskongress zustehe. In der Folge wurden zwölf Personen für den Tod Sun Zhigangs verurteilt. Dabei wurden zwei Todesstrafen, eine lebenslange Strafe und drei 15-jährige Haftstrafen verhängt. Es wird jedoch angenommen, dass die Aufklärung des Verbrechens in die Nähe oder direkt den ursprünglich verantwortlichen Autoritäten gegeben wurde. Angeklagt wurden fünf Mitarbeiter der Krankenstation, in der Sun starb, und acht Mitinhaftierte, jedoch kein Polizist. Auch wurde keine Erklärung dafür abgegeben, warum Sun bewusstlos in die Krankenstation gebracht worden war und warum andere Kranke einen bewusstlosen Mann schlagen sollten. Fast zwei Jahre später wurde berichtet, dass auch sechs Polizeioffiziere und Offizielle für den Tod von Sun verurteilt wurden. Ende 2003 begannen Untersuchungen der Finanzen der Zeitung Nanfang City News. Der Editor Cheng Yizhong und drei seiner Kollegen wurden inhaftiert. Ihnen wurde Korruption und Unterschlagung öffentlicher Gelder im Zusammenhang mit dem Bericht über Suns Tod vorgeworfen. Yu Huafeng und Li Minying wurden zu 12 bzw. 11 Jahren Haft verurteilt. Nach erheblichem Widerstand gegen die Ausschaltung des Managements der populärsten und profitabelsten Zeitung des Landes wurden die bereits ausgesprochenen Strafen auf acht bzw. sechs Jahre reduziert und Cheng wurde freigelassen. Abschaffung des C&R-Systems Am 20. Juni 2003 kündigte der Ministerpräsident Wen Jiabao an, dass die Vorgehensweise der „Custody and Repatriation“ am 1. August 2003 abgeschafft werde. Des Weiteren würden die Internierungslager durch „Maßnahmen zur Unterstützung von mittellosen Obdachlosen und Bettlern in Städten“ ersetzt. Die Zentren für Obdachlose, die weiter bestehen bleiben, dürfen seitdem weder Gebühren von den Familien verlangen noch die Obdachlosen zur Arbeit auffordern. Das gesetzliche Hukou-System existiert zwar weiter, es ist aber jedem „Landbewohner“ inzwischen erlaubt, sich ungehindert in einer Stadt aufzuhalten. Um eine Arbeit aufzunehmen oder sich eine Wohnung zu mieten braucht er jedoch immer noch eine Aufenthaltsgenehmigung. Einige Probleme der Arbeitsmigranten bestehen jedoch weiterhin. Es wird berichtet, dass sie häufig ihre Löhne nicht pünktlich erhalten, Schwierigkeiten haben, von ihren Arbeitgebern versichert zu werden oder medizinische Versorgung zu erhalten. 2005 standen ca. 10 Milliarden Euro an Lohnzahlungen aus. Ferner ist die Sicherheit am Arbeitsplatz nicht gewährleistet, bei 2000 Toten allein unter Pekings Bauarbeitern jährlich. Siehe auch Laogai Umerziehung durch Arbeit Menschenrechte in der Volksrepublik China Ministerium für Staatssicherheit der Volksrepublik China Weblinks Susan Jakes: Hostages of the State. Time Magazin, 16. Juni 2003 Einzelnachweise Gesellschaft (Volksrepublik China) Menschenrechte in der Volksrepublik China Politik (Volksrepublik China)
6,777
https://stackoverflow.com/questions/43349656
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
Dave F, https://stackoverflow.com/users/628397
English
Spoken
210
428
Cancelling an upload task I've done some reading regarding the Azure SDK and in order to cancel a task you seemingly need to pass in a cancellation_token. My upload code is very simple: azure::storage::cloud_block_blob blockBlob = container.get_block_blob_reference(fileLeaf.wstring()); auto task = blockBlob.upload_from_file_async(fullFilePath); However, some files I upload are potentially very large, and I would like to be able to cancel this operation. I'll probably also likely use continuations and would need all those cancelling too, if that's possible. The problem I'm having is I can't see any way of attaching a cancellation_token to the task. Any pointers? There is a sample code using PPL library, I refered to it and changed the code for canceling task using PPLX library within C++ REST SDK which be used for Azure Storage SDK for C++, please try the code below. /* Declare a cancellation_token_source and get the cancellation_token, * please see http://microsoft.github.io/cpprestsdk/classpplx_1_1cancellation__token__source.html */ #include <pplxtasks.h> cancellation_token_source cts; auto token = cts.get_token(); //Pass the cancellation_toke to task via then method, please see https://msdn.microsoft.com/en-us/library/jj987787.aspx task.then([]{}, token).wait(); // Cancel the task cts.cancel(); Hope it helps. Many thanks - passing the cancellation token into then was what I was missing, I ended up creating a task via create_if_not_exists_async then adding a then with a cancellation token in it.
19,495
https://km.wikipedia.org/wiki/%E1%9E%9D%E1%9F%92%E1%9E%9A%E1%9E%B8%E1%9E%87%E1%9E%99%E1%9E%9A%E1%9E%B6%E1%9E%87%E1%9E%85%E1%9E%BC%E1%9E%8C%E1%9E%B6%E1%9E%98%E1%9E%8E%E1%9E%B8
Wikipedia
Open Web
CC-By-SA
2,023
ឝ្រីជយរាជចូឌាមណី
https://km.wikipedia.org/w/index.php?title=ឝ្រីជយរាជចូឌាមណី&action=history
Khmer
Spoken
50
1,641
ព្រះនាងឝ្រីជយរាជចូឌាមណី (អានថា:ស្រីចីរាចចូឌាមមៈនី) រជ្ជកាល (ធរណេន្ទ្រវម៌្មទី៣) តាមការស្រាវជ្រាវរបស់សិលាចារឹកអំពី ប្រាសាទព្រះខ័នមានទីតាំងស្ថិតនៅក្នុងក្រុម ប្រាសាទវង់ធំក្នុងទឹកដីនៃខេត្ដសៀមរាប មានចំងាយ ៣ គ.ម ពីប្រាសាទបាយ័ន និង១,៥ គ.ម ពីទ្វារដីឆ្នាំង (ទ្វារអង្គរធំទិសខាងជើង)។ ឈ្មោះនៃប្រាសាទនេះមានន័យថា “ដាវ” ។ តាមការស្រាវជ្រាវនៅសម័យបច្ចុប្បន្នគេយល់ថា កាលពីអតីតកាលសំណង់នៃប្រាសាទព្រះខ័ន គឺជាកន្លែងដាក់គ្រឿងសឹកសង្គ្រាម។ ដូច្នេះព្រះខ័នជាឈ្មោះសម័យទំនើបនៅរក្សាឈ្មោះទីក្រុងពីបុរាណ ដែលមានឈ្មោះថា “ជ័យស្រី” មានន័យថា “ព្រះខ័ន” និងមានន័យម្យ៉ាងទៀតថា “ម្លូ” ។ ប្រាសាទព្រះខ័នកសាងឡើងដោយព្រះបាទជយវម៌្មទី៨ នៅចុងសតវត្សរ៍ទី១២ក្នុង គ.ស ១១៩១ ដើម្បីឧទ្ទិសចំពោះលទ្ធិព្រះពុទ្ធសាសនាពុទ្ធសាសនាវិជ្រយាន។ ព្រះអង្គបានកសាងព្រះបរមរូបព្រះបាទធរណេន្ទ្រវម៌្មទី៣ ជាព្រះវររាជបិតា ជាទេវរាជតំណាងព្រះពោធិសត្វអវលោកេស្វរៈ ដូចគ្នានឹងប្រាសាទតាព្រហ្ម ដែលព្រះអង្គបានកសាងព្រះបរមរូបព្រះវររាជមាតា ជយរាជចូឌាមណី ជាទេវរាជតំណាងព្រះនាងប្រាជ្ញាបារមីតា។ ព្រះនាងជាព្រះញាតិវង្សចុះមកពីព្រះមហាក្សត្រខ្មែរ ជំនាន់មុន មហានគរ (ឬ មុនអង្គរ ឬ ក្នុងសម័យនគរវ្នំ កម្វុជទេឝ)។ ក្សត្រីនៃកម្វុជទេឝរាជវង្សនៃមហិធរបុរ
3,989
https://ell.stackexchange.com/questions/156807
StackExchange
Open Web
CC-By-SA
2,018
Stack Exchange
English
Spoken
307
365
Can we change past simple in past perfect in this case? The Blind Baron asked me if I was interested in learning drums and I took him up on his offer. I had always wanted to learn how to play, but the opportunity never presented itself, and I never pursued it. why it is past simple for presented and pursued? Why it is not past perfect because this happens before he has learnt and joined the Blind Baron. I had always wanted to learn how to play, but the opportunity had never presented itself, and I had never pursued it until the Baron asked me... Tense and aspect are not something that has only one correct form in a given situation. The Blind Baron asked me if I was interested in learning drums and I took him up on his offer. I had always wanted to learn how to play, but the opportunity never presented itself, and I never pursued it. In this scenario, the reason that had wanted is used as opposed to wanted is because you want to make sure that the act of you wanting to learn preceded the act of you taking him up on his offer. Now, the reason that presented and pursued are used instead of had presented and had pursued, respectively, is because the acts of the opportunity never presenting itself and you never pursuing it do not precede the act of you wanting to learn but follows it. Still, you can use had presented and had pursued to emphasize that these acts precede the act of you taking him up on his offer. But that's not mandatory but optional, because no one would confuse the chronological order of these acts even without the help of the past perfect forms. When there's no confusion, always go for the simpler form.
45,136
https://stackoverflow.com/questions/36772909
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
DanEEStar, Nick, https://stackoverflow.com/users/3760661, https://stackoverflow.com/users/669561
English
Spoken
458
1,213
angularjs - ui-router not displaying properly ($stateProvider) I'm trying to set up my app. It was working fine, but then I had to change some URLs on the ui-router in order to have some sub-views. Unfortunately, now, I cannot see all my pages properly and I don't understand why. Here's an example: http://codepen.io/anon/pen/LNQavV?editors=1010 Basically, I have different templates, and when URL changes, I display a different template into appContent view. Inside my details, I need to have a subView called zone, in which I can display detailsOverview template or detailsEdit template. With my current setup,I'm not able to change page. Well, the page changes according to the URL, but detailsOverview is always displayed! I think that the problem is somehow related with the subview rather than the URLs, but not 100% sure. I'm pasting $stateProvider code here as well: angular.module('ionicApp', ['ionic']).config([ '$stateProvider', '$urlRouterProvider', function($stateProvider, $urlRouterProvider) { $stateProvider.state('app', { name: 'app', url: '/app', abstract: true, templateUrl: 'templates/menuTemplate.html' }).state('app.details', { name: 'appDetails', url: '/:zoneID', views: { 'appContent': { templateUrl: 'templates/mainDetails.html' } } }).state('app.details.overview', { name: 'appDetailsOverview', url: '/details', views: { 'appContent': { templateUrl: 'templates/mainDetails.html' }, 'zone': { templateUrl: 'templates/detailsOverview.html' } } }).state('app.details.edit', { name: 'appDetailsEdit', url: '/edit/day/:timerEditDay', views: { 'appContent': { templateUrl: 'templates/mainDetails.html' }, 'zone': { templateUrl: 'templates/detailsEdit.html' } } }).state('app.setup', { name: 'setup', url: '/setup', views: { 'appContent': { templateUrl: 'templates/setup.html' } } }).state('app.about', { name: 'about', url: '/about', views: { 'appContent': { templateUrl: 'templates/about.html', controller: 'aboutPageInfo' } } }); $urlRouterProvider.otherwise('app/'); } ]); The problem is that with the url: '/:zoneID', in the app.details state you "swallow" all the possible parameters. Thats means the url #/app/about and #app/setup URLs get also handled by the app.details state and don't seem to work. In order to get them working, you have to define the app.about and app.setup state before the app.details state: $stateProvider.state('app', { name: 'app', url: '/app', abstract: true, templateUrl: 'templates/menuTemplate.html' }).state('app.setup', { name: 'setup', url: '/setup', views: { 'appContent': { templateUrl: 'templates/setup.html' } } }).state('app.about', { name: 'about', url: '/about', views: { 'appContent': { templateUrl: 'templates/about.html', controller: 'aboutPageInfo' } } }).state('app.details', { name: 'appDetails', url: '/:zoneID', views: { 'appContent': { templateUrl: 'templates/mainDetails.html' } } }).state('app.details.overview', { name: 'appDetailsOverview', url: '/details', views: { 'appContent': { templateUrl: 'templates/mainDetails.html' }, 'zone': { templateUrl: 'templates/detailsOverview.html' } } }) See the updated codepen with a working details and setup page: http://codepen.io/anon/pen/BKPyMd?editors=1010 From your updated pen, why it works with setup but not with about even if about is before details as well? Thank for the explanation i'm now just trying to understand a bit better :) Yes, the about page seems not to work. I did not look into that problem... :) Oh don't worry about it. it works in my real project. Thank a lot, I would have never figure it out myself!
32,097
https://rus.stackexchange.com/questions/427070
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
Sharon, https://rus.stackexchange.com/users/180132, https://rus.stackexchange.com/users/183327, https://rus.stackexchange.com/users/2141, verzatrana, М_Г
Russian
Spoken
437
1,548
Знак препинания перед И в зависимости от смысловой нагрузки Здравствуйте,уважаемые форумчане. Инопланетный симбионт захватывал людей ()и даровал им силу. Запятая ставится в зависимости от того,какой смысл мы хотим передать предложением? Например: Инопланетный симбионт захватывал людей ,и(а потом)даровал им силу. Инопланетный симбионт захватывал людей и(да) даровал им силу. Или запятая не должна ставиться? Инопланетный симбионт захватывал людей и даровал им силу. Запятая в этом предложении не ставится ни при каких условиях, ибо союз И соединяет всего лишь однородные сказуемые ЗАХВАТЫВАЛ и ДАРОВАЛ. Случай совершенно прозрачный, двусмысленности никакой. Но если Вы хотите как-то выделить вторую часть предложения, поставьте интонационное ТИРЕ: Инопланетный симбионт захватывал людей - и даровал им силу. Такое (авторское) тире ставится довольно часто для усиления восходящей интонации и обозначения значительной паузы. Только чаще ставится не перед И, а после него: Инопланетный симбионт захватывал людей и - даровал им силу. IMHO: Дело не в однородные сказуемых. Даже при однородных сказуемых И может выступать как "присоединительный союз с оттенком противопоставления", и тогда запятая нужна: https://rus.stackexchange.com/questions/427007/%d0%98-%d0%b2-%d0%b7%d0%bd%d0%b0%d1%87%d0%b5%d0%bd%d0%b8%d0%b8-%d0%bdo-%d0%9f%d0%be%d0%bc%d0%be%d0%b3%d0%b8%d1%82%d0%b5-%d1%80%d0%b0%d0%b7%d0%be%d0%b1%d1%80%d0%b0%d1%82%d1%8c%d1%81%d1%8f-%d1%81-%d0%b7%d0%b0%d0%bf%d1%8f%d1%82%d0%be%d0%b9 Инопланетный симбионт захватывал людей – и даровал им силу. Тире обозначает неожиданное развитие событий (что вполне соответствует смыслу) и ставится перед союзом. Примеры: Она на ходу посмотрела не него – и отправилась дальше. Я растянулся на сене и уже вздремнул – да вспомнил о «неладном месте» и встрепенулся. Симбионт захватывал и даровал. Два независимых друг от друга действия. Может захватить,может даровать. Симбионт захватывал и (и в результате чего) даровал. Одно событие зависит от другого.Разве нельзя "и в результате чего" заменить на "и"?Мне кажется,что в повседневной речи это активно используется.А если можно, то как передать разницу в одинаковых предложениях? Мне казалось,что возможно с помощью запятой. Если поставить запятую, то союз будет присоединительный, например: "Она вслух читала романы, и (она) была виновата во всех ошибках автора". Здесь идет развитие темы (какой-то элемент неожиданности присутствует, но явного противопоставления и противоречия нет), интонация как в ССП (пауза обозначена, но не подчеркивается). В приведенном примере СЕМАНТИКА глаголов особая: она не соответствует простому развитию темы (захват - это ожидаемое насилие, а не неожиданное добро). Поэтому было бы странно соединять эти глаголы обычным союзом И, То есть "и" обязательно нужно заменять на "а потом,и в результате чего,но при этом" чтобы передать зависимость действий? Соединительный союз И может выражать как однородные отношения, так и взаимообусловленные/зависимые (в том числе причинно-следственные) при наличии лексики с соответствующим значением, но запятая при наличии соединительного союза не ставится. Если поставили запятую, то союз И становится присоединительным и вносит дополнительные значение ОБОСОБЛЕННОСТИ действия - обычно его неожиданный или нестандартный характер. В принципе в этом примере, наверное, можно поставить запятую (а не тире), надо смотреть по контексту, что больше подходит. В обоих вариантах нет противопоставления, поэтому запятая не нужна.
33,471
https://mrj.wikipedia.org/wiki/%D0%9F%D0%BE%D0%BA%D1%88%D0%B0%D0%BB%20%D0%9C%D0%B0%D1%88%D0%BE%D0%BD%D0%B0%D0%BB%D0%B5%D0%BD%D0%B4
Wikipedia
Open Web
CC-By-SA
2,023
Покшал Машоналенд
https://mrj.wikipedia.org/w/index.php?title=Покшал Машоналенд&action=history
Western Mari
Spoken
48
215
Покшал Машоналенд (англла ‎‎ Mashonaland Central Province ) — Зимбабвен провинцижӹ. Вуйхалажы: Биндура. Провинцин территорижӹ: 28 347 км². 2002-шы ин тӹштӹ 998 265 эдем ӹлен. Халыквлӓжӹ дон Йӹлмӹвлӓжӹ шонавлӓ дӓ шона йӹлмӹ Районвлӓжӹ Биндура (Bindura) Центенери (Centenary) Гуруве (Guruve) Маунт-Дарвин (Mount Darwin) Рушинга (Rushinga) Шамва (Shamva) Мазове (Mazowe)
49,274
https://stackoverflow.com/questions/68271663
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
Joce, https://stackoverflow.com/users/1635909, https://stackoverflow.com/users/16383483, littlefirewooder
Slovak
Spoken
353
680
Using sympy to solve equations, why the result contains unknowns sometimes My python code: def Kinematic_turn(L, M, N, p, q, r): Ix = 9496 Iy = 55814 Iz = 63100 Ixy = 0 Iyz = 0 Izx = 982 x, y, z = symbols('x, y, z') eq = [Ix * x + (Iz - Iy) * q * r + Iyz * (r ** 2 - q ** 2) + Ixy * ( r * p - y) - Izx * (p * q + z) - L, Iy * y + (Ix - Iz) * p * r + Izx * (p ** 2 - r ** 2) + Iyz * ( p * q - z) - Ixy * (q * r + x) - M, Iz * z + (Iy - Ix) * p * q + Ixy * (q ** 2 - p ** 2) + Izx * ( q * r - x) - Iyz * (r * p + y) - N] result = linsolve(eq, [x, y, z]) print(result) (p_dot, q_dot, r_dot) = next(iter(result)) return p_dot, q_dot, r_dot p_dot, q_dot, r_dot = Kinematic_turn(10e-9, -45989, 10, 0, 0, 0) Result: FiniteSet((53161723108149.8 - 3.34910612568497e+17*z, -0.823968896692586, 1.0*z)) Why there is z in the result? Your code assumes that there is a unique solution to your system, or at least that only the first expression is the only one you are interested in. Indeed, you write: (p_dot, q_dot, r_dot) = next(iter(result)) return p_dot, q_dot, r_dot which means that only the first tuple of expressions from result will be returned (and you don't check whether it is the only one) It seems here that your system has actually infinitely many solutions, including a straight line t→(x,y,z)=(at-b,c,t). Nota: To understand how linear systems and linsolve work, try this: linsolve([x+y-1,2*(x+y-1)],[x,y]) where obviously the set of equations is not free. I worked out the same equations by hand, and there's a unique solution. You are right, because of the data type, the equation is linearly correlated. When I change 1e-8 into 0, there's a unique solution. Remember to accept answer if it's solving issue, @littlefirewooder
36,928
https://stackoverflow.com/questions/14671955
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
Angus Comber, Jorge Alvarado, Licson, https://stackoverflow.com/users/1823713, https://stackoverflow.com/users/619818, https://stackoverflow.com/users/821886
English
Spoken
644
1,359
Detect web browser closed - possible solution I have found that there are html events window.onunload and window.onbeforeunload but they really mean that the document is closing/changing. There doesn't seem to be a general way to detect the web browser closing, which was a surprise. My application can work in multiple browser tabs so an idea I had was to create a sort of reference counter. This could work as follows: When a user launches my web application, in the page onload handler I increment a counter and save the value as a cookie. ie ++pagecount and save value in cookie. In window.onunload I decrement the counter (and save new value in cookie). Not sure if it is possible to have race conditions in saving to a cookie? When pagecount == 0 I can cleanup. This would work even in cases where my web application was open in multiple browsers (but of course of same make). I would appreciate any comments on this? Do you think this is workable? Reliable? Any problems I have not foreseen? EDIT: Here is example code of how it might work. <!DOCTYPE html> <html> <head> <script type="text/javascript"> function SetCookie(c_name,value,exdays) { var exdate=new Date(); exdate.setDate(exdate.getDate() + exdays); var c_value=escape(value) + ((exdays==null) ? "" : "; expires="+exdate.toUTCString()); document.cookie=c_name + "=" + c_value + ";path=/"; } function GetCookie(c_name) { var i,x,y,ARRcookies=document.cookie.split(";"); for (i=0;i<ARRcookies.length;i++) { x=ARRcookies[i].substr(0,ARRcookies[i].indexOf("=")); y=ARRcookies[i].substr(ARRcookies[i].indexOf("=")+1); x=x.replace(/^\s+|\s+$/g,""); if (x==c_name) { return unescape(y); } } return ""; } function bindEvent(el, eventName, eventHandler) { if (el.addEventListener){ el.addEventListener(eventName, eventHandler, false); } else if (el.attachEvent){ el.attachEvent('on'+eventName, eventHandler); } } function IncrementUnload() { var current = GetCookie("Unloaded") - 0; ++current; SetCookie("Unloaded", current, 1); //here you would compare Loaded and unloaded and if //loaded == unloaded - then perform any cleanup } function printcookie() { var here = document.getElementById("here"); if(here) { here.innerHTML += " " + (GetCookie("Loaded") - 0); } } function printunloadcookie() { var there = document.getElementById("there"); if(there) { there.innerHTML += " " + (GetCookie("Unloaded") - 0); } } function init() { var current = GetCookie("Loaded") - 0; ++current; SetCookie("Loaded", current, 1); bindEvent(window, "beforeunload", IncrementUnload); } window.onload = init; </script> </head> <body> <b>Close this window or press F5 to reload the page.</b> <br /><br /> <p id="here">Loaded=</p> <p id="there">Unloaded=</p> <form> <input type="button" id="print_cookie" value="print Loaded cookie" onclick="printcookie();"> <br /> <input type="button" id="print_unload_cookie" value="print Unloaded cookie" onclick="printunloadcookie();"> </form> </body> </html> I think you can use localstorage instead of cookies to reduce HTTP request overhead. Generally your method has no problem. localstorage is not supported on all browsers (yet) - hence my preference for cookies. The http overhead of a (probably single digit) number is probably going to be minimal in any case. Localstorage is supported by all popular browsers (Chrome, Firefox, IE8+, Opera and Safari), so it's not a problem at all. I think that is a bad idea (or at least it will give you very imprecise numbers): You can never trust the presence of cookies to be your counting reference. You will not have any race conditions because modern browsers assign different threads to each tab, and each thead will keep their own cookies. Besides, your web application should be client-agnostic. It should not have any ideas how you are accessing it, as you want to be aware of multiple tabs in a single computer. I can guess you want this behaviour for either of two things: Better user experience by providing multiple windows for presentation You want to avoid multiple access to the same context For the first option, you can have modal dialogs in jquery. For the second option, you always have sessions to control the context of your users. Hope this helps you decide your approach. Why can I never trust the presence of cookies to be my counting reference? because cookies are simple text files that can be deleted anytime by maintenance of the machine or the user, is just not reliable
42,772
https://es.wikipedia.org/wiki/Tlapa%20de%20Comonfort
Wikipedia
Open Web
CC-By-SA
2,023
Tlapa de Comonfort
https://es.wikipedia.org/w/index.php?title=Tlapa de Comonfort&action=history
Spanish
Spoken
3,105
5,742
Tlapa de Comonfort , conocida simplemente como Tlapa, es una ciudad mexicana del estado de Guerrero y a su vez cabecera del municipio homónimo. Se encuentra a 342 kilómetros de la Ciudad de México y forma parte de la región de La Montaña de dicha entidad. La ciudad de Tlapa de Comonfort se encuentra comunicada vía terrestre por la Carretera Federal 93 que atraviesa la ciudad y comunica en el estado a la ciudad capital Chilpancingo con la localidad de Jilotepec, esta última cercana a la frontera con el estado de Puebla. Es la quinta ciudad más poblada del estado acumulando un total de 59,580 habitantes en 2020, de acuerdo con el último conteo y delimitación oficial realizada en 2020 en conjunto por el Instituto Nacional de Estadística y Geografía, el Consejo Nacional de Población y la Secretaría de Desarrollo Social. Al ser anexado Tlapa al Estado de Guerrero se inició un giro económico en el municipio. Antes de esta fecha, los campesinos de Tlapa que formaban todavía parte del estado de Puebla continuaban sus actividades económicas pasadas. En el contexto agitado por las guerras de Independencia, las comunidades indias reforzaron su autonomía y sus capacidades de negociación con el estado y el clero. En resumidas cuentas, continuaron una evolución comenzada a mediados del . En el año 1830, se llevó a cabo la Guerra de Castas entre los indígenas y españoles. Actualmente la ciudad de Tlapa es el principal centro comercial, educativo y de servicios de la región. Al igual que la ciudad más poblada y moderna de la región de La Montaña, además de concentrar los principales establecimientos públicos y privados. Toponimia Para algunos historiadores la palabra Tlapa proviene del vocablo náhuatl: Tlappan o Tluhpan, que significa “lugar donde lavan”; existen otros que sostienen que significa “lugar de tintoreros” y por último, otros aseguran que proviene del vocablo náhuatl: Tlachichlopa, que quiere decir “pueblo quemado”. El municipio se fundó en el año de 1850 al ser erigido el Estado de Guerrero. El 22 de octubre de 1890, obtiene el agregado de “Comonfort”, al elevarse su rango de villa a la ciudad. El agregado de Comonfort es en honor al general Ignacio Comonfort, militar liberal en la Revolución de Ayutla.. La Ley Orgánica de División Territorial del 30 de mayo de 1908, la reconoce como “Ciudad Comonfort”, quien como comandante militar y prefecto, realizó en esta ciudad varias mejoras materiales y administrativas, llegando a ocupar posteriormente, la Presidencia de la República. Como dato adicional, Tlapa se lee como Tinda'i en mixteco. Historia El 20 de marzo de 1824, por Decreto, se le menciona como partido del estado de Puebla. El 27 de mayo de 1837, por Decreto, es distrito del partido del mismo nombre en el estado de Puebla. El 27 de octubre de 1849 se incorpora al nuevo estado de Guerrero. El 12 de marzo de 1850, por Decreto número 16, el nombre del distrito de Tlapa se cambia por el de distrito de Morelos. El 22 de octubre de 1880, por Decreto número 44, Tlapa recibe el rango de ciudad y el agregado “de Comonfort”, en recuerdo del presidente Ignacio Comonfort. Se nombra Tlapa al municipio, por mandato de Ley de División Territorial del 6 de agosto de 1952 y el oficio número 3044 del 9 de noviembre de 1953, siendo gobernador del estado el licenciado Alejandro Gómez Maganda. Geografía Clima Los climas predominantes son: subhúmedo semicálido y subhúmedo cálido, con una temperatura promedio de 24 °C de abril a junio. El temporal de lluvias se presenta en verano, con precipitación promedio de 772 mm. Flora Es generalizada la selva caducifolia; esta se distingue porque la forman árboles que tiran sus hojas durante el estiaje. Debido a las alturas orográficas del municipio, existen bosques de pino y encino. Fauna Las especies más comunes son: conejo, tlacuache, venado, iguana, zorrillo, coyote, tejón, zorro, culebra, zopilote, paloma, gavilán, zanate y escorpión, entre otros.Algunos de estos animales han ido alejándose de la población debido a la destrucción de su habita como son el venado y la iguana. Recursos Naturales Hay lugares donde se extrae minerales como el cobre, magnesio y zinc. Los recursos maderables son explotados para ser vendidos en diferentes partes de la ciudad, ya sea para usarse como remedios para la salud o como plantas de ornato , los árboles son derribados dejando grandes zonas taladas que no se reforestan. Hidrografía Se considera que el más importante del municipio es el río Tlapaneco, que baja por la vertiente interior de la Sierra Madre del Sur para internarse a las orillas de la ciudad; también se considera afluente del río Balsas, en el río habita una variedad de peces de río, insectos como las libélulas y mosquitos; así como sapos y ranas. También hay ríos de importancia para los riegos de cultivo de los pueblos de alrededor como son: Zapotitlán, Igualita, Chiquito, Grandecomo. Los arroyos Atlenti y La Montaña son de escurrimientos temporales que se dan en la época de lluvia. Orografía La región se encuentra en la Sierra Madre del Sur, una cadena montañosa localizada al sur de México. Esto que hace que la mayor parte de la superficie de la ciudad y el municipio sea montañoso; por lo que a la ciudad se le considera El Corazón de la Montaña. El área montañosa representa el 70% de la superficie; las zonas semiplanas ocupan el 20%; y las planas el 10%. Entre las elevaciones principales destacan los cerros Mazatepec o conocido como el cerro de los venados, El Mirador, nombrado así porque una de las caras del cerro se asemeja a la cara de un hombre; De la Cruz llamado así porque en la punta del cerro esta inscrustada una cruz y El Colorado; sus alturas varían de 1000 a 2000 Territorio El 20 de marzo de 1824, por Decreto, se le menciona como partido del estado de Puebla. El 27 de mayo de 1837, por Decreto, es distrito del partido del mismo nombre en el estado de Puebla. El 27 de octubre de 1849 se incorpora al nuevo estado de Guerrero. El 12 de marzo de 1850, por Decreto número 16, el nombre del distrito de Tlapa se cambia por el de distrito de Morelos. El 22 de octubre de 1880, por Decreto número 44, Tlapa recibe el rango de ciudad y el agregado “de Comonfort”, en recuerdo del presidente Ignacio Comonfort. Se nombra Tlapa al municipio, por mandato de Ley de División Territorial del 6 de agosto de 1952 y el oficio número 3044 del 9 de noviembre de 1953, siendo gobernador del estado el licenciado Alejandro Gómez Maganda. Vista panorámica de Tlapa. Gobierno Actualmente el gobierno de Tlapa de Comonfort está compuesto por Presidente Municipal, representado por Gilberto Solano Arreaga, por la coalición «VAMOS X TLAPA» conformada por el partido Partido Revolucionario Democrático PRD y el Partido de la Revolución Institucional PRI para el periodo 2021-2024 . Síndico procurador de Justicia Secretaria General 10 regidores Regidor de Cultura Regidor de Desarrollo Urbano Regidor de Comercio Regidor de Desarrollo Rural Regidor de Salud Regidor de Medio Ambiente Regidor de Atención Migrantes Regidor de Equidad de Género Regidor de Asuntos Indígenas Regidor de Educación Representación legislativa Para la elección de los Diputados locales al Congreso del Estado de Guerrero y de los Diputados federales a la Cámara de Diputados de México, Tlapa de Comonfort se encuentra integrado en los siguientes distritos electorales: Local Federal Demografía Población Conforme al Censo de Población y Vivienda 2020 realizado por el Instituto Nacional de Estadística y Geografía (INEGI) con fecha censal del 2 de marzo de 2020, la ciudad de Tlapa de Comonfort tenía hasta ese entonces 59,580 habitantes. Es la quinta ciudad más poblada del Estado de Guerrero, detrás de Acapulco, Chilpancingo, Iguala y Zihuatanejo. Notas       Fuente:Instituto Nacional de Estadística y Geografía       Censos de Población (1900 - 1990, 2000 y 2010)       Conteos de Población (1995 y 2005) Colonias Se divide en 39 colonias que se ordenan a continuación: 5 de Mayo Ampliación Ejido San Francisco Aviación Benito Juárez Buena Vista Caltitlán Centro Tlapa de Comonfort Constitución Cuba El Dorado El Peligro Emiliano Zapata Figueroa Fovissste Jardín de Niños La Angostura La Palma Las Mesas Lázaro Cárdenas Loma Bonita Los Zapotales Mirasol Monte Sinaí Nueva Jerusalén Pirámides De Contlalco Renacimiento San Antonio San Diego San Francisco San Marcos San Nicolás Vista Hermosa Santa Anita Tepeyac Vicente Guerrero Zona Militar Algunas otras no se encuentran debidamente registradas pero forman parte de esta ciudad. Las Palmas Las Águilas Reforma Nazaret El Aguaje Monte Olivo Unidad Habitacional Militar Monte Gosen Filadelfia Luis Donaldo Colosio Nuevo Paraíso Plaza San lucas Xochimilco El Ahuaje Jerusalén Nueva Jerusalén El Manantial 5 de mayo entrada a la ciudad viniendo de Chilpancingo, a su vez también es entrada principal que conecta a parte de la montaña (Malina, Acatepec, A. del monte, etc.) Centro: se localizan la mayor parte de los negocios y el mercado Margarita Maza de Juárez. Aviación: por su gran afluencia de personas y el mercado Nuevo Horizonte. San Francisco: es una de las más extensas y pobladas, alberga en sus terrenos las terminales de autobuses y tiendas de autoservicio. Loma Bonita: cuenta con su propia parroquia, tanque de agua. Santa Anita: cuenta con su propia parroquia y es de las más extensas. Cuba: de las colonias más antiguas de la ciudad. San Diego: el barrio más antiguo de la ciudad. San Antonio: la panorámica que se observa de la ciudad es hermosa. Pirámides de Contlalco: se encuentra un sitio arqueológico y el principal destino de microbuses. Zona Militar: se encuentran el batallón de infantería, el cuartel de la Policía Estatal y el Instituto de la Mujer. Ejido de San Francisco: por tener en sus territorios al Instituto Tecnológico Superior de la Montaña y las principales zonas agrícolas. El Peligro: colinda con el centro y se encuentran algunos establecimientos concurridos. Benito Juárez: colindancia con las colonias Lázaro Cárdenas, Cuba y San Antonio. Lázaro Cárdenas: cerca del río jale (cuba), la colonia Benito Juárez y renacimiento. Renacimiento: con Lázaro Cárdenas y Cuba. El progreso: cerca del río jale, junto al dorado a lado del azteca abajo de las mesas arriba de cuba. La Angostura: colinda con la colonia Tepeyac. Las Palmas: en esta colonia se puede conseguir una vista de gran parte de la ciudad y se puede contemplar una vegetación natural de palmas en el "Cerro del Palmar". Cultura Monumentos históricos y sitios de interés Tlapa de Comonfort cuenta con algunas edificaciones históricas, las cuales están protegidas en el estado por el Registro Público de Monumentos y Zonas Arqueológicos del INAH, de acuerdo a la Ley Federal sobre Monumentos y Zonas Arqueológicos, Artísticos e Históricos de México. Arquitectura civil Museo Comunitario en la cabecera municipal y en San Miguel Xoyatlán. Kiosko en el centro del Zócalo de la ciudad. Arquitectura religiosa La Catedral de San Agustín que data del año de 1500, fundada por los frailes agustinos que evangelizaron al pueblo. Un busto del caudillo de la Independencia, general Vicente Guerrero; un arco, símbolo de los triunfos guerrerenses en los diferentes combates. Ambos ubicados en la cabecera municipal. Fiestas y Tradiciones El 23 de octubre se venera a Cristo Crucificado, que se conoce como el Señor del Nicho; participan las tradicionales danzas de Los Tecuanes y Los Moros. Personajes destacados Othon Salazar, Revolucionario Ignacio Comonfort, Presidente de la República, liberal moderado que destacó en la Revolución de Ayutla Elpidio Cortés Piza, revolucionario Victoriano Maldonado, revolucionario Francisco Romano Guillemin (1883-1950), artista plástico Natalio Balbuena Parra, escrito y poeta Juan Mendiola, defensor del Pueblo de Tlapa Rafael Basurto Lara, Voz de Los Panchos Antonio Gálvez, revolucionario Benjamín Fernández, impulsor de la cultura Felipe Pacheco, militar Jesus Salmerón García, Cronista destacado de la ciudad, reconocido por sus obras literarias, fue docente y director. Moisés Pacheco, historiador Ángel Salazar, profesor, músico y compositor Economía La economía de Tlapa se basa principalmente en actividades económicas como agricultura, ganadería, la industria y el comercio. Agricultura En la actividad agrícola los principales productos que destacan en la producción son: maíz, nopal, frijol, cebolla, jitomate, chile y arroz. Ganadería Existen especies pecuarias tanto de ganado mayor como de ganado menor, de las primeras destacan los bovinos, caprinos, porcinos, equinos y ovinos. Respecto a los segundos, existen aves de engorda, de postura y guajolotes, así como colmenas. Industria Molinos de nixtamal, tortillerías, tabiqueras, tejerías, fábricas de tabicón y celosía, acabado de sombrero de palma fino y corriente, huaracherías, curtidores de piel, carpinterías y la elaboración de palma corriente. Comercio En la cabecera municipal, existe un mercado y un tianguis y bodega rural, bodegas de la Secretaría de Agricultura, Ganadería, Desarrollo Rural, Pesca y Alimentación, para almacenamiento de fertilizantes; bodegas del Fideicomiso de la Palma (FIDEPAL) para la compra y almacenamiento de sombrero de palma, almacén que Impulsa el Pequeño Comercio (IMPECSA), que se encarga de apoyar directamente a la iniciativa privada y se dedica a distribuir mercancías al mediano y pequeños comerciantes y almacén de fertilizantes. Comercios, Tiendas y Bancos En la ciudad de Tlapa de Comonfort, Guerrero, se encuentran gran variedad de Comercios, Tiendas, Cooperativas y Bancos Comerciales entre los cuales están: Red Eco Cooperativa Un Banco BBVA Una tienda Bodega Aurrerá Una tienda Super Chedraui de Grupo Chedraui Una tienda Elektra Dos tiendas Neto Una tienda Telas Parisina Un Banco Banamex Dos Bancos Azteca Un Banco Bienestar Un Banco HSBC Compartamos Banco Casa de cambio Delgado Travel Casa de cambio Intermex Negocios locales Super Tony, Abarrotes Rocha y Super Juquila Tres Farmacias Similares Turismo Los atractivos turísticos en la cabecera son las huertas de árboles frutales a la orilla del río Tlapaneco y el convento agustino del . Las minas de Contlalco, la cascada de Axoxuca y la zona arqueológica de Chiepetlán. Además, cuenta con un museo comunitario que expone piezas arqueológicas localizadas en la zona y fetiches encontrados en diferentes partes del municipio; también contiene objetos de historia local, tradiciones y costumbres; existe otro museo más modesto en San Miguel Zoyatlán. Vista panorámica de Tlapa. Transporte Vías de Transporte La ciudad cuenta con tres salidas importantes, son: La Carretera Federal 93, que atraviesa a la ciudad y comunica con las ciudades de Chilpancingo y Puebla. La Carretera Tlapa - Marquelia que comunica el corredor Montaña con el Corredor Costa Chica en el Estado. El Libramiento de Tlapa que desahoga el tránsito vial de la ciudad en las hora pico. Avenidas Las principales avenidas de la ciudad son las siguientes: Heroico Colegio Militar: Toma parte de la Carretera Federal 93 desde el arco y da fin en Paseo Celeste. Hidalgo: inicia desde las orillas del río Jale hasta la "Y". Morelos: inicia en la "Y" y da fin hasta el río Jale. Guerrero: comienza en las orillas del río Jale hasta la colonia El Tepeyac. Pirámides de Contlalco: inicia en la "Y" hasta la salida a Puebla. Marquelia: inicia en el entronque con H. Colegio Militar y da fin en la colonia Constitución. Aeropuerto: inicia en el entronque con H. Colegio Militar y finaliza en entronque con la Marquelia. Servicios El Ayuntamiento proporciona a la población los siguientes servicios: Seguridad Pública, Bancos, Energía eléctrica, Agua potable y alcantarillado, Parque y Jardines, Transporte, Panteón, Mercado municipal. En la cabecera municipal la población cuenta con los medios de comunicación más necesarios, tales como: Agencia de correos, una central de teléfonos de México y servicios domiciliarios de teléfonos automáticos (LADA), casetas de teléfono automático (LADA) y de telefonía móvil telcel y movistar. Cuenta también con los servicios de TV Cablemas y VeTV sky Educación La cabecera municipal cuenta con los niveles de educación básico, medio superior y superior en el ámbito público y privado de las que destacan son: Preescolar Angel Miranda Basurto, centro Josefina Castañeda, Colonia Cuba Xochconotl, Colonia El Peligro Tlachichinolapa, Col Aviación Rafael Ramírez - Colonia Tepeyac R. Leyva Mancilla - Colonia San Francisco Benito Juárez - Colonia Caltitlan Yoloxochitl - colonia Lázaro Cárdenas Azteca - colonia contlalco Escuelas Primarias Adolofo Lopez Mateos - colonia El Tepeyac Lázaro Cárdenas - colonia Centro Ignacio Manuel Altamirano - colonia Centro Caritino Maldonado - colonia Lázaro Cárdenas Justo Sierra - colonia San Francisco Luis Donaldo Colosio - colonia Caltitlán Rafael Ramírez - colonia Santa Anita Galileo - colonia Cuba Nicolás Bravo - colonia Aviación Ignacio Zaragoza - colonia 5 de mayo Vicente Guerrero _ Colonia San Antonio Instituto de ciencias y artes del prado (privada) Escuelas Secundarias Gral. Juan N. Álvarez - colonia Aviación Sor Juana Ines de la Cruz - colonia Contlalco Gral. Lázaro Cárdenas del Río - colonia Emiliano Zapata Escuela Secundaria Particular Paz Vallejo Muriana - colonia Centro Técnica Caritino Maldonado Pérez - colonia Contlalco Medio Superior Unidad Académica Prepa 11 (UAGro) - colonia San Francisco CBTis n.º 178 - colonia Contlalco CBACH - Ejido de San Francisco CONALEP - colonia Contlalco COBACH - colonia 5 de mayo CIESA (privada incorp. a la UAGro) - colonia Centro Superior Instituto Tecnológico Superior de la Montaña - Ejido de San Francisco Facultad de Derecho y de Enfermería de la UAGRO - colonia san Francisco Universidad Pedagógica Nacional - Tlapa - Ejido de San Francisco Centro Universitario del Pacífico Sur (privada) - colonia Centro Instituto iberoamericano español (privada) - colonia centro. Escuela Normal Regional de la Montaña - colonia Centro Transporte Taxis En la ciudad existen varios sitios de taxis colectivos, entre los más destacados están: Juárez Sr. del Nicho Ignacio Comonfort Taxis Mixtos y de mudanza Sitio aviación 16 de Septiembre Elite Colectivos Cuenta con transporte urbano que comunica a las colonias con el centro de la ciudad y diversos sitios educativos. Por ser el centro comercial de la región, de la ciudad salen colectivos hacia todas partes de la región Montaña. Autobuses de Pasajeros Llegan varias líneas de autobuses a ciudad de Tlapa y son las siguientes: Problemas sociales Contaminación La ciudad en años anteriores contaba con un río con caudal definido pero con el aumento del saqueo de materiales para construcción (arena, grava, etc) y al no haber autoridad competente que detenga la sobrexplotación éste se ha ido deteriorando. Con todo ello se vierten las aguas del drenaje al cauce arrasando la contaminación hacia las localidades y los municipios bajos. La quema de basura: En el basurero municipal provocando así el avenimiento del humo hacia la ciudad. En las calles de la ciudad personas pagadas (por el Ayuntamiento) se encargan de barrer la basura de los habitantes de Tlapa. Véase también Municipio de Tlapa de Comonfort Región de La Montaña Referencias Notas Fuentes Enlaces externos Ayuntamiento de Tlapa de Comonfort; sitio web oficial. Localidades del estado de Guerrero Cabeceras municipales del estado de Guerrero Localidades epónimas de Ignacio Comonfort
37,427
https://stackoverflow.com/questions/49935208
StackExchange
Open Web
CC-By-SA
2,018
Stack Exchange
Chasing Unicorn - Anshu, Shubham Khatri, https://stackoverflow.com/users/5928186, https://stackoverflow.com/users/7061569
English
Spoken
330
647
Trouble in Routing I am using react-router-dom and react-router-redux for routing in React. I am unable to route to the relative path. In my case '/login. Here is the code. https://codesandbox.io/s/y73931q871 Also if I run the code in the local it throws: In webpack.config.js, you should not miss historyApiFallback: true for the devServer object. Something like this: devServer: { compress: true, port: 9000, host: '0.0.0.0', historyApiFallback: true }, Also, in your Route configuration, you need to reorder the Routes like export const App = () => ( <Provider store={store}> <Router history={history}> <Switch> <Route path="/login" component={Login} /> <Route path="/" component={Home} /> </Switch> </Router> </Provider> ); re-order is needed because Switch only renders the first matched route and a path like /login will also match / and hence only render Home all the time, so all paths that are prefixed to other paths need to be placed at the end. working demo I reordered them for debugging. Sorry. Great! it's working in the codesandbox, but it's throwing the same error in my browser with the local setup. Possibly some version conflicts. I have updated my ques with package.json. Let me know if you can help me with that. Thanks. @ChasingUnicorn, as I said, the errors are not related to Route but to fonts that you might be loading, please check the font that you are loading on login page Also, if fonts loading is the issue, then my Home page would have also thrown the same error. Check this https://stackoverflow.com/questions/45366744/refused-to-load-the-font-datafont-woff-it-violates-the-following-content/45563020 Thanks, @shubham, but that post I already saw. Anyway, I got the solution. Have updated your answer. :) According to docs, you should use exact prop with index (/) route. So the code should looks like this: export const App = () => ( <Provider store={store}> <Router history={history}> <Switch> <Route exact path="/" component={Home} /> <Route path="/login" component={Login} /> </Switch> </Router> </Provider> ); Please modify your home route by the following and it will work as you want <Route path="/" component={Home} exact />
33,650
https://stackoverflow.com/questions/47389048
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
English
Spoken
136
373
'type' word can not be appended as query strings on branch.io deeplink I've tried to append query strings on branch.io deeplink to pass data from link to app. The test is like this : https://example.app.link?type=123&hello=world but in Android, 'type' parameter is dropped not like 'hello' Here is the dump of Intent : [branch_data={"~id":"0","+url":"https://example.app.link/?hello=123","hello":"123","~creation_source":6,"+domain":"example.app.link","+click_timestamp":1511169927,"+clicked_branch_link":true,"+match_guaranteed":true,"+is_first_session":true}] I assume 'type' word is reserved, are there another keywords like this? And is there any way to use 'type' word as parameter? Amruta from Branch.io here: As you guessed, the type keyword is reserved and hence cannot be used as a custom query parameter. Unfortunately, there is no way around this. Here is a list of reserved keywords 'iframe_src', 'has_app', 'app_id', 'data', 'tags', '~tags', 'channel', '~channel', 'feature', '~feature', 'stage', '~stage', 'campaign', '`~campaign', 'type', 'duration', 'click', 'callback', 'post_data', 'branch_key', '$journeys_title', '$journeys_description', '$journeys_icon_image_url', '$journeys_reviews'
48,631
https://ce.wikipedia.org/wiki/%D0%A5%D0%B5%D1%82%D0%B0%20%28%D0%93%D1%83%D1%8C%D1%80%D0%B6%D0%B8%D0%B9%D1%87%D0%BE%D1%8C%29
Wikipedia
Open Web
CC-By-SA
2,023
Хета (Гуьржийчоь)
https://ce.wikipedia.org/w/index.php?title=Хета (Гуьржийчоь)&action=history
Chechen
Spoken
22
82
Хета () — Гуьржийчоьнан Самегрело — Земо-Сванети Хобин муниципалитетан эвла. Бахархойн дукхалла 364 стаг (2014 шо). Билгалдахарш Хобин муниципалитетан нах беха меттигаш
33,797
https://ar.wikipedia.org/wiki/%D8%B0%D9%85%D8%A7%D8%B1%20%D8%B9%D9%84%D9%8A%20%D9%88%D8%AA%D8%B1
Wikipedia
Open Web
CC-By-SA
2,023
ذمار علي وتر
https://ar.wikipedia.org/w/index.php?title=ذمار علي وتر&action=history
Arabic
Spoken
124
363
ذمار علي وتر (بالسبئية ḏmrʿly wtr)، وهو ابن كرب إيل بين الأول، كان حاكم (مكرب) مملكة سبأ. يفترض أنه حكم حوالي عام 540 قبل الميلاد. عُرف ذمار علي وتر من نقشين. إحداها يحيي ذكرى تأكيد توسيع كربئيل بين لمنحدر مدينة نشق السبئية آنذاك. نقش آخر يشهد على تشييد المبنى المسمى فيصم أمام بوابات مأرب مقابل معبد عثتر. ومن المحتمل أنه ذكر في نقش مجزأ آخر. المراجع مؤلفات والتر دبليو مولر (محرر) / هيرمان فون ويسمان: تاريخ سبأ الثاني. الإمبراطورية العظيمة للسبئيين حتى نهايتها في أوائل القرن الرابع قبل الميلاد (Österreichische Akademie der Wissenschaften ، Philosophisch-historyische Klasse. Sitzungsberichte، vol. 402) Verlag der österreichischen Akademie der Wissenschaften Wien، 1982 ISBN 3700105169'ali : ص 252-256). تاريخ اليمن القديم حكام اليمن ملوك الشرق الأوسط مملكة سبأ مكاربة سبأ
20,259
https://ro.wikipedia.org/wiki/Efferia%20velox
Wikipedia
Open Web
CC-By-SA
2,023
Efferia velox
https://ro.wikipedia.org/w/index.php?title=Efferia velox&action=history
Romanian
Spoken
39
77
Efferia velox este o specie de muște din genul Efferia, familia Asilidae. A fost descrisă pentru prima dată de Christian Rudolph Wilhelm Wiedemann în anul 1828. Conform Catalogue of Life specia Efferia velox nu are subspecii cunoscute. Referințe Efferia
8,429
https://et.wikipedia.org/wiki/Uimastav%20varesputk
Wikipedia
Open Web
CC-By-SA
2,023
Uimastav varesputk
https://et.wikipedia.org/w/index.php?title=Uimastav varesputk&action=history
Estonian
Spoken
60
195
Uimastav varesputk (Chaerophyllum temulum) on sarikaliste sugukonda varesputke perekonda kuuluv ühe- või kaheaastane rohttaim. Kirjeldus Taim on 35–90 cm kõrge. Lehtede sulgjalt paiknevad lehekesed on kuni 0,5 cm laiad, terava tipuga, hõredate pikkade karvadega. Õied valged. Liitsarikas 15–20 sileda kiirega. Osakatis 5–6 enam-vähem paljast lehekesest. Ta on Eestis arvatud II kaitsekategooriasse (seisuga 2012). Välislingid Eesti katteseemnetaimed Sarikalised II kaitsekategooria taimeliigid
3,617
https://stackoverflow.com/questions/68237149
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
English
Spoken
402
945
JavaScript for loop only finds child div class on the first click event I made a very simple application to improve my JavaScript skills instead of using jQuery all the time. What this simple application is supposed to do, is when you click on the container div, it will show the content div by adding the class show. It will remove the class show once you click on the div container again. I might be missing some very basic JavaScript knowledge I'm overlooking here. The problem This click event on the container div runs every time. The for loop runs fine every time as well, but after the first click event it seems like it's unable to find the content class. This might be because it adds the show class in the first click event, but to my knowledge, this is supposed to work fine. Any help is greatly appreciated. var container = document.querySelector(".container"); container.addEventListener("click", function() { // Loop to check child nodes for (let i = 0; i < container.childNodes.length; i++) { // Check of current child node has classname of content if (container.childNodes[i].className == "content") { let content = container.childNodes[i]; console.log("Ran here only once"); // Check if class already exists if (content.classList.contains("show")) { content.classList.remove("show"); } else { content.classList.add("show"); } break; } } }); .container { background: red; padding: 1rem; } .container .title { background: blue; } .content { transition: 1s ease-in-out; max-height: 0; overflow: hidden; background: green; } .show { max-height: 100%; overflow: visible; } <div class="container"> <div class="title"> Some random title text. </div> <div class="content"> Some random content text. </div> </div> Is this what you are trying to do ? var container = document.querySelector(".container"); container.addEventListener("click", function(e) { [...container.querySelectorAll(".content")].forEach(ele => ele.classList.toggle("show")); }); .container { background: red; padding: 1rem; } .container .title { background: blue; } .content { transition: 1s ease-in-out; max-height: 0; overflow: hidden; background: green; } .show { max-height: 100%; overflow: visible; } <div class="container"> <div class="title"> Some random title text. </div> <div class="content"> Some random content text. </div> </div> Or perhaps this: var container = document.querySelector(".container"); container.addEventListener("click", function(e) { const tgt = e.target; if (tgt.classList.contains("title")) { tgt.nextElementSibling.classList.toggle("show"); } }); .container { background: red; padding: 1rem; } .container .title { background: blue; } .content { transition: 1s ease-in-out; max-height: 0; overflow: hidden; background: green; } .show { max-height: 100%; overflow: visible; } <div class="container"> <div class="title"> Some random title text. </div> <div class="content"> Some random content text. </div> </div>
38,008