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://et.wikipedia.org/wiki/Valenciennesi%20kanton
Wikipedia
Open Web
CC-By-SA
2,023
Valenciennesi kanton
https://et.wikipedia.org/w/index.php?title=Valenciennesi kanton&action=history
Estonian
Spoken
31
92
Valenciennesi kanton on kanton Põhja-Prantsusmaal Nordi departemangus. See moodustati 2014. aasta kantonireformiga, mis jõustus 2015. aasta märtsis. Kantoni keskus on Valenciennes. See koosneb järgmistest valdadest: Saint-Saulve Valenciennes Viited Nordi departemangu kantonid
11,110
https://stackoverflow.com/questions/14186828
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
Audrius Meškauskas, Eddie Jamsession, Gray, Kishore Kumar Korada, Marko Topolnik, Roger Lindsjö, Shivam, Werner Kvalem Vesterås, https://stackoverflow.com/users/1103872, https://stackoverflow.com/users/1439305, https://stackoverflow.com/users/179850, https://stackoverflow.com/users/1849430, https://stackoverflow.com/users/3709218, https://stackoverflow.com/users/462963, https://stackoverflow.com/users/858926, https://stackoverflow.com/users/917548
English
Spoken
963
1,614
Why doesn't thread wait for notify()? Why doesn't thread wait for notify()? The thread starts and then goes to the waiting pool, but it proceeds to execute after that moment. public class JavaApplication2 { public static void main(String [] args) { ThreadB b = new ThreadB(); synchronized(b) { b.start(); try { System.out.println("1"); b.wait(); } catch (InterruptedException e) {} System.out.println("Total is: " + b.total); } } } class ThreadB extends Thread { int total; @Override public void run() { synchronized(this) { total += 1; //notify(); } } } What notify? I do not see any notify, except the one commented out. Exactly, the thread must wait for eternity, but it doesn't. try b.join() instead of wait You are synchronizing on the thread object itself, which is wrong usage. What happens is that the dying thread-of-execution always calls notify on its Thread object: Thread.join relies on this. Therefore it is clear why you get the same behavior with and without your own notify in there. Solution: use a separate object for thread coordination; this is the standard practice. +1 for using separate thread for coordination. If you don't know what other parts of the system is doing with the object, then you can't rely on it for synchronisation. You're correct, but not notify, the this.notifyAll method is invoked. I don't understand this comment. notify is the same as this.notify. notifyAll is not the same as notify. They are different methods. It is not the same in general, but in your case (only one thread in the wait set), it is. @MarkoTopolnik Great answer. So, why should use separate object? Even if we use separate object, that'll be part of the same tread of execution right? The method notifyAll() is invoked for the Thread object of the terminating thread. This fact is strangely documented in the description of the Thread.join, with the following sentence: As a thread terminates the this.notifyAll method is invoked. It is recommended that applications not use wait, notify, or notifyAll on Thread instances. Thus, if you don't explicitly read the description of join, which you don't necessarily have to, you don't get to know the reason for the strange behavior. You cannot depend on not returning from wait until a notify: "interrupts and spurious wakeups are possible". In general, you should wrap a wait call in a loop while the thread should go on waiting. This doesn't answer the question. Yes, spurious wakeups are a marginal concern only and many implementations don't manifest them at all. Wherever you encounter deterministically reproducible behavior, you can be 100% sure spurious wakeups have nothing to do with it. Completely agreed @Marko. I really dislike mentions of spurious wakeups. They are certainly possible but extremely rare. It is much more likely that try bugs are at fault. See this wrong answer: http://stackoverflow.com/a/2960667/179850 If you try your code synchronizing on any object other that ThreadB you will find it never terminates. This is because there is a hidden call to notify. Although I am not aware of anywhere that this is specified, Thread notifies itself when it ends. This is implicit in the way the join method is implemented. This is the code for join: public final synchronized void join(long millis) throws InterruptedException { long base = System.currentTimeMillis(); long now = 0; if (millis < 0) { throw new IllegalArgumentException("timeout value is negative"); } if (millis == 0) { while (isAlive()) { wait(0); } } else { while (isAlive()) { long delay = millis - now; if (delay <= 0) { break; } wait(delay); now = System.currentTimeMillis() - base; } } } (From the JDK7 source code) As you can see, the calls to wait only make sense if somewhere there is a call to notify that is called after the thread ends. The same call to notify is what allows your program to terminate. You have nested synchronized {} constructs in the two places. These constructs seem doing something weird: the thread does not react into notify at all and only resumes when ThreadB (b) terminates. Remove this: public class JavaApplication2 { public static void main(String[] args) { ThreadB b = new ThreadB(); b.start(); try { System.out.println(" ### Waiting for notify"); synchronized (b) { b.wait(); } System.out.println(" ### Notified"); } catch (InterruptedException e) { } System.out.println("### Total is: " + b.total); } } class ThreadB extends Thread { int total; @Override public void run() { total += 1; System.out.println(" *** Ready to notify in 5 secs"); try { Thread.sleep(5000); } catch (InterruptedException e) { } System.out.println(" *** Notification sent"); synchronized (this) { notify(); } System.out.println(" *** 5 sec post notification"); try { Thread.sleep(5000); } catch (InterruptedException e) { } System.out.println(" *** ThreadB exits"); } } The code above probably works correctly: with notify() present the main thread resumes after 5 seconds and before we see the message that ThreadB terminates. With notify() commented out the main thread resumes after 10 seconds and after the message about the termination of the ThreadB because notify() is called anywhay from the other code. Marko Topolnik explains why and from where this "behind the scene" notify() call comes from. You seem to be using the term "spurious wakeup" too loosely---it is a very specific concept and it is not involved in this question (or any other question on SO I have ever seen). The main thread does resume when the thread b terminates, even if notify() is not called, tested. Of course; notify is called anyway, as I explain in my answer. This is not a spurious wakeup. It is also possible to look so ... I have changed that sentence in my answer. I was doing the same testing on the wait/notify opertaions while reading OCP SE 7, good catch. I think we should let the authoer to explain.
50,238
https://zh.wikipedia.org/wiki/%E6%B3%BE%E5%B7%9D%E9%95%87
Wikipedia
Open Web
CC-By-SA
2,023
泾川镇
https://zh.wikipedia.org/w/index.php?title=泾川镇&action=history
Chinese
Spoken
5
53
泾川镇,是下辖的一个乡镇级行政单位。 行政区划 泾川镇下辖以下地区: 。 参考资料
38,417
https://stackoverflow.com/questions/5410009
StackExchange
Open Web
CC-By-SA
2,011
Stack Exchange
Ali Ann, Chio Chio, DiningPhilanderer, Eugene Zilberman, Haldric, Kuberjung Thapa, Mac Joel, Quang Vinh , Tim, https://stackoverflow.com/users/11579223, https://stackoverflow.com/users/11579224, https://stackoverflow.com/users/11579225, https://stackoverflow.com/users/11579323, https://stackoverflow.com/users/11579385, https://stackoverflow.com/users/11579490, https://stackoverflow.com/users/11583217, https://stackoverflow.com/users/11583256, https://stackoverflow.com/users/11583257, https://stackoverflow.com/users/11584855, https://stackoverflow.com/users/30934, https://stackoverflow.com/users/312908, pps, water_logged, 이정원
English
Spoken
424
726
SQL Query: How to Join Two SQL Queries in Oracle Report I have been tasked with converting an old reports program to Oracle reports and I came to a halt when I needed to join two queries to make the report work. I'm not new to SQL, but I do need help on this one. For Oracle Reports 11g, reports needs to show the results of the following two queries, therefore, these queries need to be joined together in one single SQL query for the report to work. First query: select table_name , to_char(load_date, 'MM/DD/ YYYY') as XDATE , to_char(number_name) as NUMBER NAME , round(sysdate-load_date) as DAYS , 'E' AS TABLEIND from error_table where load_date is not null and round(sysdate-load_date) > 15 and number_name not in (select number_name from table_comments) order by table_name Second query: select table_name , to_char(load_date, 'MM/DD/ YYYY') as XDATE , to_char(number_name) as NUMBER NAME , round(sysdate-load_date) as DAYS , 'O' AS TABLEIND from other_table where load_date is not null and round(sysdate-load_date) > 15 and number_name not in (select number_name from table_comments) order by table_name The results of these two queries should show the results of these two queries with the first query first, and the second query second. Any help with this problem is highly appreciated. ( Query1 --leave out the "order by" line ) UNION ALL ( Query2 --leave out the "order by" line, too ) ORDER BY TABLEIND , table_name If you're trying to get these to come out in one result set, try a UNION between them. You can order the whole result set by TABLEIND, table_name to sort the way you want, I believe. If you HAVE to have it in this format dump the results of the first query into a temp table with an identity column then dump the results of the second query into the same table. Then select from that temp table sorted off that identity column If you use Union you have to make sure not to eliminate duplicate rows, but yes that would work I believe... UNION eliminates dupes by default. But there won't be any except within the individual preexisting queries perhaps. You can create a union query with the existing queries as inline views: select 1 as whichQuery, q1.col, q1.col, ... from (select....) as q1 union all select 2 as whichQuery, q2.col, q2.col, ... from (select ....) as q2 and then you can order by whichQuery. That guarantees the order you want in case TABLEIND alpha sort value should vary (and not sort in the order you want).
10,210
https://simple.wikipedia.org/wiki/Vittorio%20Veneto
Wikipedia
Open Web
CC-By-SA
2,023
Vittorio Veneto
https://simple.wikipedia.org/w/index.php?title=Vittorio Veneto&action=history
Simple English
Spoken
20
36
Vittorio Veneto is a city and comune in Province of Treviso, in Veneto in northeast Italy. References Cities in Treviso
35,812
https://sv.wikipedia.org/wiki/Liparetrus%20marginipennis
Wikipedia
Open Web
CC-By-SA
2,023
Liparetrus marginipennis
https://sv.wikipedia.org/w/index.php?title=Liparetrus marginipennis&action=history
Swedish
Spoken
30
66
Liparetrus marginipennis är en skalbaggsart som beskrevs av Blanchard 1850. Liparetrus marginipennis ingår i släktet Liparetrus och familjen Melolonthidae. Inga underarter finns listade i Catalogue of Life. Källor Skalbaggar marginipennis
24,183
https://id.wikipedia.org/wiki/Bridge%20over%20Troubled%20Water
Wikipedia
Open Web
CC-By-SA
2,023
Bridge over Troubled Water
https://id.wikipedia.org/w/index.php?title=Bridge over Troubled Water&action=history
Indonesian
Spoken
988
1,953
"Bridge Over Troubled Water" adalah judul lagu Simon & Garfunkel. Lagu ini disertakan dalam album yang juga berjudul sama, Bridge Over Troubled Water. Lagu ini dirilis sebagai singel pada tanggal 26 Januari 1970 dan disertakan pula dalam album live Live 1969 yang dirilis pada tahun 2008. Bridge over Troubled Water mencapai posisi puncak tangga lagu Billboard Hot 100 mulai tanggal 28 Februari 1970 selama 6 minggu berturut-turut dan laris terjual hingga 6 juta kopi di seluruh dunia. Sejarah Paul Simon menulis lagu ini pada musim panas 1969. Sementara itu, Art Garfunkel sedang memfilmkan Catch-22 di Eropa. Awalnya, lagu ini mempunyai 2 bait dan lirik yang berbeda. Paul secara khusus menulisnya untuk Garfunkel dan mengetahui bahwa lagu itu akan dimainkan dengan piano. Lirik bagian chorus sebagian terinspirasi dari lirik Claude Jeter, "I'll be your bridge over deep water if you trust in me," yang dinyanyikan Jeter bersama Swan Silvertones dalam lagu "Mary Don't You Weep" (1958). Garfunkel kabarnya menyukai suara falsetto Paul dalam demo dan menyarankan agar ia yang menyanyi. Art Garfunkel dan produser Roy Halee juga berpendapat bahwa lagu ini membutuhkan 3 verse dan suara yang 'lebih besar' pada bagian akhir. Paul Simon setuju dan menulis verse final yang ia anggap agak kurang berkaitan dengan kedua verse awal. Ia menulis tentang munculnya uban pertama di rambut Peggy Harper, yang kelak menjadi istrinya. (dalam lirik:"Sail on, silvergirl"). Musisi yang berpartisipasi antara lain Wrecking Crew yang terdiri dari Hal Blaine, Larry Knechtel, Joe Osbourne dan Gary Coleman. Knechtel memenangkan Grammy untuk aransemen piano. Usaha pertama Art Garfunkel merekam vokal mengalami kegagalan. Kedua verse pertama akhirnya direkam di New York namun setelah verse terakhir yang terlebih dulu diselesaikan di Los Angeles. Sebagian besar lagu direkam di Columbia Records Hollywood, Kalifornia. Sebagian lagu pertama kali diperdengarkan secara nasional pada 30 November 1969 sebagai soundtrack acara TV spesial Simon & Garfunkel yang ditayangkan oleh CBS. Acara berdurasi 1 jam itu berjudul Songs of America. Musik diputar dengan latar klip John F. Kennedy, Robert Kennedy dan Martin Luther King, Jr. Larry Knechtel menghabiskan waktu 4 hari dalam mengerjakan aransemen piano. Art Garfunkel muncul dengan akord piano bagian intermediat antara verse. Perekaman lagu ini diwarnai oleh banyak pertengkaran yang mengarah pada bubarnya duo itu setelah album diselesaikan. Paul Simon menunjukkan penyesalannya karena menginginkan Art Garfunkel membawakan lagu ini secara solo, sementara ia sendiri tidak berpartisipasi dalam vokal. Art Garfunkel pada awalnya menolak untuk membawakan lagu ini. Paul Simon berkata dalam wawancara dengan Rolling Stone pada tahun 1972: "Ia merasa saya yang harus melakukannya". Meski begitu, lagu ini sukses besar. Rolling Stone menempatkannya di urutan nomor 47 dalam daftar "500 Lagu Terbaik Sepanjang Masa". Tangga lagu Versi daur ulang Aretha Franklin Versi daur ulang bernuansa musik gospel dirilis oleh Aretha Franklin pada bulan Maret 1971. Versi ini menduduki puncak tangga lagu R&B dan nomor 6 di tangga lagu pop, dan akhirnya memenangi Grammy Award for Best Female R&B Vocal Performance dalam Grammy Awards 1972. Penampilannya membawakan lagu ini di Grammy Awards dirilis dalam album Grammy's Greatest Moments Volume III tahun 1994. Elvis Presley Elvis Presley merekam lagu ini di Nashville pada tanggal 5 Juni 1970, kemudian merilisnya pada tahun 1970 dalam album That's the Way It Is. Ia memasukkannya dalam daftar lagu yang akan dibawakannya di Las Vegas. Pertunjukkan ini dimasukkan dalam dokumenter tahun 1970 Elvis: That's the Way It Is. Di Vegas musim panas tahun itu, Paul Simon menghadiri salah satu pertunjukkan dan setelah menonton Elvis membawakan lagu itu, ia berkata "Itu dia, kami mungkin menyerah sekarang." Elvis Presley terus menyanyikan lagu ini sepanjang pertunjukkan langsungnya, termasuk dalam kemunculan terakhir di Indianapolis pada tanggal 26 Juni 1977. Pertunjukkan langsung lainnya direkam dalam dokumenter pemenang Golden Globe Elvis on Tour, yang difilmkan di Greensboro Coliseum, North Carolina, 14 April 1972. Linda Clifford Linda Clifford menyanyikan "Bridge Over Troubled Water" versi disko yang dimasukkan ke dalam album "Let me be your woman" pada bulan Maret 1979. Ini adalah pertama kalinya lagu ini didaur ulang dalam tempo cepat. Penampilan lain The Supremes (1970). Dionne Warwick, Gladys Knight, BeBe Winans dan CeCe Winans dalam Family Night Special (1991). CeCe Winans dan Whitney Houston. Natalie Cole dan Whitney Houston (1990). The Jackson 5 dalam album Third Album (1970). Nana Mouskouri (1970). Roberta Flack dalam album Quiet Fire (1971). Cilla Black dalam album Day by Day with Cilla, produser: George Martin (1973) Neil Sedaka mengkombinasikannya dengan musik rakyat Irlandia "Londonderry Air" dalam album Neil Sedaka On Stage di Australia (1974). Buck Owens dan the Buckaroos (1971). Shirley Bassey dalam album Something Else (1971). Jimmy London merekam versi reggae (1972). Willie Nelson dalam album Always on My Mind (1982). Ia juga membawakan lagu ini dalam upacara penutupan Olimpiade Musim Dingin 2002 di Salt Lake City, Utah. Dalam Saturday Night Live oleh Jan Hooks and Nora Dunn (1987). Mereka mempersembahkannya kepada Paul Simon, yang menjadi pembawa acara episode tersebut. Richard Elliot, peniup saksofon, dalam album After Dark (1994). LeAnn Rimes, dalam album You Light Up My Life: Inspirational Songs (1997). Anne Murray dalam album What A Wonderful World (1999). Russell Watson dalam album The Voice (2001). Michael W. Smith dalam album Healing Rain (2004). David Foster, Andrea Bocelli, dan Mary J. Blige, 31 Januari 2010, dalam 52nd Grammy Awards. Annie Lennox, 25 April 2007, dalam Idol Gives Back. Dalam serial Glee (2010) Celtic Woman ( 2011). Oleh Kit Chan (2011). Penghargaan Grammy Award for Record of the Year (Grammy Awards 1971). Grammy Award for Song of the Year (Grammy Awards 1971). Catatan Referensi Sumber Pranala luar , Paul Simon, composer; sung by Art Garfunkel Lagu tahun 1969 Singel tahun 1970 Singel tahun 1971 Singel tahun 1979 Lagu yang ditulis oleh Paul Simon Lagu Simon & Garfunkel Lagu Aretha Franklin Lagu Linda Clifford Grammy Award for Record of the Year Grammy Award for Song of the Year Penerima Grammy Hall of Fame Award Singel Columbia Records Lagu inspirasional Singel RSO Records Singel Syco Music Singel RCA Records Singel Sony BMG Lagu pop Amerika Serikat
47,919
https://en.wikipedia.org/wiki/John%20H.%20Froude
Wikipedia
Open Web
CC-By-SA
2,023
John H. Froude
https://en.wikipedia.org/w/index.php?title=John H. Froude&action=history
English
Spoken
212
286
John H. Froude (born February 1, 1930) is an American Democratic Party politician who served in the New Jersey General Assembly from 1972 to 1980. He grew up in South River and attended public schools there. He graduated from South River High School. earned an Ed.M from Rutgers University and took additional courses at Seton Hall University and the University of Michigan. He worked as a college professor at Kean College and as a social studies teacher at South River High School and Sayreville War Memorial High School. He was elected to the South River borough council in 1967 and reelected in 1970 before being elected to the Assembly. First elected in 1971 to the Assembly from District 7B (alongside James Bornheimer), he was reelected in 1973, 1975, and 1977 in the new 18th Legislative District. He retired from the Assembly in 1980 and moved to Upper Freehold Township. References 1930 births Living people Democratic Party members of the New Jersey General Assembly Rutgers University alumni Seton Hall University alumni University of Michigan alumni Educators from New Jersey People from South River, New Jersey People from Upper Freehold Township, New Jersey Politicians from Middlesex County, New Jersey New Jersey city council members South River High School (New Jersey) alumni 20th-century American politicians
48,522
https://unix.stackexchange.com/questions/667812
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
Michael Hampton, https://unix.stackexchange.com/users/20805, https://unix.stackexchange.com/users/374303, xpt
English
Spoken
623
1,074
Backup my EFI boot entry for easy restore Giving that Windows 10 would most likely wipe my Linux EFI boot entry, See the comment after the answer here: Windows 10 will usually "self-heal" its firmware boot entry if you manage to get Windows booting even once. In the process, if there is no existing Windows boot entry in the firmware (i.e. in the efibootmgr list), it will usually usurp Boot0000 for itself, regardless of whether or not it is already in use. I'd like to backup my EFI boot entry before so that I can then easily restore it even Windows 10 wipes it. Seems there is no existing tools that can do it, though https://github.com/rhboot/efibootmgr/issues/10 mentioned the efivar utility, with somewhat manual process. However, I cannot find any further info into that direction. Hence the question. Or, if I have a EFI boot entry like this: Boot0000* debian HD(13,GPT,007a058a-8e5e-45df-8d97-6575b66b5355,0x1afa9000,0x113000)/File(\EFI\debian\grubx64.efi) How to recreate it next time? Windows will not touch your EFI boot entry, it will just make its own entry the first in the list. Indeed @MichaelHampton, it turned out to be exactly so. thx. It's easy enough to recreate a boot entry from scratch once you know how... and have the efibootmgr tool at hand, of course. Boot0000* debian HD(13,GPT,007a058a-8e5e-45df-8d97-6575b66b5355,0x1afa9000,0x113000)/File(\EFI\debian\grubx64.efi) The 007a058a-8e5e-45df-8d97-6575b66b5355 is the PARTUUID of the ESP partition the \EFI\debian\grubx64.efi is located in. (The 13 may be a partition number, but according to the specification, the PARTUUID is the primary identifier.) The efibootmgr command just needs to know the disk: it will find the ESP partition on that disk, and its PARTUUID, automatically on its own, assuming there is only one ESP per disk. So, let's assume that this PARTUUID belongs to your /dev/sda13 partition (use blkid or lsblk -o +partuuid to check). To recreate the boot entry (or to make an extra copy of it right now): efibootmgr -c -d /dev/sda -L debian -l \\EFI\\debian\\grubx64.efi Backslashes are doubled because backslash is a special escape character for the shell. This command will automatically find the ESP partition on /dev/sda and its PARTUUID, and will build the boot entry for you. efibootmgr will automatically pick the first free BootNNNN number for the boot entry, and will also automatically add it as the first entry in the BootOrder. So if Boot0000 already exists, this would create Boot0001 and set BootOrder to 0001,0000 if it previously was just 0000. This would be an effective backup of your current boot entries: (lsblk -o +partuuid; efibootmgr -v) > boot-entry-repair-kit.txt Rather than back up your firmware efi boot entry, just have the tools on hand to easily recover it. Usually windows doesn't delete your linux entry, but it may prioritize itself first. Modern firmwares will let you pull up a boot menu, which should list devices and all the EFI entries that have been installed. You should be able to select the linux entry from there, and possibly re-run the grub installer or efibootmgr to reorder the entries if you want to. If you have an older firmware that doesn't support multiple entries, you should be able to go into the settings and edit the current entry and record what is there, and then re-enter it manually later if windows does erase it. All that failing, you can install an EFI selector like refind on a usb stick and use it to search your EFI ESP partition for bootable operating systems and select linux from there, and then reinstall grub as above. If linux in the EFI partition itself is damaged, refind sometimes can reach directly into the linux partition and boot the kernel directly. An alternative to that would be to boot linux install media in recovery mode and have it repair the EFI entry.
37,444
https://uk.wikipedia.org/wiki/%D0%A1%D0%B5%D0%BD%D0%B5%D0%B3%D0%B0%D0%BB%20%28%D1%80%D1%96%D1%87%D0%BA%D0%B0%29
Wikipedia
Open Web
CC-By-SA
2,023
Сенегал (річка)
https://uk.wikipedia.org/w/index.php?title=Сенегал (річка)&action=history
Ukrainian
Spoken
219
673
Сенега́л, Сенеґа́л () — річка у Західній Африці, в межах Гвінеї, Малі і на кордоні Мавританії та Сенегалу. Довжина річки Сенегал — 1430 км, площа басейну — 441 000 км² (існують інші дані, в залежності від того, де починають рахувати витік). Сенегал бере свій початок на плато Фута-Джалон (де має назву Ба́фінґ), після злиття з річкою Бако́й одержує назву Сенегал. У верхів'ї річка — порожиста, нижче має рівнинний характер. Нижня течія Сенегалу є природним кордоном між Сенегалом і Мавританією. Впадає в Атлантичний океан, утворюючи дельту площею бл. 1500 км²; у гирлі — бар. Живлення Сенегалу переважно дощове. Головні притоки: Фалем, Каракоро і Горгол. Характерні коливання витрат води — від 5 000 м³/с у дощовий період до 5 м³/с у посушливий. Під час сезону дощів Сенегал стає судноплавним — до міста Каєс. По всій течії Сенегалу активним є рибальство. В естуарії розташоване сенегальське портове місто Сен-Луї. З 1972 року на основі міждержавної угоди Малі, Сенегалу та Мавританії здійснюються заходи з врегулювання стоку Сенегалу та комплексному використанню його вод, зокрема для спільного управління басейном трьома названими державами створено Організацію з вимірювання і оцінки річки Сенегал (). З 2005 року до Організації долучилась Гвінея. Каскад ГЕС На річці розташовані ГЕС: ГЕС Гуїна (будується), ГЕС Felou. Джерела Посилання Офіційна Інтернет-сторінка Організації з вимірювання і оцінки річки Сенегал Річки Сенегалу Річки Малі Річки Мавританії
13,541
https://de.wikipedia.org/wiki/Bistum%20Oakland
Wikipedia
Open Web
CC-By-SA
2,023
Bistum Oakland
https://de.wikipedia.org/w/index.php?title=Bistum Oakland&action=history
German
Spoken
181
398
Das Bistum Oakland (, ) ist eine in den Vereinigten Staaten gelegene römisch-katholische Diözese mit Sitz in Oakland, Kalifornien. Geschichte Eine erste katholische Missionsstation im Gebiet des heutigen Bistums Oakland entstand gegen Ende des 18. Jahrhunderts. 1836 wurden die kalifornischen Missionsstationen durch Mexiko säkularisiert; erst in den 1840er-Jahren entstand im Gebiet des heutigen Bistums wieder kirchliches Leben. Das Bistum Oakland wurde schließlich am 13. Januar 1962 durch Papst Johannes XXIII. mit der Apostolischen Konstitution Ineunte vere aus Gebietsabtretungen des Erzbistums San Francisco errichtet und diesem als Suffraganbistum unterstellt. Im Mai 2023 meldete die Diözese Insolvenz an; die Anzahl der Klagen wegen Missbrauchs habe die finanziellen Ressourcen des Bistums überstiegen. Territorium Das Bistum Oakland umfasst die im Bundesstaat Kalifornien gelegenen Gebiete Alameda County und Contra Costa County. Bischöfe von Oakland Floyd Lawrence Begin, 1962–1977 John Stephen Cummins, 1977–2003 Allen Vigneron, 2003–2009, dann Erzbischof von Detroit Salvatore Joseph Cordileone, 2009–2012 Michael C. Barber SJ, seit 2013 Siehe auch Liste der römisch-katholischen Diözesen Römisch-katholische Kirche in den Vereinigten Staaten Weblinks Homepage des Bistums Oakland (englisch) (englisch) Einzelnachweise Oakland Organisation (Oakland) Christentum (Kalifornien) Gegründet 1962
48,804
https://ja.wikipedia.org/wiki/%E6%8B%93%E6%AE%96%E5%A4%A7%E5%AD%A6%E9%BA%97%E6%BE%A4%E4%BC%9A%E4%BD%93%E8%82%B2%E5%B1%80%E3%82%B5%E3%83%83%E3%82%AB%E3%83%BC%E9%83%A8
Wikipedia
Open Web
CC-By-SA
2,023
拓殖大学麗澤会体育局サッカー部
https://ja.wikipedia.org/w/index.php?title=拓殖大学麗澤会体育局サッカー部&action=history
Japanese
Spoken
23
466
拓殖大学麗澤会体育局サッカー部(たくしょくだいがく れいたくかいたいいくきょく サッカーぶ)は東京都八王子市にある拓殖大学のサッカークラブである。 概要・歴史 1930年創部。第二次世界大戦時は一時解散に追い込まれ、1962年に同好会として再結成された。 1982年に総理大臣杯初出場を果たしたが、1984年に関東大学サッカーリーグから東京都大学サッカーリーグに降格すると、そこから長い低迷期に入った。 2004年、20年ぶりに関東大学サッカーリーグに復帰。2009年には悲願の1部初昇格を達成した。 2019年のアミノバイタルカップ(総理大臣杯関東予選)では7位に入賞し、初出場の1982年以来、37年ぶりに総理大臣杯の出場権を獲得した。本大会では2回戦で関西大学に敗れたが、ベスト16入りを果たした。 主な成績 東京都大学サッカーリーグ1部 準優勝:1回(2004) 関東大学サッカーリーグ戦2部 準優勝:2回(2009, 2020) 主な出身選手 脚注 外部リンク 公式HP 関東地方の大学サッカークラブ 東京都のサッカークラブ 八王子市のスポーツチーム さつかふ 1930年設立のスポーツチーム
21,359
https://ceb.wikipedia.org/wiki/Arroyo%20Azul%20%28suba%20nga%20anhianhi%20sa%20Mehiko%2C%20Estado%20de%20Durango%29
Wikipedia
Open Web
CC-By-SA
2,023
Arroyo Azul (suba nga anhianhi sa Mehiko, Estado de Durango)
https://ceb.wikipedia.org/w/index.php?title=Arroyo Azul (suba nga anhianhi sa Mehiko, Estado de Durango)&action=history
Cebuano
Spoken
121
204
Alang sa ubang mga dapit sa mao gihapon nga ngalan, tan-awa ang Arroyo Azul. Suba nga anhianhi ang Arroyo Azul sa Mehiko. Nahimutang ni sa estado sa Estado de Durango, sa sentro nga bahin sa nasod, km sa amihanan-kasadpan sa Mexico City ang ulohan sa nasod. Ang Arroyo Azul mao ang bahin sa tubig-saluran sa Río San Pedro. Ang kasarangang giiniton °C. Ang kinainitan nga bulan Hunyo, sa  °C, ug ang kinabugnawan Disyembre, sa  °C. Ang kasarangang pag-ulan milimetro matag tuig. Ang kinabasaan nga bulan Hulyo, sa milimetro nga ulan, ug ang kinaugahan Marso, sa milimetro. Ang mga gi basihan niini Río San Pedro (suba sa Mehiko, Estado de Nayarit, lat 21,94, long -105,35) tubig-saluran Mga suba sa Estado de Durango
15,779
https://es.wikipedia.org/wiki/Closania%20winkleri
Wikipedia
Open Web
CC-By-SA
2,023
Closania winkleri
https://es.wikipedia.org/w/index.php?title=Closania winkleri&action=history
Spanish
Spoken
48
111
Closania winkleri es un género de escarabajos del género Closania, familia Leiodidae. Fue descrita por René Gabriel Jeannel en 1928. Distribución Se encuentra en Rumania. Subespecies Se reconocen las siguientes: C. w. elongata C. w. planicollis C. w. winkleri Referencias winkleri Insectos descritos en 1928 Insectos de Rumania
42,198
https://stackoverflow.com/questions/33101131
StackExchange
Open Web
CC-By-SA
2,015
Stack Exchange
English
Spoken
133
274
add php code to display sku in before error message we are using an extension to import the products. This is the code we are using to display some error message. we are using this file to display error message : http://pastebin.com/uvwaC6a7 $errors[] = Mage::helper('mpmassuploadaddons')->__('Skip import row, attribute "%s" does not exist', $attributeCode); Before the error message , i want to display the sku . i guesss usually we need to display following code to display sku : $sku = Mage::getModel('catalog/product')->load($_product->getId())->getSku(); i want to merge the above 2 lines of code, so that i want to display as "sku : some error message".... $errors[] = Mage::helper('mpmassuploadaddons')->__('Skip import row, attribute "%s" does not exist and SKu is "%s"', $attributeCode,$sku); hi, it did't worked for me , please help me for this question : http://magento.stackexchange.com/questions/86405/display-sku-infront-of-error-message
44,007
https://ceb.wikipedia.org/wiki/Pteris%20lepidopoda
Wikipedia
Open Web
CC-By-SA
2,023
Pteris lepidopoda
https://ceb.wikipedia.org/w/index.php?title=Pteris lepidopoda&action=history
Cebuano
Spoken
65
126
Kaliwatan sa tanom ang Pteris lepidopoda. sakop sa ka-ulo nga Tracheophyta, ug Una ning gihulagway ni Masahiro Kato ug Karl Ulrich Kramer. Ang Pteris lepidopoda sakop sa kahenera nga Pteris, ug kabanay nga Pteridaceae. Kini nga matang hayop na sabwag sa: Moluccas (kapuloan sa Indonesya) Walay nalista nga matang nga sama niini. Ang mga gi basihan niini Tanom Tanom sa Moluccas (kapuloan sa Indonesya) Pteris
21,097
https://war.wikipedia.org/wiki/Stelis%20werneri
Wikipedia
Open Web
CC-By-SA
2,023
Stelis werneri
https://war.wikipedia.org/w/index.php?title=Stelis werneri&action=history
Waray
Spoken
34
62
An Stelis werneri in uska species han Liliopsida nga ginhulagway ni Schltr.. An Stelis werneri in nahilalakip ha genus nga Stelis, ngan familia nga Orchidaceae. Waray hini subspecies nga nakalista. Mga kasarigan Stelis (Orchidaceae)
41,508
https://nl.wikipedia.org/wiki/Microdebilissa%20bicolor
Wikipedia
Open Web
CC-By-SA
2,023
Microdebilissa bicolor
https://nl.wikipedia.org/w/index.php?title=Microdebilissa bicolor&action=history
Dutch
Spoken
31
58
Microdebilissa bicolor is een keversoort uit de familie van de boktorren (Cerambycidae). De wetenschappelijke naam van de soort werd voor het eerst geldig gepubliceerd in 1970 door Gressitt & Rondon. bicolor
32,139
https://stackoverflow.com/questions/65144389
StackExchange
Open Web
CC-By-SA
2,020
Stack Exchange
English
Spoken
1,275
4,592
flutter api image parameter showing null hello i am new to flutter and i m using update profile api in my profile api i describe all parameter and image base 64 also now what is going on ! suppose alredy is image showing on my profile pic and i never pic image from my camera and device My "Profile Pic" parameter showing null when i call it...! and when i picke image from my device it showing base 64...! what i want is if there is alredy image showing then profile api function i want success because there is alredy image shown ... now u suggest me when i call Profile api function on my Button wht i need to pass PickedFile _imageFile; final ImagePicker _picker = ImagePicker(); String img64; void takePhoto(ImageSource source) async { final pickedFile = await _picker.getImage(source: source); setState(() { _imageFile = pickedFile; final bytes = Io.File(_imageFile.path).readAsBytesSync(); img64 = base64Encode(bytes); print(img64.substring(0, 100)); }); } Profile(String FirstnName,String Lastname,String Email,String DOB,String Anniversary) async { sharedPreferences = await SharedPreferences.getInstance(); ValidateCustomer(); Map data = { "AccessToken": sharedPreferences.getString("AccessToken"), "CustomerId": sharedPreferences.getInt("CustomerId"), "FirstName": FirstnName , "LastName": Lastname, "Email": Email, "DOB":DOB, "AnniversaryDate": Anniversary, "ProfilePicture" : img64 }; print(data); final http.Response response = await http.post( Constants.CUSTUMER_WEBSERVICE_UPDATEPROF_URL, headers: <String, String>{ 'Content-Type': 'application/json; charset=UTF-8', }, body: jsonEncode(data), ); var jsonResponse; if (response.statusCode == 200) { print(sharedPreferences.setString("FirstName", FirstnName)); jsonResponse = json.decode(response.body); sharedPreferences = await SharedPreferences.getInstance(); sharedPreferences.setString("FirstName", FirstnName); sharedPreferences.setString("ProfilePicture",img64); print("Response status : ${response.statusCode}"); print("Response status : ${response.body}"); print(sharedPreferences); if(jsonResponse != null && ! jsonResponse.containsKey("Error")){ setState(() { _isLoading = false; }); print(sharedPreferences); Navigator.of(context).push( MaterialPageRoute(builder: (context)=> ShelfScreen()) ); } else{ setState(() { _isLoading = false; }); print("Response status : ${response.body}"); } } if (response.statusCode == 404){ print("Response status : ${response.statusCode}"); print("Response status : ${response.body}"); } } Future<UserUpdate>ProfileUpadte() async { sharedPreferences = await SharedPreferences.getInstance(); ValidateCustomer(); Map data = { "AccessToken": sharedPreferences.getString("AccessToken"), "CustomerId": sharedPreferences.getInt("CustomerId"), }; print(data); final http.Response response = await http.post( "http://api.pgapp.in/v1/userdetails", headers: <String, String>{ 'Content-Type': 'application/json; charset=UTF-8', }, body: jsonEncode(data), ); if (response.statusCode == 200) { print("Response status : ${response.statusCode}"); print("Response status : ${response.body}"); var jsonResponse = json.decode(response.body); if(jsonResponse != null && ! jsonResponse.containsKey("Error")){ sharedPreferences = await SharedPreferences.getInstance(); sharedPreferences.setString("ProfilePicture", jsonResponse["ProfilePicture"]); sharedPreferences.setString("FirstName", jsonResponse["FirstName"]); print(sharedPreferences); } else{ setState(() { _isLoading = false; }); print("Response status : ${response.body}"); } return UserUpdate.fromJson(json.decode(response.body)); } else { // If the server did not return a 201 CREATED response, // then throw an exception. throw Exception('Failed to load data'); } } void nextField ({String value,FocusNode focusNode}){ if (value.isNotEmpty){ focusNode.requestFocus(); } } AnimationController _controller; Animation _animation; FocusNode _focusNode1 = FocusNode(); bool _isLoading = false; String _Firstnm; String _Lastnm; String _Mobno; String _Email; String _Dob; String _Anniversary; DateTime _selectedDate; final GlobalKey<FormState> _formKey = GlobalKey<FormState>(); FocusNode Firstname; FocusNode LastndName; FocusNode Email; FocusNode DOB; FocusNode Anniversary; Future<UserUpdate> _futureProfileupdate; @override void initState() { // TODO: implement initState super.initState(); Firstname = FocusNode(); LastndName = FocusNode(); Email = FocusNode(); DOB = FocusNode(); Anniversary = FocusNode(); _futureProfileupdate = ProfileUpadte(); } void _showPicker(context) { showModalBottomSheet( context: context, builder: (BuildContext bc) { return SafeArea( child: Container( child: new Wrap( children: <Widget>[ new ListTile( leading: new Icon(Icons.photo_library), title: new Text('Photo Library'), onTap: () { takePhoto(ImageSource.gallery); Navigator.of(context).pop(); }), new ListTile( leading: new Icon(Icons.photo_camera), title: new Text('Camera'), onTap: () { takePhoto(ImageSource.camera); Navigator.of(context).pop(); }, ), ], ), ), ); } ); } @override Widget build(BuildContext context) { return Scaffold( resizeToAvoidBottomInset: false, resizeToAvoidBottomPadding: false, body: (_isLoading) ? Center(child: CircularProgressIndicator()) : FutureBuilder<UserUpdate>( future: _futureProfileupdate, builder: (context, snapshot) { if (snapshot.hasData) { TextEditingController _textEditingControllerFirstNamee = TextEditingController(text: snapshot.data.firstName); TextEditingController _textEditingControllerLastnamee = TextEditingController(text: snapshot.data.lastName); TextEditingController _textEditingControllerEmaill = TextEditingController(text: snapshot.data.email); TextEditingController _textEditingControllerDOBb = TextEditingController(text: snapshot.data.dob); TextEditingController _textEditingControllerAnniversaryy = TextEditingController(text: snapshot.data.anniversaryDate); _selectDate(BuildContext context) async { DateTime newSelectedDate = await showDatePicker( context: context, initialDate: _selectedDate != null ? _selectedDate : DateTime.now(), firstDate: DateTime(1920), lastDate: DateTime(2040), builder: (BuildContext context, Widget child) { return Theme( data: ThemeData.dark().copyWith( colorScheme: ColorScheme.dark( primary: Colors.deepPurple, onPrimary: Colors.white, surface: Colors.blueGrey, onSurface: Colors.yellow, ), dialogBackgroundColor: Colors.blue[500], ), child: child, ); }); if (newSelectedDate != null) { _selectedDate = newSelectedDate; _textEditingControllerDOBb ..text = DateFormat.yMMMd().format(_selectedDate) ..selection = TextSelection.fromPosition(TextPosition( offset: _textEditingControllerDOBb.text.length, affinity: TextAffinity.upstream)); } } _selectDate2(BuildContext context) async { DateTime newSelectedDate = await showDatePicker( context: context, initialDate: _selectedDate != null ? _selectedDate : DateTime.now(), firstDate: DateTime(1920), lastDate: DateTime(2040), builder: (BuildContext context, Widget child) { return Theme( data: ThemeData.dark().copyWith( colorScheme: ColorScheme.dark( primary: Colors.deepPurple, onPrimary: Colors.white, surface: Colors.blueGrey, onSurface: Colors.yellow, ), dialogBackgroundColor: Colors.blue[500], ), child: child, ); }); if (newSelectedDate != null) { _selectedDate = newSelectedDate; _textEditingControllerAnniversaryy ..text = DateFormat.yMMMd().format(_selectedDate) ..selection = TextSelection.fromPosition(TextPosition( offset: _textEditingControllerAnniversaryy.text.length, affinity: TextAffinity.upstream)); } } return Form( key: _formKey, child: Stack( children: <Widget>[ Positioned( left: 20, top: 40, child: Center( child: Image.asset( 'assets/images/logo.png', height: 50, width: 50,), ) ), Positioned( left: 60, right: 60, top: 40, child: Center( child: Image.asset( 'assets/images/Textimage.png', height: 50, width: 170,), ) ), Positioned( right: 20, top: 40, child: Center( child: IconButton( icon: Icon(Icons.exit_to_app, size: 30, color: Color(0xfff58634),), onPressed: () async { showAboutDialog(context); }, ) ) ), Positioned( left: 70, right: 70, top: 110, child: Center( child: CircleAvatar( backgroundImage: _imageFile == null ? NetworkImage( snapshot.data.profilePicture) : FileImage(Io.File(_imageFile.path)), backgroundColor: Colors.grey, maxRadius: 50, ) ) ), Positioned( left: 100, right: 70, top: 170, child: InkWell( onTap: (){ _showPicker(context); }, child: Icon( Icons.camera_alt, color: Colors.white, size: 30, ), ), ), Positioned( left: 30, right: 30, top: 250, child: Container( height: 480, child: SingleChildScrollView( child: Column( mainAxisAlignment: MainAxisAlignment.spaceEvenly, children: <Widget>[ Padding( padding: const EdgeInsets.only(top: 5), child: SizedBox( height: 70, child: TextFormField( keyboardType: TextInputType.text, textCapitalization: TextCapitalization.sentences, textInputAction: TextInputAction.next, focusNode: Firstname, onFieldSubmitted: (value) { nextField( value: value, focusNode: LastndName); }, controller: _textEditingControllerFirstNamee, decoration: InputDecoration( enabledBorder: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0), borderSide: BorderSide( color: const Color(0x3df58634) ) ), border: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0) ), labelText: "First Name", labelStyle: GoogleFonts.nunito( color: const Color(0xfff58634)), hintText: "First Name", hintStyle: GoogleFonts.nunito( color: const Color(0xfff58634)), focusedBorder: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0), borderSide: BorderSide( color: const Color(0x3df58634), ) ), ), validator: (String value) { if (value.isEmpty) { return 'First Name is Required'; } return null; }, onSaved: (String value) { _Firstnm = value; }, ), ), ), Padding( padding: const EdgeInsets.only(top: 5), child: SizedBox( height: 70, child: TextFormField( keyboardType: TextInputType.text, textCapitalization: TextCapitalization.sentences, focusNode: LastndName, textInputAction: TextInputAction.next, onFieldSubmitted: (value) { nextField(value: value, focusNode: Email); }, controller: _textEditingControllerLastnamee, decoration: InputDecoration( enabledBorder: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0), borderSide: BorderSide( color: const Color(0x3df58634) ) ), border: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0) ), labelText: 'Last Name', labelStyle: GoogleFonts.nunito( color: const Color(0xfff58634)), hintText: "Last Name", hintStyle: GoogleFonts.nunito( color: const Color(0xfff58634)), focusedBorder: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0), borderSide: BorderSide( color: const Color(0x3df58634), ) ), ), validator: (String value) { if (value.isEmpty) { return 'First Name is Required'; } return null; }, onSaved: (String value) { _Lastnm = value; }, ), ), ), Padding( padding: const EdgeInsets.only(top: 5), child: SizedBox( height: 70, child: TextFormField( focusNode: Email, textInputAction: TextInputAction.next, onFieldSubmitted: (value) { nextField(value: value, focusNode: DOB); }, controller: _textEditingControllerEmaill, decoration: InputDecoration( enabledBorder: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0), borderSide: BorderSide( color: const Color(0x3df58634) ) ), border: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0) ), labelText: 'Email', labelStyle: GoogleFonts.nunito( color: const Color(0xfff58634)), hintText: "Email", hintStyle: GoogleFonts.nunito( color: const Color(0xfff58634)), focusedBorder: OutlineInputBorder( borderRadius: BorderRadius.circular( 5.0), borderSide: BorderSide( color: const Color(0x3df58634), ) ), ), validator: (value) => EmailValidator.validate(value) ? null : "Please enter a valid email", onSaved: (String value) { _Email = value; }, ), ), ), Padding( padding: EdgeInsets.only(top: 45), child: SizedBox( width: 360, height: 45, child: RaisedButton( onPressed: () { if (!_formKey.currentState.validate()) { return; } setState(() { _isLoading = true; }); Profile( _textEditingControllerFirstNamee.text, _textEditingControllerLastnamee.text, _textEditingControllerEmaill.text, _textEditingControllerDOBb.text, _textEditingControllerAnniversaryy .text,); Navigator.of(context).push(MaterialPageRoute(builder: (context) => ShelfScreen())); }, shape: new RoundedRectangleBorder( borderRadius: new BorderRadius.circular( 5.0)), color: const Color(0xfff58634), child: Text( "Update", style: GoogleFonts.nunito( color: const Color(0xffffffff), fontSize: 20 ), ), ), ), ), Padding( padding: EdgeInsets.only(top: 120), child: Text(".", style: TextStyle( color: Colors.transparent, fontSize: 1, ),), ) ], ), ), ), ), ], ), ); } else { return CircularProgressIndicator(); ); } } ) ); } } class AlwaysDisabledFocusNode extends FocusNode { @override bool get hasFocus => false; }
27,603
https://datascience.stackexchange.com/questions/111255
StackExchange
Open Web
CC-By-SA
2,022
Stack Exchange
Carlos Mougan, Lucas Morin, hideonbush, https://datascience.stackexchange.com/users/136122, https://datascience.stackexchange.com/users/303, https://datascience.stackexchange.com/users/86339
English
Spoken
569
1,116
Is multicollinarity a problem when interpreting SHAP values from an XGBoost model? I'm using an XGBoost model for multi-class classification and is looking at feature importance by using SHAP values. I'm curious if multicollinarity is a problem for the interpretation of the SHAP values? As far as I know, XGB is not affected by multicollinarity, so I assume SHAP won't be affected due to that? Shapley values are designed to deal with this problem. You might want to have a look at the literature. They are based on the idea of a collaborative game, and the goal is to compute each player's contribution to the total game. Lets say you are playing in the football champions league final Real Madrid vs Liverpool. And Madrid only has 3 players A,B,C and they somehow score 5 goals. To calculate the Shapley value of player 1, you will have the following combinations playing, combinations: $S_1 = \frac{1}{3}\left( v(\{1,2,3\} - v(\{2,3\})\right) + \frac{1}{6}\left( v(\{1,2\} - v(\{2\})\right) + \frac{1}{6}\left( v(\{1,3\} - v(\{3\})\right)+ \frac{1}{3}\left( v(\{1\} - v(\emptyset)\right)$ $S_2 = \frac{1}{3}\left( v({1,2,3} - v({1,2})\right) + \frac{1}{6}\left( v({1,2} - v({1})\right) + \frac{1}{6}\left( v({2,3} - v({3})\right)+ \frac{1}{3}\left( v({2} - v(\emptyset)\right)$$ $S_3 = \frac{1}{3}\left( v(\{1,2,3\} - v(\{1,2\})\right) + \frac{1}{6}\left( v(\{1,3\} - v(\{1\})\right) + \frac{1}{6}\left( v(\{2,3\} - v(\{2\})\right)+ \frac{1}{3}\left( v(\{3\} - v(\emptyset)\right)$ Where v = value of the function of the set. For the Real Madrid the numbers of goals scored, by the different combinations of players. As you see, the theoretical definition encapsulates the dependence between features. The theory will tell you that the sum of the contributions is equal to the prediction $S_1 + S_2 + S_3 = 5$. Let's now if RM players gets some high Shapley values next week. Thanks, but how do you understand this then "Like many other permutation-based interpretation methods, the Shapley value method suffers from inclusion of unrealistic data instances when features are correlated" It has nothing to do with colinearity, "S_i" can turn out to be something that makes no sense from a business perspective There are still some problems with usage of shap values as an explaination tool, which appears in the case of high colinearity. If you have highly colinear features, their marginal contribution will decrease, which might surprise users expecting a given feature to have high importance. That's also what i'm thinking - do you have a source saying this? @lcrmorin https://arxiv.org/pdf/1903.10464.pdf Also, since you are using xgboost you need to differentiate between observational and intentional TreeSHAP, that is different from SHAP and Shapley values https://arxiv.org/pdf/2006.16234.pdf "On theother hand, papers like Frye et al. (2019) have noted that using the interventional Shapley value (which breaks the dependence between features) will lead to evaluating the model on “impossible data points” that lie off the true data manifold." The "impossible data points" and the "colinearity" are somehow different problems The last paper is very interesting! I'm not looking at casusal relationsships, so I believe i'm going with the "True to the model" interpretation. As far as I can see the first paper looks at the KernelExplainer, not the TreeExplainer, so there might be a difference in terms of correlation - am I right? @hideonbush best I can do is a kaggle notebook: https://www.kaggle.com/code/lucasmorin/shap-explainability-with-colinearity though I don't know if the problem is with Shapley Values or their Shap approximation - lgbm now implements Shap TreeExplainer in their predict method. So I am not sure how my experience match what Carlos mention.
15,941
https://en.wikipedia.org/wiki/Mountain%20Fever%20Records
Wikipedia
Open Web
CC-By-SA
2,023
Mountain Fever Records
https://en.wikipedia.org/w/index.php?title=Mountain Fever Records&action=history
English
Spoken
309
508
Mountain Fever Records is a record label based in Willis, Virginia specializing primarily in bluegrass music. History The label was established by Mark Hodges, a Floyd County, Virginia native. He opened the Something To Do Video store, which he turned into a successful chain of stores. As a hobby, he began to record his musician friends when they would visit, and he turned this hobby into a stand-alone 72-track recording studio, and then the record label. Sammy Shelor of the Lonesome River Band and Aaron Ramsey of Mountain Heart have engineered and mastered Mountain Fever projects. Notable projects In 2017, Mountain Fever Records released the Mac Wiseman album I Sang the Song (Life of the Voice with a Heart) featuring contributions from John Prine, Alison Krauss, Sierra Hull, Junior Sisk, Shawn Camp, and Andrea Zonn. Travianna Records Travianna Records is a child label for releasing Americana music. After Jack, Ash Breeze, Pi Jacobs, and Tara Dente are among the Travianna Records artists. The label was named after the late Samuel A’Court's communal farm Travianna in Floyd County. Artists Here is a partial list of artists who have released recordings on the Mountain Fever label. Dave Adkins Adkins & Loudermilk Alan Bibey and Grasstowne Ashlee Blankenship and Blades of Blue The Bluegrass Brothers Breaking Grass Summer Brooke and Mountain Faith Rachel Burge and Blue Dawning The Churchmen Amanda Cook Kristy Cox Crowe Brothers Jason Davis The Deer Creek Boys Delta Reign Detour Gold Heart Sisters Heidi and Ryan (Greer) Hammertowne Jett’s Creek Thomm Jutz Irene Kelley Nothin' Fancy Wyatt Rice The Wyatt Rice and Dan Menzone Alliance Kevin Richardson and Cuttin' Edge Sideline Junior Sisk and Rambler's Choice The Spinney Brothers Statement Stevens Family Sweet Potato Pie Volume Five Darrell Webb Band Mac Wiseman See also List of record labels References External links American record labels American independent record labels
5,670
https://gaming.stackexchange.com/questions/352120
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
https://gaming.stackexchange.com/users/72140, kenjara
English
Spoken
464
686
How can we get a LAN Party going for Age of Empires 2 - Kings, or Conquerors? My kids and I have decided to brush of the old AoE discs and have a network game but we are all unable to see each other's games and neither can we connect using the Directplay TCP/IP option? Can anybody give us some ideas to look at. All laptops are running windows 7. Have you confirmed the computers can see each other across the network by pinging each other? SOLUTION 1: LAN party creation explained based on my deep experience and knowledge. STEP 1: DO NOT use Internet TCP/IP! Instead Use Local (LAN) TCP/IP as demonstrated in the image below. STEP 2: One of you creates a lobby while the others join. If the joiners can not see the lobby name e.g. (Alex's Game). All of you should temporarily turn off Windows Firewall, as well as Enabling UPNP in the router and disabling upnp of all your machine using this utility https://www.grc.com/unpnp/unpnp.htm (Make sure the status of upnp tool is green) SOLUTION 2: Using AoE2Tools and Voobly This solution will also set you up for multiplayer and playing other people online (over 4000 players). STEP 1: Download the latest version of AoE2Tools from here https://github.com/gregstein/AoE2Tools/releases STEP 2: Install and press scan then the tool should be able to detect your cd installation then make the game completely playable on Voobly without any further configuration. You can either Press "2 - Start" button in AoE2Tools then press Fix Voobly Not Found (Which installs voobly automatically), or you can go to Voobly.com and download the client manually. STEP 3: Sign up an new account for all users from here https://www.voobly.com/signup (No need to add real emails because the accounts don't need verification). Now Login in each computer with the username not email. Step 4: Once successfully logged into Voobly; a game browser window should pop up then you can join either "New player Lobby" or "RM/DM Medieval Siege". (can't see game browser? File > Game Browser from the messenger menu) Now one of you creates a room, change its title name while the others join the same lobby and find the room with that title name. Once all players are in the room, the host can press launch and the game will start for all of you (nobody clicks resume lobby button). You will notice that the game start in window mode but that's fine once all of you are ingame it should go full screen but if it doesn't you can Press F10 > Options > then select your preferred resolution. Another the advantage of setting up AoE2Tools and Voobly is that anyone of you or all of you together can play multiplayer against other people. Happy game,
7,837
https://gis.stackexchange.com/questions/412157
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
Erik, Hanna Micael, https://gis.stackexchange.com/users/109646, https://gis.stackexchange.com/users/193503
English
Spoken
93
193
I couldn't find Landsat 5 scene starting from 2002-08-04 to 2008-06-01 I am searching for Landsat 5 TM image from 2000 to 2012 in Earth Explorer Web site (https://earthexplorer.usgs.gov/). However, I couldn't find any scene in my study area starting from 2002-08-04 to 2008-06-01. Where do I find those scenes starting from 2002-08-04 to 2008-06-01? my study area is Central Tigray, Ethiopia; path/row=169/51 and 169/50 or latitude=13.751 and longitude=38.8205 It would be helpful to know, which your studay area is. the study area is central Tigray, Ethiopia. lat=13.751 and long=38.8205. path/row=169/51 and 169/50
4,768
https://es.wikipedia.org/wiki/Protosilvanus%20dehradunicus
Wikipedia
Open Web
CC-By-SA
2,023
Protosilvanus dehradunicus
https://es.wikipedia.org/w/index.php?title=Protosilvanus dehradunicus&action=history
Spanish
Spoken
22
55
Protosilvanus dehradunicus es una especie de coleóptero de la familia Silvanidae. Distribución geográfica Habita en la India. Referencias Silvanidae Coleópteros de India
4,520
https://stackoverflow.com/questions/65144258
StackExchange
Open Web
CC-By-SA
2,020
Stack Exchange
develarist, https://stackoverflow.com/users/11637005, https://stackoverflow.com/users/7918173, navneethc
English
Spoken
202
319
How to reshape a numpy vector of arbitrary length into a square matrix without knowing shape of square How to reshape a 1d numpy vector into a 2d square matrix without specifying the target numbers of rows and columns of the latter? For example, given an vector of length 9, I know in my mind that it can be converted to a 3x3 matrix, but that vector could in fact be of any length (yet compliable to a square matrix conversion), so I do not know the target number 3 in advance. You can check if the original length is a perfect square and apply reshape accordingly. what do you mean If you have an array of length n, you can check if it has a integer square root. If so, you can use that as dimensions for your matrix. In case it's a 2d vector and we are not sure whether it's horizontal (1,n) or vertical (n,1). a_len = max(a.shape) a_len_sqrt = int(np.sqrt(a_len)) a = a.reshape((a_len_sqrt, a_len_sqrt)) this fixes the integer problem. plus the last line should be a.reshape? Just calculate the square before, assuming the square is integer and it is actually convertible: n = len(arr) r = math.sqrt(n) arr.reshape((r,r))
15,418
https://math.stackexchange.com/questions/1658037
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
English
Spoken
194
292
Modelling a Bivariate Normal Distribution in Matlab Hi I was wondering would anyone have experience with modelling multiple bi-variate Gaussian distributions on the same plane in Matlab? Say we know the coordinates of the means, let m1 = mean1= [1 2] m2 = mean2=[9 3] m3 = mean3= [11 5] I am looking to generate a bi-variate Gaussian distribution from the x and y axis using the above values as coordinates for each mean means Any help at all is much appreciated, Thank You There is some information missing in your question: in order to generate data from a multivariate (or single variate) Gaussian distribution, you must have both the mean and the covariance (or just variance in the uni-variate case) of the distribution. Once you have those, generating data from Matlab is by: $$D = mvnrnd(\mu, \Sigma, n)$$ Were $\mu$ is the mean vector, $\Sigma$ is the covariance matrix, and $n$ is the number of observations you wish to generate. The above line of code will generate $D\in \mathbb{R}^{n \times p}$ where $p$ is the distribution dimension, in your case 2. If you specify $\Sigma$ and need some more help, let me know.
9,629
https://cs.wikipedia.org/wiki/Pervomajsk%C3%BD%20raj%C3%B3n
Wikipedia
Open Web
CC-By-SA
2,023
Pervomajský rajón
https://cs.wikipedia.org/w/index.php?title=Pervomajský rajón&action=history
Czech
Spoken
24
69
Pervomajský rajón () je rajón v Mykolajivské oblasti na Ukrajině. Hlavním městem je Pervomajsk a rajón má obyvatel. Odkazy Reference Externí odkazy Pervomajský rajón
46,119
https://en.wikipedia.org/wiki/Otis%20Martin
Wikipedia
Open Web
CC-By-SA
2,023
Otis Martin
https://en.wikipedia.org/w/index.php?title=Otis Martin&action=history
English
Spoken
107
155
Otis Mason Martin (March 1, 1918 – November 21, 1955) was an American stock car racing driver. One of the pioneers of the NASCAR Grand National Series, he competed in 23 races over the first six years of the sport, with a best finish of sixth; he finished fifth in a non-sanctioned event in October 1949. Martin, a native of Bassett, Virginia was known as a mountain man and raced wearing bib overalls. He died in a car accident on Virginia State Route 57 on November 21, 1955. References Citations Bibliography External links 1918 births 1955 deaths People from Bassett, Virginia Racing drivers from Virginia NASCAR drivers
10,042
https://en.wikipedia.org/wiki/Wynn%20Handman
Wikipedia
Open Web
CC-By-SA
2,023
Wynn Handman
https://en.wikipedia.org/w/index.php?title=Wynn Handman&action=history
English
Spoken
606
899
Wynn Handman (May 19, 1922 – April 11, 2020) was the artistic director of The American Place Theatre, which he co-founded with Sidney Lanier and Michael Tolan in 1963. His role in the theatre was to seek out, encourage, train, and present new and exciting writing and acting talent and to develop and produce new plays by living American writers. In addition, he initiated several Arts Education Programs, such as Literature to Life. His life and the history of The American Place Theatre are the subjects of the 2019 documentary It Takes a Lunatic. Handman died during the COVID-19 pandemic due to complications brought on by COVID-19. Early life Handman grew up in the Inwood neighborhood in Upper Manhattan. Handman studied acting at The Neighborhood Playhouse School of the Theater in New York City. In 1949 he created the role of Sentry Hallam in the world premiere of Louis O. Coxe and Robert H. Chapman's Uniform of Flesh; which later was retitled Billy Budd for its critically successful run on Broadway in 1951. Directing career Plays he has directed at The American Place Theatre include: Manchild in the Promised Land, which he adapted from the novel by Claude Brown; I Stand Before You Naked by Joyce Carol Oates; Words, No Music by Calvin Trillin; Drinking in America by Eric Bogosian; A Girl's Guide to Chaos by Cynthia Heimel; Free Speech in America, and Bibliomania by Roger Rosenblatt, with Ron Silver; Coming Through also adapted by Handman; Spokesman written and performed by John Hockenberry; Fly by Joseph Edward; and Dreaming in Cuban and Other Works: Rhythm, Rum, Café con Leche and Nuestros Abuelos by Cristina García and Michael Garcés. Also, he has adapted and directed many of the American Humorists' Series productions. Teaching career A teacher for over 50 years, in his professional acting classes, Handman trained many actors including Michael Douglas, and Christopher George. In December 2013, a book by Jeremy Gerard was published entitled Wynn Place Show: A Biased History of the Rollicking Life & Extreme Times of Wynn Handman and the American Place Theatre. A party to honor the book and Handman, at The Players Club in Manhattan, was featured in The New York Times, and included grateful Handman students such as Richard Gere, Frank Langella and John Leguizamo. Personal life Handman was born in New York City, New York, the son of Anna (Kemler), a saleswoman at Saks Fifth Avenue, and Nathan Handman, who ran a printing business. His parents were Jewish emigrants, his father from Minsk, Belarus, and his mother from Płońsk, Poland. Handman was married to political consultant and arts advocate Bobbie Handman, who died November 13, 2013. Their daughter, Laura Handman, is the wife of Harold M. Ickes. Their other daughter, Liza Handman, is the Vice President of Creative at Drury Design Dynamics, a leader in the meetings and events industry. Handman died on April 11, 2020, in New York City at the age of 97 from COVID-19. Awards 1989 Townsend Harris Medal of the City College of New York 1993 Lucille Lortel Award for Lifetime Achievement 1994 Rosetta LeNoire Award from Actors' Equity Association 1996 Carnegie Mellon Drama Commitment to Playwriting Award 1998 Sanford Meisner Service Award from The Working Theater 1999 Obie Award for Sustained Achievement Further reading Gerard, Jeremy. Wynn Place Show: A Biased History of the Rollicking Life & Extreme Times of Wynn Handman and the American Place Theatre. Hanover, NH: Smith & Kraus, 2013. Print. References External links American Place Theatre The Wynn Handman Studio 2020 deaths 1922 births American theatre directors People from Inwood, Manhattan Deaths from the COVID-19 pandemic in New York (state)
4,234
https://tum.wikipedia.org/wiki/Stolin
Wikipedia
Open Web
CC-By-SA
2,023
Stolin
https://tum.wikipedia.org/w/index.php?title=Stolin&action=history
Tumbuka
Spoken
24
58
Stolin ni msumba mu charu cha Belarus mu chilwa chikulu cha Ulaya (Europe). Misumba yaku Belarus Belarus Malo ghakusangika mu Belarus Belarus, Yulaya Yulaya
22,261
https://en.wikipedia.org/wiki/Volcano%20mine%20system
Wikipedia
Open Web
CC-By-SA
2,023
Volcano mine system
https://en.wikipedia.org/w/index.php?title=Volcano mine system&action=history
English
Spoken
2,528
3,518
The M136 Volcano Vehicle-Launched Scatterable Mine System is an automated mine delivery system developed by the United States Army in the 1980s. The system uses prepackaged mine canisters which contain multiple anti-personnel (AP) and/or anti-tank (AT) mines which are dispersed over a wide area when ejected from the canister. The system, commonly referred to as Volcano, is also used by other armies around the world. Overview The primary purpose of Volcano is to provide the employing force with the capability to emplace large minefields rapidly under varied conditions. Volcano minefields are ideal for providing flank protection of advancing forces and for operating in concert with air and ground units on flank guard or screen missions. The system consists of the M139 dispenser used for dispensing pre-packaged mine canisters, the dispensing control unit (DCU) and mounting hardware, and is designed to be mounted on either ground or aerial vehicles using the same components except for the mounting hardware, which varies between fitment. Volcano is designed to be fitted to and removed from vehicles with a minimum of time and labour. The dispensing system is also designed for ease of use, to be operated by personnel with a minimum of training. The ordnance used by the system is based upon a modified GATOR mine. Both live and inert (training) ordnance is available; live canisters are painted green while inert canisters are painted blue. When fitted to aircraft, the system is referred to as Air Volcano and when fitted to ground vehicles is referred to as Ground Volcano. The principles and procedures of Volcano minefield emplacement are significantly different for air- and ground-delivery systems; the differences can be summarised as follows: Air Volcano Air Volcano is the fastest method for emplacing large tactical minefields. Although mine placement is not as precise as it is with ground systems, Air Volcano minefields can be placed accurately enough to avoid the danger inherent in minefields delivered by artillery or jet aircraft. Air Volcano is the best form of an obstacle reserve because a minefield can be emplaced in minutes. Air Volcano minefield should not be planned or dispensed in areas under enemy observation and fire as the dispensing helicopter is extremely vulnerable to anti-aircraft fire while flying at a steady altitude, speed and flight path required to successfully emplace the minefield. Close coordination between aviation and ground units is required to ensure that Volcano-dispensed mines are emplaced accurately and quickly. Ground Volcano Ground Volcano is designed to emplace large minefields in depth and tactical minefields oriented on enemy forces in support of manoeuvre operations and friendly AT fire. It is ideal for use as an obstacle reserve, employed when enemy forces reach a decision point that indicates future movement. Obstacles can then be emplaced in depth on the avenues the enemy is using, leaving other avenues open for friendly movement. Ground Volcano is normally employed by combat engineer units. Emplaced minefields are vulnerable to direct and indirect fire, and must be protected when close to the forward line of own troops (FLOT). Design Ordnance The Volcano system uses the following live ordnance: M87 Mine Canister: The M87 mine canister is prepackaged with five AT mines and one AP mine, each mine measuring in diameter and in height. The mixture of mines is fixed and cannot be altered in the field. Each AP mine contains approximately of explosives, mostly Comp B-4, and each AT mine contains approximately of explosives, mostly RDX. AP mines have an electrical fusing circuit triggered by a trip wire; each mine deploys eight trip wires (four on the top and four on the bottom) after ground impact up to from the mine. AT mines have a magnetically induced fuse and do not have anti-disturbance devices; however, they are highly sensitive to movement once they are armed and any attempt to remove the mines will likely result in detonation. The canister is an aluminium tube in length and in diameter and weighs . There is a breech assembly at one end attached to which are six transmitter coils, one for each mine, which physically and electronically connects to the dispenser. Canisters (live) are painted green (FS34079) with a band of yellow and black triangles near the breech end. The mines in each canister are electrically connected by a nylon web that also functions as a lateral dispersion device as the mines exit the canister. Spring fingers mounted on each mine prevent the mine from coming to rest on edge. Upon coming to rest, each mine has a delayed arming time of 2 minutes and 15 seconds. Each mine canister has a variable self destruct with three settings of 4 hours, 48 hours or 15 days, preset prior to dispensing.</p> M87A1 Mine Canister: Identical to the M87 except each the canister contains six AT mines. The Volcano system also allows the use of the following inert ordnance: M88 Practice Mine Canister: the M88 has the same physical specifications as the M87, but contains six inert training mines with the same physical dimensions as those contained with the M87. As the practice canister has the same amount of propellant as the M87, it produces mine dispersal patterns the same as those of the live ordnance so as to allow practice of laying minefields. The M88 is painted blue with a brown band near the end cap which has a brown ring with a large blue dot in the centre. M89 Training Canister: the M89 is designed for training and fault diagnosis, and is painted blue with no colour bands. It has the same physical specifications as the M87 but is completely inert and does not contain any mines, and can be used in training of loading and unloading operations as well as practice flights for dispensing aircraft in laying minefields. To make up for the lack of mines, the canister has heavy steel wall construction and weighs the same as the M87 canister so that the dispensing aircraft's flight characteristics are the same as if carrying live ordnance. The M89 can also be used for system fault diagnosis and training; the end cap (i.e. the opposite end to the breech assembly) has a rotary selector switch (set with a flat-blade screwdriver) with four positions that: simulates a functional canister simulates an error code 4, shorted electric primer simulates an error code 8, rack electronics failure simulates an error code 9, open electric primer. Dispenser and Control Unit M139 Dispenser: The dispenser consists of four launching racks that are mounted to the dispensing vehicle or aircraft. Each rack can hold up to 40 M87 mine canisters. Each canister contains six mines, so the total capacity for the dispenser is 960 mines. Mine canisters are physically and electrically connected to the mounting racks. The racks provide the structural strength and the mechanical support required for launch and provide the electrical interface between the mine canisters and the DCU. The load/reload time for an experienced four-man crew is approximately 20 minutes. Dispensing Control Unit (DCU): The DCU is the central control panel for the Volcano mine dispensing system, providing controls for the arming sequence and the delivery speed selection, initiate the arming sequence and set the self-destruct time for the mines. The DCU allows the operator to start and stop mine dispensing at anytime, and counter indicates the number of canisters remaining on each rack. The operator also uses the DCU to perform fault isolation tests on the system. For aircraft-mounted installations i.e. Air Volcano, the start-stop firing switch is located on the pilot and co-pilot's joysticks or cyclic sticks, allowing either pilot to initiate or stop the dispensing of mines., and the DCU has an additional switch for selecting the aircraft's dispensing speed. Mounting Hardware The mounting hardware secures the racks to the dispensing vehicle or aircraft, and are specific to each type of dispensing vehicle or aircraft. For aircraft, the racks are equipped with a jettison assembly to release and propel the racks away from the aircraft in case of an emergency. Available mounting racks, listed by vehicle and NATO stock number (NSN), includes: Ground Volcano, M548A1 Carrier (NSN 1095-01-331-6755) Ground Volcano, M939 5-Ton Truck (NSN 1095-01-252-2818) Ground Volcano, M1075/1075Palletized Load System (PLS) (NSN 1095-01-492-4259) Air Volcano, UH-60A/L Helicopter (NSN 1095-01-253-2030) Operation Handling Volcano munitions are transported and handled in accordance with regulations for Class V mines and explosives. Training and Personnel Volcano operation requires no special skills as the system is designed for ease of use such that only a designated rather than a dedicated operator is required. Initial operator training will be for familiarisation only with a semi-annual refresher course expected to be sufficient to maintain proficiency. In training operations, the M87 mine canister is replaced with the M88 Practice Mine Canister or M89 Training Canister. Types of Minefields The Volcano system is suitable for emplacing four different types of minefields, each of which has a specific purpose: Disrupt: Causes confusion in enemy formations. For this minefield, the lethality and density is low. Fix: Allows massed ground fire upon the enemy. Placement is critical; the commander must plan this type of minefield carefully and the location must be synchronised to allow the ground forces to mass their fires on the enemy once the enemy has been fixed by the obstacle i.e. encounters the minefield. Turn: Influences the manoeuvre of enemy formations. For this minefield, density and lethality are critical. Individual minefields may be stacked so as to influence the enemy movement. Block: Deny the enemy use of terrain. This minefield requires high density and lethality, as well as reinforcement from other obstacles (natural and man-made), to help stop the enemy's use of the terrain. Both Air and Ground Volcano are capable of emplacing non-standard minefields i.e. one whose purpose (and therefore layout) does not adhere to the four types described above. Mine Emplacement The Volcano system can emplace a minefield with an average density of 0.72 mines per meter for AT mines and 0.14 mines per meter for AP mines. The densities will vary slightly due to some mines failing to arm and self-destructing two to four minutes after dispensing. There may also be some mines that may not orient correctly when dispensed and not deliver their full blast effect. However, the probability of mines failing the arming sequence or not orienting correctly is relatively small and does not appreciably degrade the minefield lethality. For tracked vehicles entering a Volcano minefield, the AT density yields more than 80 percent probability of the vehicle encountering a mine. The number of canisters and vehicles loads required to emplace a minefield depends upon the type of minefield required. Turn and block minefields are emplaced using the same basic procedures as those used for disrupt and fix minefields; however, turn and block minefields use two strips of mines, each strip with twice as many mines. The following table lists the number of mines required for each type of minefield of a given size: From Aircraft (Air Volcano) When fitted to an aircraft, mines are dispensed from the aircraft's flight path. The aircraft flies at a minimum altitude of at speeds ranging from . One aircraft can dispense up to 960 mines per sortie. The Air Volcano DCU has a switch to select the aircraft's dispensing speed, with six airspeed settings - 20, 30, 40, 55, 80, and 120 knots. The recommended airspeed for dispersal is 40 knots; higher airspeeds should only be used if absolutely necessary. The time to dispense a load of Volcano munitions depends upon the airspeed as follows: When emplacing an Air Volcano minefield from a UH-60 Blackhawk helicopter, the door gunner is unable to operate the aircraft's machine gun. Therefore, if the minefield is being emplaced in an area with suspected or reported enemy activity, it is recommended that the Blackhawk is accompanied by an AH-64 Apache to provide suppressing fire if needed. From Ground Vehicles (Ground Volcano) For ground vehicles, mines are dispensed from the vehicle at ground speeds of . A constant speed is maintained while the mines are being dispensed so as to attain a consistent mine density. The average time to emplace one load (160 canisters) is 10 minutes. After each load has been dispensed, the vehicle moves out of the minefield and marks the exit. Vehicle must then wait a minimum of 4 minutes before approaching or re-entering the minefield to allow faulty mines to self-destruct. Minefield Marking Once laid, minefields are marked to reduce the possibility of friendly forces triggering the mines, and in areas with civilian populations, to avoid collateral casualties. Operational doctrine specifies that: in enemy forward areas minefields are not marked. in friendly forward areas, minefields are marked on the sides facing friendly forces only. in the rear areas (considered friendly) minefields are marked on all 4 sides. in forward areas where minefields cannot be formally marked, improvised hazard markers such as rocks or branches should be used if their location or pattern of placement could warn the enemy of the existence of the minefield. where a previously unmarked minefield located in enemy territory comes under the control of friendly forces action must be taken to appropriately mark the minefield as soon as practically possible. Marking is by way of hazard signs attached to signposts and where appropriate, surrounded by boundary fences constructed from standard fencing materials such as barbed wire, concertina wire and pierced steel planking. Fence sections should be attached to steel or concrete fence posts set sufficiently into the ground to discourage locals from removing them for their own use. Hazard marking begins no less than 20 meters from the outer perimeter of the minefield with warning signs placed at regular intervals outside of the fenced area. Hazard signs are to be only those approved for U.S. Army use which follow international mine-marking conventions. There are two basic designs for the shape of a hazards sign—square or triangular, each marked with the standardised symbol of a skull and crossbones along with a printed warning of the hazard i.e. "DANGER MINES". When such signs are unavailable, the approved alternative is to use warning signs specifically denoting booby traps or unexploded ordnance (UXO). Dispenser Vehicles The following ground vehicles and aircraft can be used to dispense the Volcano mines: M548 Tracked Cargo Carrier M939 series 5-ton 6x6 truck M977 Heavy Expanded Mobility Tactical Truck (HEMTT) M1074/1075 Palletized Load System (PLS) prime mover UH-60 Blackhawk helicopter Operators Current Operators : the Republic of Korea Army uses the Volcano system with M548 dispensing vehicles. : the U.S. Army decommissioned the system from active units during the late-1990s and placed the components into storage, but began reusing the system in 2017. Potential Operators : in 2019 and 2020 the U.S. Army demonstrated the system to the Polish Army. : in 2022 the U.S. State Department approved the sale of the system to Taiwan. Former Operators : from 1999 the British Army used the Volcano in its Shielder minelaying system, fitted to modified Alvis Stormer AFVs. These vehicles were withdrawn from service in 2013/14. See also Family of Scatterable Mines (FASCAM) Ottawa Treaty Notes References Land mines of the United States Military equipment introduced in the 1980s
28,794
https://ru.stackoverflow.com/questions/1264996
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
https://ru.stackoverflow.com/users/269255, Дмитрий
Russian
Spoken
138
428
Конвертация в режиме ввел-получил Делаю программу Конвертер.Подскажите как мне реализовать метод что бы при вводе числа в одном поле сразу же выводилось число это же число в другом поле? package ru.java-simple.swap; import java.util.Scanner; public class Swap { public static void main(String[] args) { int tn=0; int kg = 0; int gr = 0; Scanner scan = new Scanner(System.in); System.out.print("Enter numeric [tn]: "); tn = scan.nextInt(); System.out.println(tn); System.out.println(kg = tn*1000); System.out.println(gr = kg*1000); } } Алгоритм думаю понятен на уровне консоли. слушатель добавляйте для поля, в которое вводите число. именно этот слушатель по нажатию на кнопку будет писать данные в другое поле на основании введенных данных Добавляете слушатель текста на изменяемое поле, внутри слушателя проверяете валидность нового значения, выбираете нужные конвертер, если под это задумывался выпадающий список, ну и записываете результат в результирующие поля. source.textProperty().addListener((observable, oldValue, newValue) -> target.setText(convert(newValue)));
35,702
https://he.wikipedia.org/wiki/%D7%93%D7%99%D7%99%D7%95%D7%95%D7%99%D7%93%20%D7%A7%D7%A8%D7%A7%D7%95%D7%91
Wikipedia
Open Web
CC-By-SA
2,023
דייוויד קרקוב
https://he.wikipedia.org/w/index.php?title=דייוויד קרקוב&action=history
Hebrew
Spoken
213
771
דייוויד קרקוב (אנגלית: נולד ב-1968) הוא צייר, אנימטור ופסל אמריקני הידוע במיוחד בזכות פסלי הלוני טונס הממוסגרים שיצר, ופסלי הקיר המתכתיים שלו. חייו ויצירתו דייוויד קרקוב נולד בבוסטון, מסצ'וסטס. בגיל 12, לאחר שזכה במקום הראשון בתחרות יצירה, הפך קרקוב לאחד האמנים הצעירים ביותר להציג את עבודותיו במוזיאון בוסטון לאמנות. ב-1990, לאחר קבלת תואר מבית הספר לעיצוב של רוד איילנד, עבר קרקוב ללוס אנג'לס על מנת לפתח קריירה כאנימטור. לאחר כמה שנות עבודה עבור אולפני דיסני, קיבל פנייה מאולפני וורנר ברד'רס בבקשה שייצור מהדורה מוגבלת של לוחות ודמויות שחמט תחת הכותרת "לוני-טריילס" עבור הגלריות של אולפני וורנר. כל 50 הסטים, שיצירתם ארכה למעלה משבעה חודשים, נמכרו בתוך יומיים. בעקבות הצלחתו הראשונית, קרקוב המשיך לעבוד עם אולפני וורנר, עד שבשנת 1998 רכש את הזכויות על כל דמויות הלוני-טונס, והפך לפסל המורשה הבלעדי שלהם. כמו כן הוא בעל זכויות בלעדיות ביצירת פסלים המבוססים על דמויות של האנה-ברברה, בטי בופ, ודמויות מתוך חתונת הרפאים של טים ברטון. בשנת 2011 נתבקש קרקוב על ידי חברת קוקה-קולה ליצור פסל פרפרים מתכתי, בגודל מטר וחצי, לרגל יום-ההולדת ה-125 של החברה, כחלק מקמפיין "Open Happiness" שלה. בשנים האחרונות קרקוב צובר פופולריות גוברת בקרב האליטה ההוליוודית, ויצירותיו נמצאות, בין השאר, באוספים הפרטיים של סטיבן ספילברג, וופי גולדברג ומאט דיימון. קישורים חיצוניים הערות שוליים בוסטון: אישים פסלים אמריקאים אנימטורים אמריקאים אמריקאים שנולדו ב-1968
1,766
https://id.wikipedia.org/wiki/Tanjung%20Bonavista
Wikipedia
Open Web
CC-By-SA
2,023
Tanjung Bonavista
https://id.wikipedia.org/w/index.php?title=Tanjung Bonavista&action=history
Indonesian
Spoken
100
215
Tanjung Bonavista adalah sebuah tanjung yang terletak di pesisir timur pulau Newfoundland di Kanada. Tanjung ini terletak di ujung timur laut Semenanjung Bonavista yang memisahkan Teluk Trinity di selatan dengan Teluk Bonavista di utara. Kota Bonavista terletak tidak jauh dari tanjung ini. John Cabot mungkin pernah mendarat di tempat ini pada tanggal 24 Juni 1497 selama ekspedisi keduanya ke Amerika Utara (atau pada masa lain pada abad ke-15). Lokasi-lokasi lain di Newfoundland juga telah diklaim sebagai tempat pendaratannya. Di tanjung ini berdiri sebuah mercu suar yang dibangun pada tahun 1843. Galeri Pranala luar Cape Bonavista Lighthouse Provincial Historic Site Newfoundland
6,218
https://th.wikipedia.org/wiki/%E0%B9%81%E0%B8%84%E0%B8%A5%E0%B8%8A%E0%B8%AD%E0%B8%AD%E0%B8%9F%E0%B9%81%E0%B8%8A%E0%B8%A1%E0%B9%80%E0%B8%9B%E0%B8%B5%E0%B8%A2%E0%B8%99%E0%B8%AA%E0%B9%8C%20%282016%29
Wikipedia
Open Web
CC-By-SA
2,023
แคลชออฟแชมเปียนส์ (2016)
https://th.wikipedia.org/w/index.php?title=แคลชออฟแชมเปียนส์ (2016)&action=history
Thai
Spoken
41
566
แคลชออฟแชมเปียนส์ (2016) (Clash of Champions (2016)) รายการมวยปล้ำแบบเพย์เพอร์วิวจากดับเบิลยูดับเบิลยูอี(WWE) ซึ่งปีนี้จัดขึ้นมาเป็นปีแรกโดยจัดขึ้นที่ Bankers Life Fieldhouse อินเดียนาโพลิส, อินเดียนา วันที่ 25 กันยายน ค.ศ. 2016 โดยมาแทนที่ ดับเบิลยูดับเบิลยูอี ไนท์ออฟแชมเปียนส์ โดยจัดเป็นรายการมวยปล้ำเพย์เพอร์วิวรายการแรกของค่ายรอว์ ผล ดูเพิ่ม ดับเบิลยูดับเบิลยูอี เน็ตเวิร์ค รายชื่อรายการเพย์-เพอร์-วิวของดับเบิลยูดับเบิลยูอี อ้างอิง แหล่งข้อมูลอื่น มวยปล้ำอาชีพในปี พ.ศ. 2559 ดับเบิลยูดับเบิลยูอี แคลชออฟแชมเปียนส์ มวยปล้ำอาชีพในรัฐอินดีแอนา กีฬาในอินดีแอนาโพลิส (รัฐอินดีแอนา) รายการของช่องโทรทัศน์ดับเบิลยูดับเบิลยูอี เน็ตเวิร์คในปี พ.ศ. 2559
21,851
https://stackoverflow.com/questions/76396778
StackExchange
Open Web
CC-By-SA
2,023
Stack Exchange
English
Spoken
505
2,066
How can i change the price after sale input? I wanna change the value for price after sale based on price and price_sale But when i change type value for price and not type for price_sale, the price_after_sale didn't change, and then i type value for price_sale, price_after_sale changed and it's not the number i expected (maybe the caculation in changePriceAfterSale function is wrong). But when I change value for price_sale again, the price_after_sale is correct. Here is the code: function ProductCreate() { const [checked, setChecked] = useState(false); const [price, setPrice] = useState(0); const [price_sale, setPrice_sale] = useState(0); const [price_after_sale, setPrice_Aftersale] = useState(""); const changePriceAfterSale = (e) => { setPrice_sale(e.target.value); setPrice_Aftersale((e.target.value / 100) * price); }; const changePriceAfterSale1 = (e) => { setPrice(e.target.value); setPrice_Aftersale(e.target.value * (price_sale / 100)); }; return ( <section className="mainList"> <div className="wrapper"> <div className="card1"> <form method="post" /*onSubmit={categoryStore}*/> <div className="card-header"> <strong className="title1">DANH MỤC</strong> <div className="button"> <Link to="/admin/product" className="backward"> <FontAwesomeIcon icon={faBackward} /> Go back </Link> <button type="submit" className="save"> <FontAwesomeIcon icon={faFloppyDisk} /> Save </button> </div> </div> <div className="form-container grid -bottom-3 "> <div className="grid__item large--three-quarters"> <fieldset className="input-container"> <label htmlfor="name">Tên sản phẩm</label> <input name="name" type="text" className="input" id="name" autocomplete="off" //value={name} //onChange={(e) => setName(e.target.value)} placeholder="Nhập tên danh mục..." /> </fieldset> <fieldset className="input-container"> <label htmlfor="name">Đường dẫn xem trước</label> <input name="preview" type="text" className="input" id="name" autocomplete="off" //value={name} //onChange={(e) => setName(e.target.value)} placeholder="Nhập đường dẫn xem trước..." /> </fieldset> <fieldset className="input-container"> <label htmlfor="metakey">Từ khóa</label> <input name="metakey" type="text" className="input" id="name" autocomplete="off" //value={metakey} //onChange={(e) => setMetakey(e.target.value)} placeholder="Nhập từ khóa..." /> </fieldset> <fieldset className="input-container"> <label htmlfor="metadesc">Mô tả</label> <textarea name="metadesc" className="input1textarea" id="name" //value={metadesc} //onChange={(e) => setMetadesc(e.target.value)} placeholder="Nhập mô tả..." /> </fieldset> </div> <div className="grid__item large--one-quarter"> <fieldset className="input-container"> <label htmlfor="parent_id">Danh mục</label> <select name="category_id" className="input" //value={parent_id} //onChange={(e) => setParent_id(e.target.value)} > <option value="0" selected disabled> --Chọn danh mục-- </option> <option value="1">1</option> <option value="2">2</option> </select> </fieldset> {/* Start from here */} {/* Start from here */} {/* Start from here */} <fieldset className="input-container"> <label htmlfor="price">Giá sản phẩm</label> <input name="price" type="text" className="input" id="name" value={price} onChange={changePriceAfterSale1} placeholder="Nhập giá sản phẩm..." autocomplete="off" /> </fieldset> <fieldset className="input-container"> <label htmlfor=".price-check"> <input type="checkbox" checked={checked} onChange={() => { if (checked) { setPrice_sale(""); } setChecked(!checked); }} /> <span>Giá sale? (%)</span> </label> <div className="price-check"> <input name="price_sale" type="text" className="input-price" id="name" disabled={!checked} value={(() => { if (price_sale === 0) return 0; else return price_sale; })()} onChange={changePriceAfterSale} placeholder="Tỉ lệ sale..." autocomplete="off" /> <input name="price_after_sale" type="text" className="input-price-check" value={price_after_sale} id="name" disabled placeholder="0" /> </div> </fieldset> {/* End here */} {/* End here */} {/* End here */} <fieldset className="input-container"> <label htmlfor="qty">Số lượng</label> <input name="qty" type="number" min="0" className="input" id="name" autocomplete="off" //value={name} //onChange={(e) => setName(e.target.value)} placeholder="Nhập số lượng ..." /> </fieldset> <fieldset className="input-container"> <label htmlfor="image">Hình ảnh phía trước</label> <input name="image" type="file" className="input" id="image" /> </fieldset> <fieldset className="input-container"> <label htmlfor="back_image">Hình ảnh phía sau</label> <input name="back_image" type="file" className="input" id="image" /> </fieldset> <fieldset className="input-container"> <label htmlfor="status">Tình trạng xuất bản</label> <select name="status" className="input" //value={status} //onChange={(e) => setStatus(e.target.value)} > <option disabled>--Chọn tình trạng xuất bản--</option> <option value="1">Xuất bản</option> <option value="2">Không xuất bản</option> </select> </fieldset> </div> </div> </form> </div> </div> </section> ); } export default ProductCreate; What i expected it to be: When price or price_sale change, price_after_sale change and caculation must be correct
39,432
https://en.wikipedia.org/wiki/Hakuji
Wikipedia
Open Web
CC-By-SA
2,023
Hakuji
https://en.wikipedia.org/w/index.php?title=Hakuji&action=history
English
Spoken
756
1,096
is a form of Japanese pottery and porcelain, normally white porcelain, which originated as an imitation of Chinese Dehua porcelain. Today the term is used in Japan to refer to plain white porcelain. It is always plain white without colored patterns and is often seen as bowls, tea pots, cups and other Japanese tableware. It was also used for small figurines, mostly for Buddhist and sometimes Christian religious figures and Japanese genre figures. Like other plain wares, it was appropriate use for various types of vessels for religious use. It was originally developed for the Japanese market, but became one of Japanese export porcelain. History Dehua white porcelain is traditionally known among Japanese as hakugorai or "Korean White Ware". Although Korai is a term for an ancient Korean kingdom, the term also functioned as a ubiquitous term for various products from the Korean peninsula. This is not to suggest that historically Japanese were entirely oblivious to the existence of the Fujian province kilns and their porcelain, now known as Dehua or Blanc de Chine ware (a French term for Chinese white porcelain which is in common usage in the West). The Dehua kilns are located in Fujian province, opposite the island of Taiwan, was traditionally a trade center for the Chinese economy with its many ports and urban centers. Fujian white ware was meant for all of maritime Asia. However, a large quantity of these ceramics were intended for a Japanese market before drastic trade restrictions by the mid 1600s. Items were largely Buddhist images and ritual utensils utilized for family altar use. Wares associated with funerals and the dead have perhaps led to a certain disinterest in this ware among present day Japanese, despite an intense interest in other aspects of Chinese ceramic culture and history. Many examples of the great beauty of this ware have made their way to collections in the west from Japan. Among the countless Buddhist images meant for the Japanese market are those with strongly stylized robes that show an influence from the Kano School of painting that dominated Tokugawa Japan. It seems certain that Dehua white ware was made with Japanese taste in mind. The plain white incense tripods and associated objects for Japanese religious, ritual observance and the Buddhist Goddesses of Mercy with child figurines that closely resemble the Christian Madonna and Child are designed specifically for a Japanese market. Such figurines were known as Maria Kannon or "Blessed Virgin Goddesses of Mercy" and were part of the "hidden Christian" culture of Tokugawa Japan, which had strictly banned the religion. White porcelain Buddhist statuary was extensively produced in Japan at the Hirado kilns and elsewhere. The two wares can be easily distinguished. Japanese figures are usually closed on the base and a small hole for ventilation can be seen. Hirado ware also displays a slightly orange tinge on unglazed areas. In the early 1600s, Lord Nabeshima Naoshige (1537–1619) of the Saga Domain brought over a number of Korean potters, including the potter Ri Sampei (Yi Sam Pyong). In 1616, they discovered a superior white-stoned clay at a mountain in Arita. This clay was used for the production of Japanese white porcelain. The production of Hakuji in Arita also continued during the Meiji era. Hakuji is still produced today for various vessels. Masahiro Mori has designed a number of modern Hakuji ware. Another artist is Seigo Nakamura, who is an Arita ware artist, and Inoue Manji. The retail company Muji brought out its own line of Hakuji home ware, which is produced out of ground translucent Amakusa stones kneaded into clay, using traditional techniques. Hakuji was declared in 1995 by the government to be an Intangible Cultural Property of Japan. Seihakuji Another type is porcelain, where the glaze has subtle colour gradations of icy, bluish white. In Chinese this type of glaze is known as Qingbai ware, which is more greenish-white in colour, and is therefore also considered a form of . Qingbai's history goes back to the Song dynasty. It is biscuit-fired and painted with a glaze containing small amounts of iron. This turns a bluish colour when fired again. Some of the artisans who specialise in seihakuji are Fukami Sueharu, Suzuki Osamu, and Yagi Akira. (1912–1990) was nominated a Living National Treasure in 1983 for his works in Seihakuji. References Other sources Shanghai Art Museum, Fujian Ceramics and Porcelain, Chinese Ceramics, vol. 27, Kyoto, 1983. Kato Tokoku, Genshoku toki daijiten (A Dictionary of Ceramics in Color), Tokyo, 1972, p. 777. External links Japanese porcelain Japanese art terminology
6,362
https://simple.wikipedia.org/wiki/Wietmarschen
Wikipedia
Open Web
CC-By-SA
2,023
Wietmarschen
https://simple.wikipedia.org/w/index.php?title=Wietmarschen&action=history
Simple English
Spoken
120
237
Wietmarschen is a unitary community (Einheitsgemeinde) in the County of Bentheim in Lower Saxony, Germany. It is split into the villages of Wietmarschen, Füchtenfeld, Schwartenpohl, Lohnerbruch, Nordlohne and Lohne with Lohne being the biggest and having the town hall while Wietmarschen, which is the second biggest, having the name. Geography Wietmarschen is about west of Lingen, and northeast of Nordhorn. The community's highest elevation is the Rupingberg in Lohne at above sea level. There are plans to construct a viewing tower on it. Constituent communities The community is divided into six districts named Wietmarschen, Füchtenfeld, Schwartenpohl, Lohnerbruch, Nordlohne and Lohne. Partnership Mortagne-au-Perche, France became a partner community of Wietmarschen on 2 July 1989. References Other websites County of Bentheim (district)
4,494
https://fr.wikipedia.org/wiki/Rails%20West%21
Wikipedia
Open Web
CC-By-SA
2,023
Rails West!
https://fr.wikipedia.org/w/index.php?title=Rails West!&action=history
French
Spoken
1,142
1,635
est un jeu vidéo de simulation économique créé par Martin Campion et publié par en avril 1984 sur Apple II et Atari 8-bit avant d'être porté sur Commodore 64 à l'automne. Le jeu retrace le développement des grandes lignes ferroviaires aux États-Unis sur une période de trente ans, entre 1870 et 1900. Chacun à leur tour, un tour correspondant à un an, les joueurs réalisent un certain nombre d’opérations comme acheter ou vendre des actions, créer une nouvelle entreprise de chemin de fer ou tenter de prendre le contrôle d’une société existante. À sa sortie, le jeu est souvent critiqué pour ses graphismes minimalistes et pour sa complexité, qui le rend difficile à prendre en main. Il est néanmoins salué par la presse qui estime que malgré ces défauts, il reste excitant et amusant, et qui souligne son intérêt éducatif. Le jeu rencontre un succès commercial limité, avec vendus. Rétrospectivement, le journaliste Evan Brooks du magazine fait le même constat et ajoute que s’il n’est pas à la hauteur de en matière de graphismes et de gestion des trains, son modèle économique est plus détaillé et réaliste. Système de jeu est une simulation économique qui retrace le développement des grandes lignes ferroviaires aux États-Unis sur une période de trente ans, entre 1870 et 1900. Le jeu se déroule sur une carte représentant les Etats-Unis entre le fleuve Mississippi et la côte Pacifique. Chacun à leur tour, un tour correspondant à un an, les joueurs réalisent un certain nombre d’opérations comme acheter ou vendre des actions, créer une nouvelle entreprise de chemin de fer ou tenter de prendre le contrôle d’une société existante. Ces actions coûtent un certain nombre de points d’actions, un nombre limité de ces points étant alloué aux joueurs à chaque tour. Une partie peut débuter en 1870 ou en 1890. Dans le premier cas, très peu de ligne ont déjà été construite et la partie se concentre donc sur l’extension du réseau ferroviaire. Les routes où peuvent être construit des lignes sont prédéfinies et les joueurs en récupèrent les concessions auprès du gouvernement. Ils doivent alors s’engager à construire la ligne en un certain temps, sous peine de perdre la concession. A l’inverse, si la partie débute en 1890, la plupart des lignes ont déjà été construite et la partie se focalise plutôt sur l’achat et la vente d’actions afin de prendre le contrôle des meilleures lignes et de récupérer des dividendes. Une partie peut avoir trois gagnants : le joueur avec la meilleure ligne de train transcontinental, le joueur avec la plus grande fortune personnelle et le gagnant global, qui est déterminé par une combinaison de ces deux facteurs. Le jeu suggère de terminer la partie en 1900 mais il est possible de sélectionner une autre date. Une autre variation permet de la faire s’arrêter entre 1902 et 1912 suivant les résultats d’un lancer de dé à la fin de chaque tour. Jusqu’à huit joueurs peuvent s’affronter dans une partie, quatre d’entre eux pouvant être contrôlé par l’ordinateur. Quatre niveaux de difficulté sont disponibles pour ces derniers. Développement et publication D’après Martin Campion, dix ans lui ont été nécessaires pour développer . Il commence en effet à le programmer en 1974 sur un ordinateur central, puis continue sur un micro-ordinateur TRS-80 pour finalement le terminer sur un Apple II qui lui a été offert par la . Initialement conçu comme un jeu de plateau assisté par ordinateur, le jeu évolue au cours de ces dix années jusqu’à devenir un véritable jeu vidéo. Lorsque son jeu est enfin prêt à être publié, Martin Campion hésite entre le proposer à Avalon Hill ou à Strategic Simulations. Il envoie finalement un courrier à ce dernier afin de lui présenter son jeu. N’ayant aucun jeu de ce type dans leur catalogue, Strategic Simulations se montre intéressé et, après avoir reçu le jeu, propose à son auteur de nombreuses améliorations. L’éditeur lui demande également de le porter, au choix, sur Atari 800 ou Commodore 64. Martin Campion choisit initialement le Commodore 64 mais Strategic Simulations parvient à le convaincre de modifier son choix et il porte donc le jeu sur Atari 8-bit. Lorsqu’il a terminé, l’éditeur le convainc de le porter également sur Commodore 64 et le jeu sort donc finalement sur les trois plateformes. est publié par en avril 1984 sur Apple II et Atari 8-bit. Il est ensuite porté sur Commodore 64 à l'automne de la même année. Accueil Pour Bob Proctor du magazine , est un mais n’est en revanche pas destiné à n’importe qui. Il juge en effet qu’il peut se révéler , mais seulement pour les joueurs comprenant la situation financière complexe proposé par le jeu. Il estime ainsi que plusieurs parties sont nécessaires pour commencer à être à la hauteur des joueurs contrôlés par l’ordinateur, même à leur niveau minimal. Il ajoute néanmoins que même si les joueurs sont inexpérimenté, le jeu est à plusieurs (si on exclut les joueurs contrôlés par l’ordinateur), et conclut qu’il ferait un excellent exercice de classe pour un bon professeur. Rick Teverbaugh du magazine met également en avant la complexité du jeu et explique que, comme pour la plupart de ses jeux, à tout fait pour permettre au joueur d’apprendre à maitriser le jeu avec un manuel bien écrit, des cartes d’aide de jeu et un résumé des règles. Il ajoute que si ces graphismes ne méritent pas qu’on s’y arrête, ils remplissent correctement leur rôle, et conclut que est un difficile aperçu des enjeux financier du développement ferroviaire de la fin du . Le magazine souligne lui aussi la difficulté du jeu, qu’il décrit comme l’un des plus difficiles qu’il soit, mais ajoute qu’il reste amusant même quand le joueur s’y fait annihilé. Plus globalement, il le décrit comme une simulation , dont l’excellent système de jeu fait plus que compenser ses graphismes minimalistes, et le désigne comme un des meilleurs jeux de l’année. De son côté, Bruce Cannelongo du magazine décrit comme un jeu divertissant, éducatif, stimulant et bien conçu et juge qu’il offre de nombreuses heures au joueur près à relever le défi. Dans une rétrospective publié dans en 1990, Evan Brooks estime que est une simulation fascinante du développement ferroviaires et de l’économie de la fin du , bien qu’il soit desservi par des graphismes minimales et quelques bugs. Il ajoute que s'il n’est pas à la hauteur de en matière de graphismes et de gestion des trains, son modèle économique est plus détaillé et réaliste. D’après son créateur, le jeu s’est vendu à . Référence Lien externe Interview de Martin Campion Jeu vidéo sorti en 1984 Jeu vidéo de simulation économique Jeu vidéo de simulation ferroviaire Jeu vidéo développé aux États-Unis Jeu vidéo se déroulant au XIXe siècle Jeu vidéo se déroulant aux États-Unis Jeu Atari 8-bit Jeu Apple II Jeu Commodore 64 Jeu Strategic Simulations
46,580
https://sq.wikipedia.org/wiki/Xhellaba
Wikipedia
Open Web
CC-By-SA
2,023
Xhellaba
https://sq.wikipedia.org/w/index.php?title=Xhellaba&action=history
Albanian
Spoken
68
186
Djellaba (Arabisht: جلابة; Berbe: aselham) është një mantel i jashtëm e veshur për të dy gjini (unisex), i përshtatshëm dhe i gjatë, me mëngë të plota që vishen në rajonin Magreb në Afrikën e Veriut. Në Algjeri qendrore dhe lindore quhet qeššaba ose qeššabiya. Banorët e malit të Marokut e quajnë tadjellabit, e cila është një formë e berberizuar. Referime Kultura arabe Veshje algjeriane Veshje arabe Veshje marokene
46,733
https://stackoverflow.com/questions/13173673
StackExchange
Open Web
CC-By-SA
2,012
Stack Exchange
John Szakmeister, https://stackoverflow.com/users/1788078, https://stackoverflow.com/users/683080, user1788078
English
Spoken
285
355
Delivering Git branches for testing I am using Git for development and rather simple workflow. I have two remote branches: "testing" and "staging". I develop feature in a local branch, merge it to "testing" to deliver feature for testing by tester. As feature is tested I merge local branch to "staging". Important workflow condition is that we have no releases - we have to deploy features separately. It works just perfect until conflicts. My workflow considers I have to deliver same feature for testing several times during feature development because of permanent conditions changing. The problem is that in case I had 5 feature deliveries for testing and got merge conflict at first delivery, I have to solve conflicts again for all left 4 feature deliveries to keep my branch isolated. The worst thing is that all 5 conflicts I got are the same (the same pieces of code get conflicted) in most cases. Is there a way to solve conflicts once upon first merging? How do you deliver your branches for testing by another person? Any help and ideas are greatly appreciated. Thank you. Have a look at this post on rerere. It'll help save you the headache of dealing with the same conflicts over and over. If the conflicts happens when delivering to the same remote repo, it would be best for that delivery to be done by an integrator at the remote repo (git pull), in order to activate git.rerere. That will enable the repo to remember a conflict resolution, and to apply that same resolution to any similar conflict, when the other 4 features are pulled in testing branch. Cool, exactly. rerere will do everything easier. Thank you so much, VonC
10,188
https://datascience.stackexchange.com/questions/111262
StackExchange
Open Web
CC-By-SA
2,022
Stack Exchange
DanielTheRocketMan, Erwan, https://datascience.stackexchange.com/users/64377, https://datascience.stackexchange.com/users/68363
English
Spoken
178
227
"Source paper" of the method Reduction in library Sumy Does anybody know or can help me to find the source paper of the method "Reduction" of the library "sumy"? This method is here: Reduction where it says that it is based on here, but in none of these places I am able to find the source. At this description, it only says that: "Graph-based summarization, where a sentence salience is computed as the sum of the weights of its edges to other sentences. The weight of an edge between two sentences is computed in the same manner as TextRank." The entire library is said to be based on this thesis. However, it is in germany. I tried to find, but I was not able to do that because of language barrier. Fyi the thesis is not in German but in Czech, in case you want to try Google Translate. Apparently there's no other publication by this author, so this might be the only solution. You are right! I searched for the method there but I did not find!
8,768
https://pms.wikipedia.org/wiki/Senots
Wikipedia
Open Web
CC-By-SA
2,023
Senots
https://pms.wikipedia.org/w/index.php?title=Senots&action=history
Piedmontese
Spoken
44
98
Senots a l'é na comun-a fransèisa ant la region aministrativa dla Picardìa, ant ël dipartiment ëd l'Oise. A së stend për na surfassa ëd 6,25 km², con 275 abitant, scond ël censiment dël 1999, con na densità ëd 44 ab/km². Comun-e dël dipartiment d'Oise
11,667
https://eu.wikipedia.org/wiki/Fragata%20%28hegaztia%29
Wikipedia
Open Web
CC-By-SA
2,023
Fragata (hegaztia)
https://eu.wikipedia.org/w/index.php?title=Fragata (hegaztia)&action=history
Basque
Spoken
131
373
Fragata (Fregata) Suliformes ordenako hegazti-genero baten izen arrunta da. Egun Fregatidae familiaren barnean monofiletikoa da. Ozeano Barean eta Atlantikoan bizi diren itsas-hegaztiak dira. Ezaugarriak Beltzak eta gorriak izan daitezke. Tamaina handikoak dira guztiak: 1,80 metrotik gorako hegoak izaten dituzte, nahiz eta eskeletoak 114 gramoko pisua izan dezakeen. Tamaina- eta arintasun-konbinazio harrigarri horri esker, ahaleginik egin gabe planeatu ahal izango dute itsasoa, non arretaz zaintzen baitituzte beste hegazti batzuk: fragata batek beste hegazti bat arrain bat harrapatzen ikusten badu, harrapakina askatzera behartzen du, eta trebeki harrapatzen du arraina uretara erori baino lehen. Zuhaitz eta zuhaixketan egiten dute habia, eta arrek emeak erakartzen dituzte eztarrian duten poltsa bat puztuz, globo gorri bat dirudiena. Ia inoiz ez dira uretan pausatzen. Espezieak Fregata magnificens Fregata aquila Fregata andrewsi Fregata minor Fregata ariel Erreferentziak Kanpo estekak
15,856
https://stackoverflow.com/questions/66906231
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
René Schou, https://stackoverflow.com/users/7122975
Danish
Spoken
224
570
Fragment TextView state after orientation change (with different layouts) I'm trying to create a calculator with a simple version in portrait mode and a scientific version alongside a list of past calculation in landscape. I'm running into the issue of passing the current value in my textview of portrait mode to the landscape mode. My main activity: private FragmentManager fm; Fragment fragmentScientific, fragmentList protected void onCreate(Bundle savedInstanceState) { super.onCreate(savedInstanceState); setContentView(R.layout.activity_main); fm = getSupportFragmentManager(); setUpFragments(); } private void setUpFragments() { if (getResources().getConfiguration().orientation == Configuration.ORIENTATION_LANDSCAPE) { fragmentScientific= fm.findFragmentById(R.id.container_ui_landscape); fragmentList= fm.findFragmentById(R.id.container_list); if ((fragmentScientific == null) && (fragmentList == null)) { fragmentScientific= new ScientificFragment(); fragmentList= new RecordListFragment(); fm.beginTransaction() .add(R.id.container_ui_landscape, fragmentScientific) .add(R.id.container_list, fragmentList) .commit(); } } else { fragmentScientific= fm.findFragmentById(R.id.container_ui_portrait); if (fragmentScientific== null) { fragmentScientific = new ScientificFragment(); fm.beginTransaction() .add(R.id.container_ui_portrait, fragmentScientific) .commit(); } } } I've attempted to use onSaveInstanceState bundle in my ScientificFragment class to carry it private TextView newRes; @Override public void onSaveInstanceState(Bundle savedInstanceState) { super.onSaveInstanceState(savedInstanceState); savedInstanceState.putString("currentCal", newRes.getText().toString()); } but I just ended up having two separate saved bundles, one for portrait and one for landscape. It works now. Very much appreciated. The Android system actually handles view restoration for you on an orientation change, regardless of whether you have different layouts. The key is to have identical IDs across both layouts. Using different ones or not specifying anything at all will prevent their state being restored.
42,744
https://da.wikipedia.org/wiki/Stuttgart%20Tennis%20Grand%20Prix
Wikipedia
Open Web
CC-By-SA
2,023
Stuttgart Tennis Grand Prix
https://da.wikipedia.org/w/index.php?title=Stuttgart Tennis Grand Prix&action=history
Danish
Spoken
474
905
Stuttgart Tennis Grand Prix er en professionel tennisturnering for kvinder, som hvert år i april afvikles i Stuttgart, Tyskland. Turneringen bliver afviklet indendørs på grusbaner i Porsche-Arena, og den har været en del af WTA Tour siden etableringen i 1978, og pt. tilhører den kategorien WTA 500. Den er den eneste grusturnering på WTA Tour, der afvikles indendørs. Turneringen er pr. 2022 ejet og sponsoreret af Porsche og afvikles derfor under det sponsorerede navn Porsche Tennis Grand Prix, og ud over pengepræmien modtager vinderen af singlerækken også en Porsche-sportsvogn. Indtil 2005 blev turneringen spillet i Filderstadt på hardcourt, hvilket også var underlaget de første par år i Stuttgart. I 2009 blev underlaget ændret til rødt grus, samtidig med at terminen blev flyttet fra oktober til april. Martina Navratilova vandt singletitlen seks gange i perioden 1982-92 og dermed den spiller, der har vundet flest singleturneringer. Til gengæld er Tracy Austin den eneste spiller med fire singletitler i træk, eftersom hun vandt de fire første udgaver af turneringen i 1978-81. Navratilova er også indehaver af rekorden for flest doubletitler. Hun har vundet turneringen otte gange med seks forskellige makkere. Spillerne på WTA Tour valgte i 2007, 2008, 2010-12 og 2014-17 Porsche Tennis Grand Prix som deres yndlingsturnering i kategorien WTA Premier. Historie Turneringen blev etableret af forretningsmanden Dieter Fischer, der i 1977 havde arrangeret en to-dages opvisningsturnering for mænd med deltagelse af Mark Cox, Charlie Pasarell, Jeff Borowiak og Ray Moore for at fejre åbningen af sit nye tenniscenter i Filderstadt. Det lykkedes ikke at programsætte en ny turnering for mænd i 1978. I stedet blev der for $ 100.000 indkøbt en licens til en WTA-turnering i kategorien WTA Tier II, og den første udgave af turneringen blev spillet i oktober 1978 og vundet af 15-årige Tracy Austin. I marts 1979 blev der afviklet en turnering for mænd, der blev vundet af Wojciech Fibak, men herreturneringen blev ikke videreført, fordi det var for krævende for de frivillige medarbejdere at arrangere to turneringer om året. I 1992 ansøgte man om en opgradering til Tier I-status, hvilket dog blev afvist af WTA Tour med den begrundelse, at turneringens hovedarena med en kapacitet på 3.000 tilskuere var for lille. I 2002 solgte Fischer turneringens licens til Porsche, der havde været officiel sponsor siden den første udgave i 1978. I 2006 blev turneringen flyttet ca. 15 km nordpå til den noget større, nyopførte multiarena Porsche-Arena i Stuttgart, hvor tilskuerkapaciteten var ca. dobbelt så stor som i Filderstadt. I 2009 flyttede man turneringen fra den traditionelle termin i efteråret til om foråret, og samtidig blev underlaget ændret fra hardcourt til rødt grus, så den blev en del af den europæiske grussæson, og spillerne kunne bruge turneringen i optakten til French Open. Vindere og finalister Damesingle Damedouble Kilder / eksterne henvisninger Porsche Tennis Grand Prix WTA - Stuttgart Referencer Etableret i 1978
38,447
https://lld.wikipedia.org/wiki/Harrat%20Rahat
Wikipedia
Open Web
CC-By-SA
2,023
Harrat Rahat
https://lld.wikipedia.org/w/index.php?title=Harrat Rahat&action=history
Ladin
Spoken
23
52
L Harrat Rahat ie n crëp te l'Arabia di Saudi. L à na autëza de metri. Geografia Referënzes Crëp te l'Arabia di Saudi
35,219
https://stackoverflow.com/questions/8050818
StackExchange
Open Web
CC-By-SA
2,011
Stack Exchange
Atef, Dalgaard Dunlap, Josephsen Kane, LJSS, Roman Ryltsov, https://stackoverflow.com/users/1031040, https://stackoverflow.com/users/17925663, https://stackoverflow.com/users/17925664, https://stackoverflow.com/users/17925665, https://stackoverflow.com/users/17926405, https://stackoverflow.com/users/868014, user1031040
English
Spoken
243
330
Does RTP Packets using RTSP protocol contain both audio and video I am developing a client program which will display the media captured from IP camera. So I want to whether the RTP packets using RTSP protocol contain both audio and video if contains both how should I extract it? RTSP stream does not carry video/audio itself, it provides a method to control independent RTP video and audio streams (they are in turn independent one from another). One of the options though is when RTP streams are tunnelled through RTSP connection, in which case all communication might be taking place through single TCP connection. I know that RTSP is controlling protocol RTP packets are actual carriers but then why I get no output when I try to extract audio data from a packet. What packet you are expecting it in? Would you ming throwing in more details on what you do? I am building an client application using Gstreamer just as I told you that the I am able to extract and display video from the RTP packets that are streamed from server but when instead of RTP h264 extractor plugin I use rtpmp4adepay(mp4a audio extractor from RTP packets) and passes it to proper element it gives me error. You can read the SDP returned in the SETUP request to the RtspServer. There should be a MediaInformation for each stream available. That will tell you if there is audio or video etc... http://en.wikipedia.org/wiki/Session_Description_Protocol
34,084
https://zh-min-nan.wikipedia.org/wiki/Oleksandrivka%20%28Zhashkiv%20Ko%C4%81n%29
Wikipedia
Open Web
CC-By-SA
2,023
Oleksandrivka (Zhashkiv Koān)
https://zh-min-nan.wikipedia.org/w/index.php?title=Oleksandrivka (Zhashkiv Koān)&action=history
Min Nan Chinese
Spoken
25
89
Oleksandrivka (Ukraina-gí: ) sī chi̍t ê tī Ukraina Kiōng-hô-kok Cherkasy Chiu Zhashkiv Koān ê chng-thâu (selo). Chham-oa̍t Ukraina ê chng-thâu Chham-khó Cherkasy Chiu ê chng-thâu
12,732
https://it.wikipedia.org/wiki/Exopterygota
Wikipedia
Open Web
CC-By-SA
2,023
Exopterygota
https://it.wikipedia.org/w/index.php?title=Exopterygota&action=history
Italian
Spoken
596
1,354
Gli Esopterigoti (Exopterygota) costituiscono un raggruppamento di Insetti della sottoclasse Pterygota interpretato, secondo gli schemi tassonomici, con differenti inquadramenti sistematici in quanto parafiletico dal punto di vista filogenetico. Caratteri generali Gli Esopterigoti sono insetti alati con carattere di primitività, nella scala evolutiva, rappresentato fondamentalmente dal tipo di metamorfosi, genericamente denominata eterometabolia o metamorfosi incompleta: in generale, lo sviluppo postembrionale è caratterizzato dalla successione di stadi poco differenti dall'adulto (neanide e ninfa) e le ali si sviluppano gradualmente da abbozzi esterni lo stadio ninfale. L'eventuale assenza di ali è un carattere secondario. Dall'uovo nascono individui, denominati neanidi, che differiscono sostanzialmente dall'insetto adulto per le minori dimensioni e per l'assenza delle ali. Le neanidi possono vivere nello stesso ambiente dell'adulto oppure in ambienti differenti, con conseguente differenziazione di due forme di eterometabolia. Metamorfosi Le forme tipiche di metamorfosi che si riscontrano in questi insetti si riconducono a tre tipi fondamentali: pseudoametabolia: gli stadi preimmaginali sono praticamente simili all'adulto, fatta eccezione per le dimensioni, in quanto si tratta di specie secondariamente attere; stadi preimmaginali e adulti vivono nello stesso ambiente. Tra gli pseudoametaboli si annoverano i Mallofagi, gli Anopluri ed alcuni Ortotteri e Rincoti. L'ontogenesi per questi gruppi è data dalla successione degli stadi di uovo, neanide e immagine paurometabolia: le neanidi sono simili agli adulti, ma più piccoli e senza le ali e gli apparati riproduttori, queste strutture verranno acquistate gradualmente durante lo stadio ninfale; gli adulti sono alati e vivono nello stesso ambiente degli stadi preimmaginali. Tra i paurometaboli si annoverano Ortotteri e Rincoti Omotteri. L'ontogenesi per questi gruppi vede la successione degli stadi di uovo, neanide, ninfa e immagine. emimetabolia: le neanidi attraversano uno stadio ninfale e divengono poi adulti alati che vivono in un ambiente diverso da quelli degli stadi preimmaginali. Caratteristici insetti emimetaboli sono gli Odonati, i Plecotteri e alcuni Rincoti. L'ontogenesi per questi gruppi è data dalla successione degli stadi di uovo, neanide, ninfa e immagine. Altre forme di metamorfosi sono presenti in ristretti gruppi sistematici, appartenenti per lo più all'ordine dei Rhynchota, e consistono nella catametabolia e nella neometabolia; oppure nell'ordine degli Ephemeroptera, che presentano una metamorfosi particolare, la prometabolia, caratterizzata dalla presenza di due stadi consecutivi di immagine. Sistematica Gli Esopterigoti comprendono almeno specie ripartite in 16 ordini. L'inquadramento sistematico degli Esopterigoti è confuso a causa della discordanza fra gli schemi tassonomici su base morfologica e quelli su base filogenetica, che pongono in discussione le suddivisioni corrispondenti a ranghi superiori a quello dell'ordine. Gli Esopterigoti rappresentano un raggruppamento artificiale in quanto parafiletico. Secondo lo schema sistematico, sono pertanto considerati differenti ranghi e differenti posizioni. Fra le tassonomie più recenti si considerano gli Esopterigoti un superordine compreso all'interno dell'infraclasse Neoptera distinta dall'infraclasse Palaeoptera o, addirittura, un raggruppamento non sistematico corrispondente ai superordini Paraneoptera e Polineoptera. In questa sede si considera il raggruppamento degli Esopterigoti nel rango di coorte, suddiviso in tre subcoorti: Subcoorte Palaeoptera. Comprende insetti primitivi con ali prive di regione jugale. Diversi ordini sono estinti nel corso del Paleozoico o del Mesozoico. Sono attualmente presenti sulla Terra solo i seguenti due ordini: Subcoorte Palaeoptera. Ordini: Ephemeroptera Odonata Subcoorte Neoptera. Comprende insetti più evoluti dei precedenti, secondariamente atteri o con ali provviste di regione jugale. Vi sono compresi la maggior parte degli ordini della coorte, articolati in ranghi sistematici intermedi (superordini e sezioni): Subcoorte Neoptera Superordine Polyneoptera Sezione Blattoidea. Ordini: Blattodea Mantodea Isoptera Zoraptera Sezione Plecopteroidea. Ordini: Plecoptera Sezione Embiopteroidea. Ordini: Embioptera Sezione Orthopteroidea. Ordini: Grylloblattodea Dermaptera Phasmoidea Orthoptera Mantophasmatodea Superordine Paraneoptera Sezione Psocoidea. Ordini: Psocoptera (o Corrodentia) Mallophaga Anoplura Sezione Thysanopteroidea. Ordini: Thysanoptera Sezione Rhynchotoidea. Ordini: Rhynchota Collegamenti esterni Insetti
12,596
https://es.wikipedia.org/wiki/Belmonte%20de%20Campos
Wikipedia
Open Web
CC-By-SA
2,023
Belmonte de Campos
https://es.wikipedia.org/w/index.php?title=Belmonte de Campos&action=history
Spanish
Spoken
189
438
Belmonte de Campos es un municipio y localidad española de la provincia de Palencia (Castilla y León). Demografía Evolución de la población en el {{Gráfica de evolución|tipo=demográfica|anchura=600|color_21=blue|nombre=Belmonte de Campos |2000|46|2001|41|2002|41|2003|35|2004|34|2005|34|2006|37|2007|37|2008|35|2009|35|2010|32|2011|35|2012|32|2013|29|2014|29|2015|33|2016|32|2017|32|2018|33|2019|30|2020|29|notas=}} Historia A la caída del Antiguo Régimen la localidad se constituye en municipio constitucional en el partido de Frechilla , conocido entonces como Belmonte y que en el censo de 1842 contaba con 22 hogares y 114 vecinos. Patrimonio Castillo de Belmonte de Campos: Castillo del - que perteneció a la familia Sarmiento, la cual posteriormente vende villa y castillo a Inés de Guzmán, señora de Villalba de los Alcores y Fuensaldaña. Destaca su magnífica torre del Homenaje y restos de un recinto irregular que encierra una plataforma a la que se accede por una puerta custodiada por un torreón circular. A pesar de haber sido declarado como Monumento histórico-artístico desde el 3 de junio de 1931, se encuentra incluido en la Lista Roja de Patrimonio de la asociación Hispania Nostra para la defensa del patrimonio. Notas Bibliografía Descargar Enlaces externos Municipios de la provincia de Palencia Localidades de la provincia de Palencia Tierra de Campos Partido de Frechilla
34,180
https://fr.wikipedia.org/wiki/Breuvages%20Bull%27s%20Head
Wikipedia
Open Web
CC-By-SA
2,023
Breuvages Bull's Head
https://fr.wikipedia.org/w/index.php?title=Breuvages Bull's Head&action=history
French
Spoken
140
227
Breuvages Bull's Head est une entreprise canadienne des Cantons-de-l'Est au Québec, qui produit et distribue principalement un « soda gingembre » ou « », dont la recette originale date de 1896. Historique C'est en 1896, que John Henry Bryant a créé le soda gingembre qui devint populaire surtout auprès de la population anglophone des Cantons-de-l'Est. L’entreprise est revendue dans les années 1970, puis arrête sa production dans les années 1980. Après avoir été rouverte une première fois par la famille O'Donnell de Richmond, en 1993, Breuvages Bull's Head est une nouvelle fois refondée en 2009 avec l'implication des frères Carl et Dominic Pearson, de Richmond et de Charles Martel de Sherbrooke. Références Lien externe Entreprise du secteur de l'alimentation ayant son siège au Québec Entreprise fondée en 1896 Entreprise fondée en 1993 Entreprise de boissons ayant son siège au Canada
1,543
https://stackoverflow.com/questions/2738447
StackExchange
Open Web
CC-By-SA
2,010
Stack Exchange
Charlie Tran, Remi, greg piatt, https://stackoverflow.com/users/5623753, https://stackoverflow.com/users/5623754, https://stackoverflow.com/users/5623755, https://stackoverflow.com/users/5628072, huawaii
English
Spoken
139
194
How do I make sure that there is always something selected in a Spark List? I have a spark list, which is based on a dataProvider. As the application runs, the data in the dataprovider can change, and also the dataProvider can be swapped for a different one What I need to do is make sure that something is always selected in the list (unless it is empty) You simply have to set the property requireSelection of your list instance to true. In MXML, it would be: <s:List id="myList" requireSelection="true"> After setting its data provider ( or whenever is changed ) you could do a: myList.selectedIndex = 0; , so whenever the is data on your list, its first item will be selected (it could be any index, just remember that it start from 0 to length - 1).
29,249
https://sq.wikipedia.org/wiki/Kali%20i%20detit
Wikipedia
Open Web
CC-By-SA
2,023
Kali i detit
https://sq.wikipedia.org/w/index.php?title=Kali i detit&action=history
Albanian
Spoken
294
717
Kali i detit është emri që u është dhënë 46 specieve të peshqve të vegjël detarë në gjininë Hippocampus. "Hippocampus" vjen nga greqishtja e lashtë hippokampos (ἱππόκαμπος hippókampos), nga hippos (ἵππος híppos) që do të thotë "kal" dhe kampos (κάμπος kámpos) që do të thotë "përbindësh deti". Kuajët e detit kanë përmasa nga 1.5 deri në 35.5 cm. Ata janë emëruar për pamjen e tyre të kuajve, me qafë të përkulur dhe koka të gjata të hundës dhe një feçkë dhe bisht të veçantë. Megjithëse janë peshq kockor, ata nuk kanë luspa, por më tepër lëkurë të hollë të shtrirë mbi një seri pllakash kockore, të cilat janë rregulluar në unaza në të gjithë trupat e tyre. Armatura e pllakave kockore gjithashtu i mbron ata nga grabitqarët, dhe për shkak të këtij skeleti të jashtëm, ata nuk kanë më brinjë. Kuajt e detit notojnë drejt, duke u shtyrë para duke përdorur pendën dorsale. Në mënyrë të pazakontë midis peshqve, një kalë deti ka një qafë fleksibël, të përcaktuar mirë. Ajo gjithashtu ka një kurriz ose brirë në kokë, e quajtur "coronet", e cila është e veçantë për secilën specie. Kuajt e detit notojnë shumë dobët, duke tundur me shpejtësi një pendë dorsale dhe duke përdorur pendë kraharori për të drejtuar. Peshku me lëvizjen më të ngadaltë në botë është H. zosterae (kali i detit xhuxh), me një shpejtësi maksimale prej rreth 1.5 m në orë. Meqenëse ata janë notarë të dobët, ka shumë të ngjarë të gjenden duke pushuar me plagën e tyre të bishtit prehensile rreth një objekti të palëvizshëm. Ata kanë hunda të gjata, të cilat i përdorin për të thithur ushqim dhe sytë e tyre mund të lëvizin të pavarur nga njëri-tjetri si ato të një kameleoni. Referime Peshq Kafshë deti
37,879
https://stackoverflow.com/questions/2804375
StackExchange
Open Web
CC-By-SA
2,010
Stack Exchange
Gautam Praveen, He.ZY, Mohammad Ak Mohammad, Ramesh Rooplahl, confusedKid, https://stackoverflow.com/users/277782, https://stackoverflow.com/users/5769112, https://stackoverflow.com/users/5769113, https://stackoverflow.com/users/5769114, https://stackoverflow.com/users/5769221, https://stackoverflow.com/users/5769302, morphix
English
Spoken
136
173
Android phones: how does the video out feature work? I'm searching for android phones that can use video out to the tv for a research project. I'm considering the HTC Touch Pro. Is there anything I have to do specifically to get the video out to work (for displaying my app on the tv)? or will the phone just display a running app on the tv without extra work? Thanks, I hope the post made sense =) HTC Touch Pro is not an android phone. As far as video out - Sprint upcoming EVO will have HDMI out connector. Oh haha. I just need a smartphone with a touch screen and video out capabilities through composite video. It looks like it will just work without any extra programming efforts on my part. Found out through youtubing.
8,785
https://olo.wikipedia.org/wiki/Vaimutj%C3%A4rvi
Wikipedia
Open Web
CC-By-SA
2,023
Vaimutjärvi
https://olo.wikipedia.org/w/index.php?title=Vaimutjärvi&action=history
Livvi-Karelian
Spoken
28
89
Vaimutjärvi on järvi, kudai on sijoitannuhes Karjalan tazavallan Priäžän piirin Vieljärven kyläkundah. Järven pinduala on 0,7 km². Järven pindu on 88,1 metrii korgiembi meren pindua. V V V
23,332
https://stackoverflow.com/questions/46130462
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
Maxim Shoustin, Naren Murali, Rijo, https://stackoverflow.com/users/1631379, https://stackoverflow.com/users/5387729, https://stackoverflow.com/users/5924562
English
Spoken
553
1,185
Angularjs expression is not working for ng-bind and {{ }} Angularjs addition is not working fro ng-bind and {{ }} but multiplication is working why? I have the following code shown below single_style.thread = 3; single_style.stiching = 5; and: 1) <td>{{single_style.thread + single_style.stiching}} </td> 2) <td>{{single_style.thread * single_style.stiching}}</td> 1) First i getting answer as 35 2) second i getting answer as 15 Even i use ng-bind its also not working why? How do you get 35? Even for old Angularjs versions it should work: http://plnkr.co/edit/w5YS2WhWkuZxb4z0c612?p=preview {{single_style.thread + single_style.stiching}} {{single_style.thread * single_style.stiching}} for this scenario value is not getting Update: The problem was as suggested, you were trying to add strings which resulted in concatenation, After further reading and this great SO post shown below. SO Answer which says Angular does not use JavaScript's eval() to evaluate expressions. Instead Angular's $parse service processes these expressions. Angular expressions do not have access to global variables like window, document or location. This restriction is intentional. It prevents accidental access to the global state – a common source of subtle bugs. So we can't use parseInt in angular brackets, we can either move the calculation inside a javascript function and call it from angular brackets. My Solution is, since (*) multiplication operator is doing type conversion, just multiply the variable by 1 so that you will get the same number and also convert the datatype to number. Then the calculation will be done as expected. Please let me know if this fixes your issue. The html will be as so. <td>{{single_style.thread*1 + single_style.stiching*1}} </td> Plunkr Demo I think in your scenario the variables are strings. The + works as two ways, as an addition operator for numbers and as a concatenation operator for strings, so in your question, the first scenario, the operator is working as a concatenator and appending 3 and 5 as 35, for your second case, I think multiply operator (*) is doing type conversion before performing operation thus the correct calculation takes place (15), whereas in the first case type conversion is not taking place! <td>{{parseInt(single_style.thread) + parseInt(single_style.stiching)}} </td> <td>{{parseInt(single_style.thread) * parseInt(single_style.stiching)}}</td> for parseInt i'm getting result for addition empty value but multiplication result as NaN @Rijo can you share a JSFiddle highlighting the issue? @Rijo Updated my answer! Nice answer and good hard work. I tried different way to get answer. But didn't get thanks.. I think we miss something in your example. + operator concatenates strings '3' and '5' when * converts to int and makes multiplication. The same thing will woek for - and / [EDIT] Modify your data before you render it: $scope.all_value = []; angular.forEach(data, function(item){ item.thread = parseFloat(item.thread); item.measure = parseFloat(item.measure); item.bulk_qty = parseFloat(item.bulk_qty); item.price = parseFloat(item.price); item.pack_charge = parseFloat(item.pack_charge); item.label = parseFloat(item.label); item.elastic = parseFloat(item.elastic); item.button = parseFloat(item.button); item.markt_price = parseFloat(item.markt_price); item.stiching = parseFloat(item.stiching); $scope.all_value.push(item); }) working example Demo working example $scope.single_style ={ thread: 3, stiching: 5 }; and: <p>{{single_style.thread + single_style.stiching}} </p> <p>{{single_style.thread * single_style.stiching}}</p> Output 8 15 Suppose your case when value is defined as string: $scope.single_style ={ thread: '3', stiching: '5' }; and: <p>{{single_style.thread + single_style.stiching}} </p> <p>{{single_style.thread * single_style.stiching}}</p> Output 35 15 Solution The better way is to convert string to int on controller level, a.e.: $scope.single_style ={ thread: parseInt('3'), stiching: parseInt('5') }; Demo @Rijo please fixyour demo before. It throws exceptions
30,476
https://stackoverflow.com/questions/54379961
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
Rory McCrossan, https://stackoverflow.com/users/519413
English
Spoken
132
218
jQuery replaceWith throws back error after adding jQuery mobile library I use this jQuery code to replace my HTML elements. $("input#img").replaceWith($("input#img").val('').clone(true)); This code works well but my problem is that when I include jQuery mobile 1.4.5 in to my HTML page I get this error in the console: Uncaught DOMExecption: Failed to execute 'replaceChild' on 'Node': The node to be replaced is not a child of this node. Does anyone know how I can overcome this error? What's the point of the code at all? You're replacing an element with itself after emptying the value...? Just empty the value and don't bother calling replaceWith() at all - it's completely redundant in this case. Try this: $("input#img").val(''); This will set the value to '' for the <input> element with id that is img.
19,555
https://zh.wikipedia.org/wiki/%E5%84%AA%E7%95%99%E5%96%AE%E4%BA%8E
Wikipedia
Open Web
CC-By-SA
2,023
優留單于
https://zh.wikipedia.org/w/index.php?title=優留單于&action=history
Chinese
Spoken
8
146
優留單于(?-87年),北匈奴單于。 生平 東漢章和元年(西元87年),鮮卑攻擊北匈奴並大敗之,還殺死了北匈奴優留單于,北匈奴大亂。在大亂中立其异母兄為單于。 參考 范曄《後漢書》 《资治通鉴》卷047 匈奴單于 87年逝世
18,756
https://ar.wikipedia.org/wiki/%D8%AA%D8%B1%D8%A7%D8%A8%D8%B7%20Y
Wikipedia
Open Web
CC-By-SA
2,023
ترابط Y
https://ar.wikipedia.org/w/index.php?title=ترابط Y&action=history
Arabic
Spoken
790
2,424
يصف ترابط Y السمات التي تنتجها الجينات الموجودة على كروموسوم Y. يُعرف أيضًا باسم الترابط الجنسي، أو الوراثة الذّكريّة الانتقال (وراثة مقتصرة على الذكور )، لأنها تحدث عند الذكور فقط. يمكن أن يكون من الصعب اكتشاف السمات المرتبطة ب Y. هذا لأن كروموسوم Y صغير ويحتوي على جينات أقل من الكروموسومات الجسمية أو كروموسوم X. ويقدر أنه يحتوي على حوالي 200 جين فقط. في وقت سابق، كان يُعتقد أن كروموسوم Y البشري ليس له أهمية تُذكر. كروموسوم Y يحدد الجنس في البشر وبعض الأنواع الأخرى: ليست كل الجينات التي تلعب دورًا في تحديد الجنس مرتبطة ب Y. بالإضافة إلى ذلك، لا يخضع كروموسوم Y بشكل عام لإعادة التركيب الجيني، كما أن المناطق الصغيرة التي تُسمى "Pseudoautosomal region" هي فقط من تخضع لإعادة التركيب. تقع غالبية جينات الكروموسوم واي التي لا تندمج مع بعضها البعض في المنطقة المُسماة " non-recombining region". لكي تُعتبر إحدى السمات مرتبطة بY، يجب أن تُظهِر السمة هذه الخصائص: تَحدث في الذكور فقط. تظهر في جميع أبناء الذكور الذين يحملون تلك الصفة. لا تظهر السمة في بنات الآباء المصابين بها؛ بل عوضاً عن ذلك، فإن الابنة طبيعية من الناحية الظاهرية والجينية ولا يتأثر نسلها. تم وضع هذه المتطلبات من قبل أحد العلماء الأوائل، (Curt Stern)، الذين اكتشفوا الترابط بY . في أبحاثه العلمية، نشر ستيرن بعض التفاصيل عن الجينات التي كان يشتبه في أنها مرتبطة بـ y. في البداية، جعلت هذه المتطلبات إثبات الارتباط بY عملية صعبة للغاية. في الخمسينيات من القرن الماضي باستخدام شجرة الأنساب، تم تحديد العديد من الجينات بشكل غير صحيح على أنها مرتبطة بـ Y. اعتمدت الأبحاث اللاحقة تقنيات أكثر تقدماً وتحليلًا إحصائيًا أكثر تعقيدًاً. على سبيل المثال، كان يُعتقد في البداية بأن الآذان المشعرة هي صفة مرتبط بـ Y في البشر؛ ومع ذلك، فإن هذه الفرضية فقدت مصداقيتها. بسبب التقدمات التي حصلت في مجال تسلسل الحمض النووي، أصبح الترابط Y أسهل في التحديد والإثبات.  يتم تعيين كروموسوم Y تقريبًا بالكامل، مما يكشف عن العديد من السمات المرتبطة بـ y. الترابط ب Y يختلف عن الترابط ب X؛ على الرغم من أن كلاهما يعتبر من أشكال الترابط الجنسي. يمكن للترابط ب X أن يكون وراثيًا أو جنسياً، في حين لا يمكن للترابط بY أن يكون إلا جينياً. وذلك لأن خلايا الذكور لديها نسخة واحدة فقط من كروموسوم Y. تحتوي كروموسومات X على نسختين، واحدة من كل والد تسمح بإعادة التركيب. يحتوي كروموسوم إكس على المزيد من الجينات وهو أكبر بكثير. لم يتم تأكيد بعض الحالات المرتبطة بY.  مثال واحد هو ضعف السمع. أحد الدراسات قامت بتتبع ضعف السمع في عائلة محددة وعلى مدى سبعة أجيال تأثر جميع الذكور بهذه الصفة. ومع ذلك، نادراً ما تحدث هذه الصفة ولم يتم حلها بالكامل. تعد عمليات حذف الكروموسوم Y سببًا وراثيًا متكررًا لعقم الرجال. الحيوانات في الجوبي: في أسماك الجوبي، تساعد الجينات المرتبطة بـ Y في تحديد الجنس.  يتم ذلك بشكل غير مباشر من خلال السمات التي تسمح للظهور بمظهر أكثر جاذبية للشريك المحتمل. تم إظهار هذه الصفات على الكروموسوم Y، وبالتالي فهي مرتبطة بـ Y. بالإضافة إلى ذلك في أسماك الجوبي، يبدو أن مقاييس النشاط الجنسي الأربعة مرتبطة بـ Y. في الجرذ: ارتفاع ضغط الدم، يبدو أنه مرتبط بـ Y في الفئران التي تعاني منه. كان الموقع الكروموسومي الأول جسمي. ومع ذلك، يبدو أن المكون الثاني مرتبط بـ Y. تبين هذا من خلال الجيل الثالث من الفئران. كانت ذرية الذكور من أب مصاب بارتفاع ضغط الدم أكثر بشكل ملحوظ من ذرية الذكور من أم مصابة بارتفاع ضغط الدم، مما يشير إلى أن هذه الصفة هي مرتبطة بY. وكانت النتائج ليست هي نفسها في الإناث كما هو الحال في الذكور، مما يدعم مرة أخرى أنه صفة مرتبطة ب Y. آذان مشعرة كان يعتقد أن الآذان المشعرة يمكن أن تكون صفة مرتبطة ب Y، ولكن هذا لم تثبت صحته. الجينات المعروفة في أنها محتواة في كروموسم واي عند الإنسان بشكل عام، تكون الصفات الموجودة على كروموسوم Y مرتبطة بـ Y لأنها تحدث فقط على هذا الكروموسوم ولا تتغير في إعادة التركيب. اعتبارًا من عام 2000، كان من المعروف أن عددًا من الجينات مرتبط بـ Y، بما في ذلك: ASMTY (أسيتيل سيروتونين ميثيل ترانسفيراز)، TSPY (بروتين خاص بالخصية)، IL3RAY (مستقبلات انترلوكين 3)، SRY (المنطقة التي تحدد الجنس)، TDF (عامل تحديد الخصية)، ZFY (بروتين إصبع الزنك)، PRKY (بروتين كيناز، مرتبط بـ Y)، AMGL (الأميلوجينين)، ANT3Y (مترجم النوكليوتيدات الأدينين- 3 على Y)، SOX21 (المعروف أنها تسبب الصلع)، AZF2 (عامل نقص الأزرنوسي 2)، BPY2 (البروتين الأساسي على كروموسوم Y)، AZF1 (عامل نقص الأزرنوسي 1)، DAZ (يتم حذف الحيوانات المنوية في azoospermia)، RBM1 (بروتين عزر ملزم RNA ، كروموسوم Y ، العائلة 1 ، العضو A1)، RBM2 (الحمض النووي الريبي بروتين عزر ملزمة 2)، و UTY (الجين TPR المكتوب في كل مكان على كروموسوم Y) . USP9Y AMELY انظر أيضاً ارتباط جيني ارتباط جنسي وراثة متنحية مرتبطة بـX وراثة سائدة مرتبطة بـX المراجع روابط خارجية الأمراض الوراثية المرتبطة بـ Y في wrongdiagnosis.com http://learn.genetics.utah.edu/content/pigeons/sexlinkage/ http://www.livestrong.com/article/74388-y-linked-genetic-diseases/ http://www.medicinenet.com/script/main/art.asp؟articlekey=15729 https://www.ncbi.nlm.nih.gov/books/NBK22266/#A296 http://learn.genetics.utah.edu/content/pigeons/geneticlinkage/ علم الوراثة علم الوراثة الكلاسيكي
9,368
https://stackoverflow.com/questions/41241912
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
Maltese
Spoken
127
455
PrestaShop, assign a supplier to a product I'm developing an import products cron. In my code I have: if ($supplier = Supplier::getIdByName(trim($prodotto['Supplier']['Name']))) { $product->id_supplier = (int)$supplier; } else { $supplier = new Supplier(); $supplier->name = $prodotto['Supplier']['Name']; $supplier->active = true; $supplier->add(); $product->id_supplier = (int)$supplier->id; $supplier->associateTo($product->id_shop_list); } The result is: product created supplier created product without supplier Where am I wrong? You have to add also a new ProductSupplier, after you saved te new product use this snippet of code (obviously, adapt it to your needs :)): // Product supplier if (isset($product->id_supplier) && property_exists($product, 'supplier_reference')) { $id_product_supplier = ProductSupplier::getIdByProductAndSupplier((int)$product->id, 0, (int)$product->id_supplier); if ($id_product_supplier) $product_supplier = new ProductSupplier((int)$id_product_supplier); else $product_supplier = new ProductSupplier(); $product_supplier->id_product = $product->id; $product_supplier->id_product_attribute = 0; $product_supplier->id_supplier = $product->id_supplier; $product_supplier->product_supplier_price_te = $product->wholesale_price; $product_supplier->product_supplier_reference = $product->supplier_reference; $product_supplier->save(); }
38,884
https://it.wikipedia.org/wiki/Unione%20Territoriale%20Intercomunale%20del%20Friuli%20Centrale
Wikipedia
Open Web
CC-By-SA
2,023
Unione Territoriale Intercomunale del Friuli Centrale
https://it.wikipedia.org/w/index.php?title=Unione Territoriale Intercomunale del Friuli Centrale&action=history
Italian
Spoken
69
135
L'Unione Territoriale Intercomunale del Friuli Centrale è stato un ente amministrativo e territoriale istituito nel 2016, contestualmente alla cessazione delle province della regione Friuli-Venezia Giulia. È stata soppressa nel 2020 ai sensi della legge regionale 21/2019. Occupa una posizione centrale all'interno della pianura friulana attorno al capoluogo Udine. (*) I comuni contrassegnati non hanno mai sottoscritto lo statuto della relativa unione terriroriale di appartenenza. Note Collegamenti esterni Friuli Centrale
33,064
https://kk.wikipedia.org/wiki/%D0%9F%D1%83%D1%82%D0%B8%D0%BD%20%D1%85%D1%83%D0%B9%D0%BB%D0%BE%21
Wikipedia
Open Web
CC-By-SA
2,023
Путин хуйло!
https://kk.wikipedia.org/w/index.php?title=Путин хуйло!&action=history
Kazakh
Spoken
76
354
Путин хуйло! (, ) — Ресей президенті Владимир Путин туралы украин халық әні. Украин төңкерісінен кейін Путиннің сол елге қатысты саясатына (2014 жылы Ресейдің Қырым мен оңтүстік-шығыс Украинадағы сепаратизмді қолдауына) байланысты пайда болған. Мәтіні: Путин хуйло!ла-ла-ла-ла-ла-ла-ла-лала-ла-ла-ла-ла-ла-ла-лала-ла-ла-ла-ла-ла-ла-ла Тарихы Ең бірінші рет 2014 жылы 30 наурызда Харьков қаласында «Металист» пен «Шахтер» футбол клубтарының кездесуінде орындалды. Дереккөздер Украин әндері Оңтүстік-шығыс Украинадағы (2014) наразылықтар Футбол жанкүйерлерінің әндері 2014 жылғы әндер Владимир Путин бұқаралық мәдениетте Путин туралы әндер Ресей саяси ұрандары
11,011
https://fi.wikipedia.org/wiki/Tanskan%20puolustusvoimat
Wikipedia
Open Web
CC-By-SA
2,023
Tanskan puolustusvoimat
https://fi.wikipedia.org/w/index.php?title=Tanskan puolustusvoimat&action=history
Finnish
Spoken
107
343
Tanskan puolustusvoimat () on Tanskan aseellisesta puolustuksesta vastaava viranomainen. Ne jakaantuvat maa-, meri- ja ilmavoimiin sekä kodinturvajoukkoihin (Hjemmeværnet). Tehtävät Tanskan asevoimien käyttötarkoitus ja tehtävät on määritelty 27. helmikuuta 2001 annetussa laissa No. 122, joka astui voimaan 1. maaliskuuta. Se määrittelee kolme käyttötarkoitusta ja kuusi tehtävää. Käyttötarkoituksina on ehkäistä konflikteja ja sotia, suojata valtiomuotoa, turvata maan olemassaolo jatkossa ja edistää rauhanomaista kehitystä maailmassa. Pääasialliset tehtävät ovat osallistuminen Naton toimintaan, tunnistaa ja torjua valtiomuotoa uhkaavat tekijät Tanskan alueella (mukaan lukien Grönlanti ja Färsaaret), puolustusyhteistyö Natoon kuulumattomien, erityisesti Keski- ja Itä-Euroopan maiden kanssa, kansainväliset rauhanturvaamistehtävät, kriisinhallinta, humanitääriset tehtävät, rauhanedistäminen, kokonaismaanpuolustus Tanskan siviilihallinnon kanssa sekä kulloisenkin tarpeen mukaisen sotilaallisen voiman ylläpito.
41,474
https://de.wikipedia.org/wiki/Stena%20Livia
Wikipedia
Open Web
CC-By-SA
2,023
Stena Livia
https://de.wikipedia.org/w/index.php?title=Stena Livia&action=history
German
Spoken
469
919
Die Stena Livia ist eine Ro-Pax-Fähre der schwedischen Stena Line. Geschichte Das Schiff wurde unter der Baunummer 220 auf der Werft Cantiere Navale Visentini in Porto Viro gebaut. Es ist ein Schiff des Typs NAOS P270 der in verschiedenen Ausführungen gebauten Visentini-Klasse. Die Kiellegung des Schiffes erfolgte am 4. Dezember 2006, die Fertigstellung am 1. September 2008. Das Schiff wurde zunächst von LD Lines zwischen Le Havre und Portsmouth sowie Le Havre und Rosslare eingesetzt. Von September 2009 bis Oktober 2011 fuhr das Schiff in Charter für Celtic Link Ferries, die es zwischen Cherbourg und Portsmouth sowie Cherbourg und Rosslare einsetzte. Anschließend fuhr das Schiff wieder für LD Lines. Im April 2012 wurde es an Stena RoRo Navigation verkauft. Ab März 2014 fuhr das Schiff als Etretat in Charter von Brittany Ferries auf den Strecken zwischen Portsmouth und Le Havre sowie Portsmouth und Santander. Der Chartervertrag endete im April 2021. Im April 2021 wurde das Schiff in Stena Livia umbenannt und nach Zypern umgeflaggt. Ab Mitte April 2021 bediente die Stena Livia die Route Nynäshamn–Ventspils, wo sie ihr Schwesterschiff Scottish Viking nach Auslaufen des Chartervertrags ersetzte. Im Sommer 2021 wurde sie durch die Stena Scandica ersetzt und auf die Route Travemünde–Liepāja verlegt. Im Februar 2023 wurde das Schiff unter die Flagge Dänemarks gebracht. Technische Daten und Ausstattung Der Antrieb des Schiffes erfolgt durch zwei Viertakt-Neunzylinder-Dieselmotoren des Herstellers MAN Diesel (Typ: 9L48/60B) mit jeweils 10.800 kW Leistung, die über Getriebe auf zwei Verstellpropeller wirken. Das Schiff erreicht eine Geschwindigkeit von 23,5 kn. Das Schiff ist mit zwei Bugstrahlrudern ausgestattet. Für die Stromerzeugung stehen drei Dieselgeneratoren mit jeweils 1.901 kW Leistung (2.376 kVA Scheinleistung) sowie ein Notgenerator mit 401 kW Leistung (501 kVA Scheinleistung) zur Verfügung. Das Schiff verfügt über 103 Passagierkabinen. Zusätzlich stehen fünf Kinderbetten zur Verfügung, die bei Bedarf in den Kabinen genutzt werden können. Neben den Kabinen stehen Ruhesessel für die Passagiere zur Verfügung. Die Passagierkabinen befinden sich auf Deck 6, die Ruhesessel ebenso wie die behindertengerechten Kabinen auf Deck 5. Hier befinden sich auch die sonstigen Einrichtungen für Passagiere, darunter Restaurant, Bar, Kino und Shop. Brittany Ferries betrieb das Schiff mit einer Kapazität von 375 Passagieren. An Bord standen auf der Strecke nach Le Havre 51 Ruhesessel und auf der Strecke nach Santander 20 Ruhesessel zur Verfügung. Stena Line gibt die Passagierkapazität der Fähre mit 880 Personen an. Auf den Ro-Ro-Decks finden 200 Pkw oder 95 Lkw Platz. Das Schiff verfügt über fünf Ro-Ro-Decks, die über Rampen miteinander verbunden sind. Die Ro-Ro-Decks können über eine Heckrampe (Deck 3) sowie eine landseitig nutzbare Rampe (Deck 4) be- und entladen werden. Das Ro-Ro-Deck auf Deck 5 ist ein offenes Deck hinter den Decksaufbauten. Weblinks Schiffsdaten, Stena Line , Brittany Ferries Etretat, Brittany Ferries Enthusiasts Etretat, Dover Ferry Photos Einzelnachweise Fähre Passagierschiff (Dänemark) Passagierschiff (Zypern) Motorschiff RoPax-Schiff Cantieri Navali Visentini
31,836
https://ko.wikipedia.org/wiki/%EC%95%8C%EB%A0%88%EC%8A%A4%ED%84%B0%20%28%EB%B9%84%EB%94%94%EC%98%A4%20%EA%B2%8C%EC%9E%84%29
Wikipedia
Open Web
CC-By-SA
2,023
알레스터 (비디오 게임)
https://ko.wikipedia.org/w/index.php?title=알레스터 (비디오 게임)&action=history
Korean
Spoken
161
795
《알레스터》는 컴파일이 제작한 1988년 종스크롤 진행형 슈팅 게임이다. 이후 시리즈로 발전한 《알레스터》 첫 번째 게임으로, 세가 마스터 시스템 플랫폼으로 개발돼 일본서 1988년 2월 29일 처음 출시됐다. 북미 및 유럽 지역에선 《파워 스트라이크》라는 제목으로 출시됐다. 배경은 첨단기술이 발달한 먼 미래의 지구로, 바이러스에 감염돼 인류를 절멸하려는 컴퓨터 디아 51에 대항해 레이몬드 와이젠이 '알레스터' 기체를 타고 전투에 임하는 이야기를 그렸다. 게임플레이상 컴파일의 이전 작품 《자낙 (1986)》과 유사하며 격추된 적들이 주는 P칩을 일정량 회수할 경우 무기가 강화되는 시스템을 채택했다. 1988년 7월, 컷신과 스테이지 2개가 추가된 MSX2 이식판이 출본에서만 출시됐다. 2004년, 스퀘어 에닉스가 개발한 자바 휴대전화용 모바일판이 유럽에서 출시됐다. 2008년에 Wii 버추얼 콘솔로 디지털 재발매됐다. 반응 세가 마스터 시스템판 《알레스터》는 대체적으로 긍정적인 평가를 받았다. 영국 잡지 〈컴퓨터 앤드 비디오 게임스〉는 1989년 10월호에서 86%를 매겼다. 1992년 〈콘솔 XS〉는 90%를 매겼다. 참조 내용주 각주 외부 링크 1988년 비디오 게임 컴파일의 게임 MSX2 게임 세가 마스터 시스템 게임 모바일 게임 버추얼 콘솔 게임 종스크롤 슈팅 게임 21세기를 배경으로 한 비디오 게임 일본의 비디오 게임 세가의 게임 스퀘어 에닉스 게임
11,601
https://stackoverflow.com/questions/46120480
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
English
Spoken
194
451
Error: Failed to convert property value of type java.lang.String to required type java.util.Date I know this has been asked a lot. But I tried all the solutions and still I'm unable to fix the issue. Entity.java (with getters and setters): @Temporal(TemporalType.DATE) private Date projectDate; EntityForm.java (with getters and setters): private Date projectDate; EntityJsp.jspx: <form:input id="project-projectDate" path="entityForm.projectDate" class="form-control datepickerDateFuture"/> My table Entity has projectDate column data type as date. i tried using @DateTimeFormat(pattern="MM/dd/yyyy") on Entity.java field. No difference.I am able to save it fine with datatype String and varchar. I want to save it as Date My environment is: Spring, Hibernate, jquery, SQL Server. The Error is: Failed to convert property value of type java.lang.String to required type java.util.Date for property entityForm.projectDate; nested exception is java.lang.IllegalArgumentException: Parse attempt failed for value [09/27/2017] Ok. So I figured out the problem. There were other date fields on the page to which I was binding the DateFormatter method in my Controller classs. @InitBinder public void initBinder(WebDataBinder binder) { binder.addCustomFormatter(new DateFormatter("MM/dd/yyyy HH:mm:ss")); } To fix it, I had to add another format, specifically for my field. @InitBinder public void initBinder(WebDataBinder binder) { binder.addCustomFormatter(new DateFormatter("MM/dd/yyyy HH:mm:ss")); binder.addCustomFormatter(new DateFormatter("MM/dd/yyyy","entityForm.projectDate" )); }
13,296
https://fy.wikipedia.org/wiki/Suffeet
Wikipedia
Open Web
CC-By-SA
2,023
Suffeet
https://fy.wikipedia.org/w/index.php?title=Suffeet&action=history
West Frisian
Spoken
202
473
In suffeet wie ien fan twa heechste magistraten yn de Fenisyske stêden lykas Tyrus en benammen yn Noard-Afrika yn de Punyske stêdsteat Kartago. Namme It wurd "suffeet" komt fan de Semityske woartel "TPT". It Punyske begryp špṭ, útsprutsen as šophet of šuphet, komt oerien mei it Hebriuwske schofet dat "rjochter" betsjut. De Latynske útspraak is su(f)fes, meartal su(f)fetes en yn it Gryksk βασιλεύς. Fenisysk Yn de ferskate Fenisyske stêdsteaten oan de kust fan it hjoeddeistige Libanon en Syrje en yn de Punyske koloanjes yn it westlike Middellânske Seegebiet, wêrûnder Kartago, wie in suffeet in net-keninklike magistraat dy't it bestjoer oer de stêdsteat late, dat te ferlykjen wie mei in Romeinske konsul. In konsul en in suffeet tsjinnen beide ien jier yn in twamanskip. Punysk De ferantwurdlikens fan in Kartaachske suffeet wie it foarsitten fan de senaat en de folksgearkomste en it tsjinjen as in rjochter. Harren oantal, termyn en machten kamen aardich oerien mei dy fan in Romeinske konsul, allinnich in suffeet hie gjin macht oer it leger, itjinge de Romeinske konsul wol hie. De suffeet wie lykwols net de steatshaad fan it Kartaachske Ryk. Letter krigen de Kartaachske koloanjes harren eigen suffeten en ûntstie der in hiërargy fan suffeten. Kartago Fenysjers
49,445
https://sl.wikipedia.org/wiki/Sakura%20Haruno
Wikipedia
Open Web
CC-By-SA
2,023
Sakura Haruno
https://sl.wikipedia.org/w/index.php?title=Sakura Haruno&action=history
Slovenian
Spoken
103
249
(春野 サクラ, Haruno Sakura) je izmišljen lik v manga in anime seriji Naruto, ki jo je ustvaril Masashi Kishimoto. Sakura je kunoichi iz Mesta listov (Konohagakure). Je članica Teama 7, ki ga sestavljajo ona, Naruto Uzumaki, Sasuke Uchiha, in njihov sensei Kakashi Hatake. Sakura je sprva zagledana v Sasukeja, pohvali ga namreč ob vsaki priložnosti, in prezirljiva do manj nadarjenega člana svojega teama Naruta. Skozi serijo počasi izgublja ta začetni odnos in postaja vse bolj hvaležna in sprejemajoča glede Naruta. Sakura se pojavlja v več Naruto medijih, vključno z devetimi filmi, v seriji, vseh originalnih videoanimacijah in več video igrah. Literarni liki Naruto
39,565
https://fr.wikipedia.org/wiki/Shanlin
Wikipedia
Open Web
CC-By-SA
2,023
Shanlin
https://fr.wikipedia.org/w/index.php?title=Shanlin&action=history
French
Spoken
153
242
Shanlin (山林, « montagne et forêt ») est un terme chinois utilisé pour désigner les bandits de Mandchourie, depuis l'époque de la dynastie Qing, parce qu'ils avaient une extraordinaire connaissance des montagnes et des forêts locales. La plupart opéraient dans des petits districts et prenaient garde à préserver la bonne santé financière des paysans locaux. Les troupes du gouvernement essayèrent de les éliminer plusieurs fois avec de grandes difficultés. Après la fondation de la république de Chine en 1912, ils furent souvent recrutés comme soldats pour mettre fin à leur carrière de bandit. Le terme était couramment utilisé pour les armées de volontaires anti-japonaises qui résistèrent à l'invasion japonaise de la Mandchourie durant la guerre sino-japonaise (1937-1945). Certains ne fuirent pas après la défaite des armées et combattirent dans des petites unités de guérilla, également appelées shanlin. Références The volunteer armies of northeast China Histoire militaire de la Chine Armées de volontaires anti-japonaises
40,690
https://ru.wikipedia.org/wiki/%D0%93%D0%B0%D0%BF%D0%BB%D0%BE%D0%B3%D1%80%D1%83%D0%BF%D0%BF%D0%B0%20O2a%20%28Y-%D0%94%D0%9D%D0%9A%29
Wikipedia
Open Web
CC-By-SA
2,023
Гаплогруппа O2a (Y-ДНК)
https://ru.wikipedia.org/w/index.php?title=Гаплогруппа O2a (Y-ДНК)&action=history
Russian
Spoken
309
969
Гаплогруппа O2a — Y-хромосомная гаплогруппа. Предок — гаплогруппа O2. Распространение Гаплогруппа O2a распространена по всей Азии — от Алтая и Центральной Азии до южной Индии на западе и от северного Китая и Японии до Индонезии на востоке. На границах области распространения встречается очень редко — примерно в 1 % случаев, а на промежуточных территориях (Юго-Восточная Азия, южный Китай) распространена более широко. Она преобладает у народов австроазиатской семьи, таких как кхмеры в Камбодже и кхаси в индийской Мегхалае. У них она встречается примерно в половине случаев. В меньшем количестве у них присутствуют также гаплогруппы O3 и O1a. Кроме того, у некоторых австроазиатских народов, как млабри в Таиланде, манг во Вьетнаме, населения Никобарских островов и джуанг в Индии O2a является единственной. Это свидетельствует о том, что предки австроазиатов были, главным образом, носителями гаплогруппы O2a. Гаплогруппа O2a также типична для носителей тай-кадайских языков в Таиланде и окрестностях, что может свидетельствовать об ассимиляции ими мон-кхмерского населения. Также она распространена среди населения островов Суматра, Ява, Бали и Калимантан. У балийцев O2a достигает 59 % (323/551); тогда как типичные для австронезийцев (кроме Малайзии и Индонезии) O1a и O3 — всего лишь 18 % (100/551) и 7 % (38/551). Также O2a была обнаружена у малайцев Сингапура. Причина распространения нетипичной для австронезийцев гаплогруппы O2a у этих народов неизвестна. Палеогенетика У неолитического образца Vt77 (ок. 2650 л. н.) из Вьетнама определён субклад O2a2b1a2a1. Дерево подгрупп Согласно дереву ISOGG 2006, O2a включает несколько подгрупп. O2a (M95) Типична для носителей австроазиатских, тай-кадайских языков, малайцев, индонезийцев и малагасийцев, имеет ограниченное распространение по всей Южной, Юго-Восточной, Восточной и Центральной Азии. O2a* O2a1 (M88, M111) Часто встречается у хани, шэ, тайцев, камбоджийцев и вьетнамцев, реже — у цян, ли, мяо, яо, тайваньских аборигенов, населения Калимантана,, а также у этнических китайцев из провинций Сычуань, Гуанси, Гуандун. O2a1* O2a1a (PK4) Обнаружена у некоторых пуштунов, тхару, и индийских аборигенов из Андхра-Прадеш. O2a2 (M297) Примечания Литература O2a
3,103
https://hu.wikipedia.org/wiki/Sportsmans%20Park
Wikipedia
Open Web
CC-By-SA
2,023
Sportsmans Park
https://hu.wikipedia.org/w/index.php?title=Sportsmans Park&action=history
Hungarian
Spoken
31
92
Sportsman Park az Amerikai Egyesült Államok északnyugati részén, Oregon állam Wasco megyéjében elhelyezkedő statisztikai település. A 2020. évi népszámlálási adatok alapján 76 lakosa van. Jegyzetek További információk HomeTownLocator Wasco megye települései
16,348
https://hy.wikipedia.org/wiki/%D4%BF%D5%A1%D5%BD%D5%AF%D5%AB%20%28%D5%A3%D5%B5%D5%B8%D6%82%D5%B2%2C%20%D5%84%D5%B8%D5%B6%D5%A1%D5%BD%D5%BF%D5%AB%D6%80%D5%B7%D5%B9%D5%AB%D5%B6%D5%BD%D5%AF%D5%AB%20%D5%B7%D6%80%D5%BB%D5%A1%D5%B6%29
Wikipedia
Open Web
CC-By-SA
2,023
Կասկի (գյուղ, Մոնաստիրշչինսկի շրջան)
https://hy.wikipedia.org/w/index.php?title=Կասկի (գյուղ, Մոնաստիրշչինսկի շրջան)&action=history
Armenian
Spoken
34
200
Կասկի (), գյուղ Ռուսաստանի Սմոլենսկի մարզի Մոնաստիրշչինսկի շրջանի կազմում։ Բնակչությունը 2007 թվականին գրանցված տվյալներով կազմում էր 0 մարդ։ Ծանոթագրություններ Արտաքին հղումներ Ռուսաստանի ժամային գոտիները, worldtimezone.com կայքում Ռուսաստանի գյուղեր Ռուսաստանի Սմոլենսկի մարզի Մոնաստիրշչինսկի շրջանի բնակավայրեր
14,585
https://nl.wikipedia.org/wiki/Sithon%20kamorta
Wikipedia
Open Web
CC-By-SA
2,023
Sithon kamorta
https://nl.wikipedia.org/w/index.php?title=Sithon kamorta&action=history
Dutch
Spoken
28
43
Sithon kamorta is een vlinder uit de familie van de Lycaenidae. De wetenschappelijke naam van de soort is voor het eerst geldig gepubliceerd in 1862 door Felder. kamorta
15,270
https://gaming.stackexchange.com/questions/348579
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
Dulkan, GameLikeBeaker, Xander, https://gaming.stackexchange.com/users/125514, https://gaming.stackexchange.com/users/138790, https://gaming.stackexchange.com/users/197485, https://gaming.stackexchange.com/users/91583, nightsurfer
English
Spoken
381
526
Running Low on Limestone Of all the building materials available in Elder Scrolls Blades, I seem to be always running low on limestone. I've got a veritable boon of lumber and iron, but when it comes to limestone, I'm always waiting around to get some. How can I efficiently earn/find limestone? Should I keep doing Jobs, waiting for one that eventually provides +7-10 limestone as a reward? In the end of the day, the game is a freemium and they need to make money somehow and they decided to limit Limestone so you either grind or buy material packs with real money. But to answer your question, there's no sure-fire way, you just have to pray you get jobs that give Limestone. You probably already know this but Limestone drops from Wooden Chests, from Vases and Skeletons during Jobs. It's free to play, not freeware. Freeware implies the game is completely free and never asks for monex. @Dulkan Meant to write freemium, edited my post. Something to note, this is for all resources, not just limestone. But, once you can build the workshop (town level 3), you have yet another random source that you can purchase from. Don't forget the daily reward also, this also has a chance to give resources. (And.. the Abyss to get chests) @GameLikeBeaker If you want to make that an answer, you should. I ended up doing enough quests with a limestone reward to build the Workshop, which sells the resources you need. Xander your answer is still good though! @Kaizerwolf done! I really love this game, can't wait to see more @GameLikeBeaker That's right, I saw your comment just now sadly but you could just have edited that into my reply To extend on Xander's answer: You can also build the workshop after your town has reached level 3. The workshop will provide a random set of materials that you can buy for a price. Since gold is easier to get than materials, this is also a good way to stock up. As you level up your workshop more items will become available for purchase. You also have the daily reward that gives chests and resources. Not only that but you get rewards from doing the abyss. I've seen limestone, copper, iron, chests and more.
7,579
https://physics.stackexchange.com/questions/800330
StackExchange
Open Web
CC-By-SA
null
Stack Exchange
Confuse-ray30, Qmechanic, Quantum Mechanic, https://physics.stackexchange.com/users/2451, https://physics.stackexchange.com/users/291677, https://physics.stackexchange.com/users/391686
English
Spoken
256
396
Classical mechanics: Hamiltonian perturbation theory. What if the perturbing parameter is < 0? In Hamiltonian Perturbation theory, we have a Hamiltonian of the form $$H(q,p) = H_0(q,p) + \lambda H_1(q,p).$$ One proceeds by expanding the equations of motion in powers of $\lambda$, assuming $\lambda \ll 1$. These expansions rely on derivatives like $\frac{dp}{d\lambda}$, evaluated at $\lambda = 0$. My question is this: suppose for the perturbing Hamiltonian it only makes sense if $\lambda$ is greater than or equal to 0. Isn't the derivative at zero therefore undefined? I.e., negative lambda is unphysical for the Hamiltonian system of interest (i.e., a gravitating system for which $H_1$ is the potential, and $\lambda < 0$ behaves as if there is negative mass). Are perturbative methods still valid? I don't think one typically takes derivatives of $p$ or $q$ with respect to $\lambda$ - the only functional dependence of anything on $\lambda$ is the linear dependence in $H$, so there shouldn't be any problems at $\lambda=0$ from either side. Maybe you want to ask: is there a way to constrain perturbation theory to make the derivative undefined at $\lambda=0$ or make the system unphysical at $\lambda<0$? Analytic continuation and "hope for the best" (in all seriousness though, the expansion w.r.t. your parameter does not rely on physical principles. Even if e.g. imaginary time doesnt make sense, we still like to use it. And so is a negative mass) It makes sense as a formal perturbative series in $\lambda$. Convergence is another matter. Do you have a specific Hamiltonian in mind?
14,172
https://fr.wikipedia.org/wiki/Misefari
Wikipedia
Open Web
CC-By-SA
2,023
Misefari
https://fr.wikipedia.org/w/index.php?title=Misefari&action=history
French
Spoken
64
130
Misefari est un patronyme italien relativement rare et surtout présent dans le sud de l'Italie, dans la province de Reggio de Calabre. Il est notamment porté par une fratrie célèbre de trois frères nés à Palizzi : Bruno Misefari (1892-1936), philosophe, poète et ingénieur anarchiste. Enzo Misefari (1899-1993), homme politique, syndicaliste et historien communiste. Ottavio Misefari (1909-1999), footballeur, entraineur et dirigeant sportif. Patronyme italien
21,382
https://hi.wikipedia.org/wiki/%E0%A4%AE%E0%A5%81%E0%A4%B8%E0%A4%A8%E0%A4%A6%20%E0%A4%87%E0%A4%AE%E0%A4%BE%E0%A4%AE%20%E0%A4%85%E0%A4%B9%E0%A4%AE%E0%A4%A6%20%E0%A4%AC%E0%A4%BF%E0%A4%A8%20%E0%A4%B9%E0%A4%A8%E0%A4%AC%E0%A4%B2
Wikipedia
Open Web
CC-By-SA
2,023
मुसनद इमाम अहमद बिन हनबल
https://hi.wikipedia.org/w/index.php?title=मुसनद इमाम अहमद बिन हनबल&action=history
Hindi
Spoken
214
1,062
मुसनद इमाम अहमद बिन हनबल (अंग्रेज़ी:Musnad Ahmad ibn Hanbal) हदीस की अरबी भाषा में पुस्तक है। जिसे अहमद बिन हंबल ने इस पुस्तक को एक मसौदे के रूप में छोड़ दिया था। जिसमें लगभग बयालीस हजार हदीस शामिल हैं। 16 साल की उम्र से उन्होंने इस उद्देश्य के लिए भरोसेमंद कथाकारों और विश्वसनीय कथाकारों से हदीसों को इकट्ठा करना शुरू कर दिया और अपने जीवन के अंत (2 अगस्त 855) तक करते रहे। उनकी मृत्यु के बाद, उनके बेटे अब्दुल्ला और उनके छात्र अबू बक्र अल-काति ने की सहायता से पुस्तक प्रकाशित हुई थी। सुन्नी इस्लाम की कुतुब अल-सित्ताह -सहाह सत्ता (छह प्रमुख हदीस संग्रह) के साथ इसे भी महत्वपूर्ण माना जाता है। अन्य भाषाओं में भी इसका अनुवाद हुआ। हदीस-संग्रह हदीस के निम्नलिखित छः विश्वसनीय संग्रह हैं जिनमें 29,578 हदीसें संग्रहित हैं : सहीह बुख़ारी : संग्रहकर्ता—अबू अब्दुल्लाह मुहम्मद-बिन-इस्माईल बुख़ारी, हदीसों की संख्या—7225 सहीह मुस्लिम : संग्रहकर्ता—अबुल-हुसैन मुस्लिम बिन अल-हज्जाज, हदीसों की संख्या—4000 जामी अत-तिर्मिज़ी : संग्रहकर्ता—अबू ईसा मुहम्मद बिन ईसा तिर्मिज़ी, हदीसों की संख्या—3891 सुनन अबू दाऊद : संग्रहकर्ता—अबू दाऊद सुलैमान बिन अशअस सजिस्तानी, हदीसों की संख्या—4800 सुनन अन-नसाई : संग्रहकर्ता—अबू अब्दुर्रहमान बिन शुऐब ख़ुरासानी, हदीसों की संख्या—5662 सुनन इब्ने माजह : संग्रहकर्ता—मुहम्मद बिन यज़ीद बिन माजह, हदीसों की संख्या—4000 यह भी देखें हदीस कुतुब अल-सित्ताह हदीस की शब्दावली संदर्भ हदीस पुस्तकें
5,530
https://nl.wikipedia.org/wiki/Doxocopa%20mentas
Wikipedia
Open Web
CC-By-SA
2,023
Doxocopa mentas
https://nl.wikipedia.org/w/index.php?title=Doxocopa mentas&action=history
Dutch
Spoken
30
49
Doxocopa mentas is een vlinder uit de familie van de Nymphalidae. De wetenschappelijke naam van de soort is voor het eerst geldig gepubliceerd in 1870 door Jean Baptiste Boisduval. Apaturinae
9,878
https://stackoverflow.com/questions/51084916
StackExchange
Open Web
CC-By-SA
2,018
Stack Exchange
Jeremy Kahan, S.Huston, https://stackoverflow.com/users/2718402, https://stackoverflow.com/users/6656050
Norwegian Nynorsk
Spoken
301
573
how to match array in protractor Spec.js file : it('validate return-comparison local filters names',function(){ var namesArray1 = ['Returns Comparison', 'Financials','Quality','Top','10'] for (var i = 0; i < 5; i++) { expect(element.all(by.css('.return-comparison .return-comparison-topbar')).get(i).getText()).toBe(namesArray[i]) } }) output: message: Expected 'Returns Comparison Financials Quality Top 10' to be 'Returns Comparison'. Message: Failed: Index out of bound. Trying to access element at index: 1, but there are only 1 elements that match locator By(css selector, .return-comparison .retu rn-comparison-topbar) How can i compare ? The css you're trying to search on is only returning 1 element. Have you investigated if you're getting the elements back that you're expecting? Like @S.Huston suggested, there is just 1 element, in the 0th place in your array, that contains all the text. It is not an array of string elements, at least not the way you are looking at it. So instead, you could do: it('validate return-comparison local filters names',function(){ var namesArray1 = ['Returns Comparison', 'Financials','Quality','Top','10'] for (var i = 0; i < 5; i++) { expect(element(by.css('.return-comparison .return-comparison-topbar')).getText()).toContain(namesArray[i]) } }) If you are worried about the order in which they show up, and that only they show up, you could lose the loop and just do .toBe('Returns Comparison Financials Quality Top 10' ). Or if you want to keep close to your original idea, still get rid of .all and then do something like .getText().then(function(text){var partsOfStr = text.split(' ');}); and then compare partsOfStr and your array element by element with expect and .toBe You are welcome. Please be aware (I got burned by this) that where you have a string from getText, toContain checks for a substring. But if do getText on multiple elements (at once) that came from elements.all , getText, then that returns an array of strings and toContain checks yours is one of them in its entirety.
5,259
https://stackoverflow.com/questions/3699932
StackExchange
Open Web
CC-By-SA
2,010
Stack Exchange
Bjorn Eenhoorn, Hossam Hassan Khattab, Mahmoud Ghabbour, Nabeel Siddiqui, Veliko Kosev, Vida K, fabrik, https://stackoverflow.com/users/152422, https://stackoverflow.com/users/7741341, https://stackoverflow.com/users/7741342, https://stackoverflow.com/users/7741343, https://stackoverflow.com/users/7741424, https://stackoverflow.com/users/7741425, https://stackoverflow.com/users/7741453, https://stackoverflow.com/users/7746403, ssh724
English
Spoken
62
172
Dynamic URLs in CodeIgniter? How to get URLs like /user/bob user/martin dynamically in CodeIgniter? http://codeigniter.com/user_guide/general/routing.html You need to set up custom routing for the controller in application/config/routes.php, e.g. $route['user/(:any)'] = "user/user_controller_method/$1"; you should use the $route['user/(:any)'] = "user/user_controller_method/$1"; as James suggested, and then define the funcion on the user controller: function user_controller_method($username) { // ... $username should be the url param }
10,245
https://ceb.wikipedia.org/wiki/Patelloida%20lentiginosa
Wikipedia
Open Web
CC-By-SA
2,023
Patelloida lentiginosa
https://ceb.wikipedia.org/w/index.php?title=Patelloida lentiginosa&action=history
Cebuano
Spoken
42
78
Kaliwatan sa dawhilahila ang Patelloida lentiginosa. Una ning gihulagway ni Lovell Augustus Reeve ni adtong 1855. Ang Patelloida lentiginosa sakop sa kahenera nga Patelloida, ug kabanay nga Lottiidae. Walay nalista nga matang nga sama niini. Ang mga gi basihan niini Dawhilahila Patelloida
39,755
https://sat.wikipedia.org/wiki/%E1%B1%AF%E1%B1%9A%E1%B1%B2%E1%B1%9F%E1%B1%AD%E1%B1%9F%E1%B1%A6%E1%B1%9F%E1%B1%B4
Wikipedia
Open Web
CC-By-SA
2,023
ᱯᱚᱲᱟᱭᱟᱦᱟᱴ
https://sat.wikipedia.org/w/index.php?title=ᱯᱚᱲᱟᱭᱟᱦᱟᱴ&action=history
Santali
Spoken
181
1,985
ᱯᱚᱲᱟᱭᱟᱦᱟᱴ ᱫᱚ ᱥᱤᱧᱚᱛᱤᱭᱟᱹ ᱯᱚᱱᱚᱛ ᱡᱷᱟᱨᱠᱷᱚᱸᱰ ᱯᱚᱱᱚᱛ‌ ᱜᱚᱰᱰᱟ ᱦᱚᱱᱚᱛ ᱨᱮᱱᱟᱜ ᱯᱚᱲᱟᱭᱟᱦᱟᱴ ᱥᱟᱶᱛᱟ ᱩᱛᱱᱟᱹᱣ ᱵᱚᱱᱚᱛ ᱨᱮᱱᱟᱜ ᱢᱤᱫ ᱥᱚᱦᱚᱨ ᱠᱟᱱᱟ᱾ ᱚᱛᱱᱚᱜ ᱴᱷᱟᱶ ᱯᱚᱲᱟᱭᱟᱦᱟᱴ ᱫᱚ ᱵᱤᱦᱟᱨ ᱟᱨ ᱡᱷᱟᱨᱠᱷᱚᱸᱰ ᱯᱚᱱᱚᱛ ᱨᱮᱱᱟᱜ ᱮᱛᱚᱢᱼᱥᱟᱢᱟᱝ ᱥᱤᱢᱟᱹ ᱨᱮ ᱢᱮᱱᱟᱜ ᱢᱤᱫ ᱥᱚᱦᱚᱨ ᱠᱟᱱᱟ᱾ ᱯᱚᱲᱟᱭᱚᱦᱟᱴ ᱨᱮᱭᱟᱜ ᱮᱨᱤᱭᱟ ᱫᱚ ᱦᱩᱭᱩᱜ ᱠᱟᱱᱟ ᱔᱘᱗ ᱦᱮᱠᱴᱚᱨ (᱑᱒᱐᱐ ᱮᱠᱚᱨ)᱾ ᱢᱤᱫ ᱧᱮᱱᱮᱞ ᱨᱟᱡᱽᱢᱚᱦᱚᱞ ᱵᱩᱨᱩ ᱫᱚ ᱜᱟᱝᱜᱟ ᱫᱷᱟᱨᱮ ᱠᱷᱚᱱ ᱮᱛᱚᱢ ᱠᱷᱚᱱ ᱠᱚᱧᱫ ᱱᱟᱠᱷᱟ ᱨᱮ ᱢᱮᱱᱟᱜ ᱫᱩᱢᱠᱟᱹ ᱦᱚᱱᱚᱛ ᱫᱷᱟᱹᱨᱤᱡ ᱯᱟᱨᱚᱢᱚᱜᱼᱟ᱾ ᱡᱚᱛᱚ ᱴᱚᱴᱷᱟ ᱜᱮ ᱟᱹᱛᱩ ᱴᱚᱴᱷᱟ ᱠᱟᱱᱟ, ᱱᱚᱸᱰᱮ ᱟᱹᱰᱤ ᱠᱚᱢ ᱵᱟᱡᱟᱨ ᱠᱚ ᱢᱮᱱᱟᱜᱼᱟ᱾ ᱰᱮᱢᱚᱜᱽᱨᱟᱯᱷᱤ ᱥᱤᱧᱚᱛ ᱨᱮᱱᱟᱜ ᱒᱐᱑᱑ ᱨᱮᱱᱟᱜ ᱦᱚᱲ ᱞᱮᱠᱷᱟ ᱡᱚᱠᱷᱟ ᱞᱮᱠᱟᱛᱮ, ᱯᱚᱲᱟᱭᱟᱦᱟᱴ ᱨᱮ ᱖,᱓᱑᱙ ᱦᱚᱲ ᱠᱚ ᱛᱟᱦᱮᱸ ᱠᱟᱱᱟ, ᱚᱱᱟ ᱢᱩᱸᱫᱽ ᱠᱷᱚᱱ ᱓,᱒᱙᱖ (᱕᱒%) ᱠᱚᱲᱟ ᱟᱨ ᱓,᱐᱒᱓ (᱔᱘%) ᱠᱩᱲᱤ ᱠᱚ ᱛᱟᱦᱮᱸ ᱠᱟᱱᱟ᱾ ᱘᱗᱖ ᱦᱚᱲ ᱐-᱖ ᱥᱮᱨᱢᱟ ᱩᱢᱮᱨ ᱨᱮ ᱠᱚ ᱛᱟᱦᱮᱸ ᱠᱟᱱᱟ᱾ ᱯᱚᱲᱟᱭᱟᱦᱟᱴ ᱨᱮ ᱚᱞ ᱯᱟᱲᱦᱟᱣ ᱟᱠᱟᱱ ᱦᱚᱲ ᱠᱚᱣᱟᱜ ᱜᱩᱴ ᱞᱮᱠᱷᱟ ᱫᱚ ᱔,᱑᱐᱖ (ᱥᱮᱪᱮᱫ ᱥᱮᱨᱢᱟ ᱠᱷᱚᱱ ᱵᱟᱲᱛᱤ ᱦᱚᱲ ᱠᱚᱣᱟᱜ ᱗᱕.᱔᱔%)᱾ ᱦᱮᱡ ᱥᱮᱱ ᱫᱮᱣᱜᱷᱚᱨ-ᱜᱳᱰᱰᱟ-ᱯᱤᱨᱯᱟᱭᱛᱤ NH ᱑᱓᱓ ᱯᱚᱲᱟᱭᱟᱦᱟᱴ ᱥᱮᱫ ᱜᱮ ᱛᱟᱵ ᱪᱟᱞᱟᱜᱼᱟ ᱟᱨ ᱯᱤᱨᱯᱟᱭᱛᱤ ᱨᱮ ᱯᱷᱟᱨᱟᱠᱷᱟ-ᱟᱨᱣᱟᱞ NH ᱓᱓ ᱥᱟᱶ ᱡᱚᱲᱟᱣᱜᱼᱟ᱾ ᱓᱐ ᱠᱤᱞᱚᱢᱤᱴᱚᱨ ᱦᱟᱸᱥᱰᱤᱦᱟ-ᱜᱳᱰᱰᱟ ᱨᱮᱞ, ᱥᱟᱢᱟᱝ ᱨᱮᱞᱣᱮ ᱨᱮᱱᱟᱜ ᱢᱤᱫ ᱦᱟᱹᱴᱤᱧ, ᱯᱚᱲᱟᱭᱟᱦᱟᱴ ᱥᱮᱫ ᱛᱮ ᱯᱟᱨᱚᱢ ᱪᱟᱞᱟᱣ ᱟᱠᱟᱱᱟ᱾ ᱵᱟᱨᱦᱮ ᱡᱚᱱᱚᱲ ᱜᱚᱰᱰᱟ ᱦᱚᱱᱚᱛ ᱡᱷᱟᱨᱠᱷᱚᱸᱰ ᱥᱟᱱᱛᱟᱲ ᱯᱟᱨᱜᱟᱱᱟ ᱡᱷᱟᱨᱠᱷᱚᱸᱰ ᱨᱮᱱᱟᱜ ᱥᱚᱦᱚᱨ ᱜᱚᱰᱰᱟ ᱦᱚᱱᱚᱛ ᱨᱮᱱᱟᱜ ᱥᱚᱦᱚᱨ ᱥᱟᱱᱛᱟᱲ ᱯᱟᱨᱜᱟᱱᱟ ᱨᱮᱱᱟᱜ ᱥᱚᱦᱚᱨ ᱥᱟᱹᱠᱷᱭᱟᱹᱛ
4,742
https://ht.wikipedia.org/wiki/Nadia%20Far%C3%A8s
Wikipedia
Open Web
CC-By-SA
2,023
Nadia Farès
https://ht.wikipedia.org/w/index.php?title=Nadia Farès&action=history
Haitian Creole
Spoken
379
691
Nadia Farès, ki fèt 20 desanm 1968 nan Marrakech (Mawòk), se yon aktris fransèz. Biyografi Zèv li yo Fim 1993 : Les Amies de ma femme de Didier Van Cauwelaert : Béatrice de Mennoux 1994 : Elles n'oublient jamais de Christopher Frank : Angela 1995 : Policier de Giulio Base : Stella 1995 : Dis-moi oui d'Alexandre Arcady : Florence 11996 : Hommes, femmes, mode d'emploi de Claude Lelouch : nouvo sekretè Blanc 1997 : Les Démons de Jésus de Bernie Bonvoisin : Marie 1997 : Sous les pieds des femmes de Rachida Krim : Fouzia 1998 : Les Grandes Bouches de Bernie Bonvoisin : Esther 1999 : Le Château des singes de Jean-François Laguionie : vwa Gina 2000 : Les Rivières pourpres de Mathieu Kassovitz : Fanny Ferreira 2002 : Coup franc indirect de Youcef Hamidi 2002 : Nid de guêpes de Florent Emilio Siri : Hélène Laborie 2002 : Le Mal de vivre de Jean-Michel Pascal : Sandrine 2004 : Pour le plaisir de Dominique Deruddere : Julie, madanm François 2005 : L'Ex-femme de ma vie de Josiane Balasko : Ariane 2007 : Rogue : L'Ultime Affrontement (War) de Philip G. Atwell : ajan Jade 2007 : Storm Warning (ou Insane) de Jamie Blanks : Pia 2017 : Chacun sa vie de Claude Lelouch : Nadia, jounalis 2019 : Lucky Day de Roger Avary : Lolita Fim televizyon 1992 : Le Second Voyage de Jean-Jacques Goron : Yasmina 1995 : Le Cavalier des nuages de Gilles Béhat : Melka 1996 : Flairs ennemis de Robin Davis : Karen 2001 : Collection Combats de femme, L'Enfant de la nuit de Marian Handwerker : Eva 2006 : L'Empire du Tigre de Gérard Marx : Gabrielle Seri televizyon 1990 : Navarro : Sara 1991 : L'Exilé (The Exile) : Jacquie Decaux 1992 : Force de frappe (Counterstrike) sezon 3 epizòd 5 No honour among thieves de Jean-Pierre Prévost : Jeanette 1995 : Quatre pour un loyer 2009 : Revivre de Haim Bouzaglo : Emma Elbaz 2016 : Marseille de Florent Emilio Siri : Vanessa d'Abrantes 2019 : Les Ombres rouges de Christophe Douchand : Aurore Garnier Referans Lyen deyò Nadia Farès sou IMDb Nadia Farès sou allocine.fr Moun Fanm Aktè Aktè sinema Aktè televizyon Aktè franse Nesans nan lane 1968
1,430
https://stackoverflow.com/questions/35525957
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
English
Spoken
38
66
Writing to uninstall-persistence path using cordova-plugin-file I would like to save user-id in a persistent location that will remain after an app is uninstalled and re-installed on both Android and iPhone. How do I do that using cordova-plugin-file?
37,474
https://mathematica.stackexchange.com/questions/255853
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
Juno, bbgodfrey, flinty, https://mathematica.stackexchange.com/users/1063, https://mathematica.stackexchange.com/users/72682, https://mathematica.stackexchange.com/users/81896
English
Spoken
363
710
How to express number in exponential decimal such as 1e2=100? I am using MATLAB for a long time, and usually I express the number as exponential decimal such as x = 1e2; % x=100 However, if I write this form in mathematica, it regards the e between 1 and 2 as a symbol (variable). Do you guys know any expression using alphabet e for that, or should I change the form into using 10 such as x=10^2; I do not know of an equivalent to 1e2 except, perhaps, 1*^2. Use: *^ In the documentation it's mentioned briefly in passing in ref/NumberMarks - also mentioned in tutorial/Numbers @bbgodfrey, the expression 1e2 is general form in MATLAB. For example, 3e2 indicates 3 x 10^2. Similarly, 3.2e1 is 3.2 x 10^1 = 32. @flinty, thanks for your answer. That helps :D I'd say the best thing to do is to get used to the convention of Mathematica i.e. using 10^2 or 1*^2. Anyway, if you insist, one possibility is to make use of free form input by pressing Ctrl+=: But to use free form input it's necessary to connect to the Internet and the interpretation may not always be correct, so a more robust solution is to define our own function: SetAttributes[eScientificNumber, HoldAll]; With[{toreal = If[$VersionNumber >= 12.3, Internal`StringToMReal, Internal`StringToDouble]}, eScientificNumber[n_] := toreal@ToString@Unevaluated@n]; eScientificNumber /: MakeBoxes[eScientificNumber[n_], StandardForm] := TemplateBox[{MakeBoxes@n}, "eScientificNumber", DisplayFunction -> (FrameBox@# &)] The MakeBoxes[…] rule isn't necessary, it's just for the sake of aesthetic. The function name eScientificNumber is a bit too long to input repeatedly, so let's make use of input aliase and palette: CurrentValue[$FrontEnd, "InputAliases"] = Append[DeleteCases[CurrentValue[$FrontEnd, "InputAliases"], "esn" -> _], "esn" -> MakeBoxes@eScientificNumber[\[SelectionPlaceholder]]]; CreatePalette[PasteButton@Defer@eScientificNumber[\[SelectionPlaceholder]], WindowMargins -> Automatic] You can even add your own keyboard shortcut as shown in e.g. this post but I'd like to stop here. Now you can input 100 with 1e2 in following manners: To understand the answer, you may want to read: Preventing Superscript from being interpreted as Power when using Ctrl+^ shortcut? Is Internal`StringToDouble broken in 12.3? Make a custom object look like MatrixForm of a matrix? Thanks! It really helps! :D The notations are quite different from MATLAB, but I am getting used to it.
600
https://en.wikipedia.org/wiki/Philip%20Windsor
Wikipedia
Open Web
CC-By-SA
2,023
Philip Windsor
https://en.wikipedia.org/w/index.php?title=Philip Windsor&action=history
English
Spoken
217
343
Philip Windsor was a British academic teaching International Relations mostly at the London School of Economics. He was born in India in 1935, studied at Merton College, and taught at the LSE from 1965. At LSE, he was known and valued for his distinctive lecturing style, and for engaging with students and colleagues outside formal teaching settings. For years, he taught "Strategic Aspects of International Relations", a flagship course in the International Relations department. He was a major influence on various thinkers, including Christopher Coker. He authored a range of articles on Germany, German reunification and on strategic studies. Philip Windsor died in June 2000. The LSE's International Relations Department has named its prize for the best Master's dissertation after Philip Windsor. Selected publications Windsor, Philip (2002) Strategic thinking: an introduction and farewell. Lynne Rienner Publishers, Boulder, CO. ISBN 9781902210902 (edited by Mats Berdal and Spiros Economides) Nobutoshi Hagihara, Akira Iriye, Georges Nivat, and Philip Windsor (eds.), Experiencing the Twentieth Century (Tokyo: University of Tokyo Press, 1985, ISBN 9784130270229 Windsor, Philip (1962) The Berlin Crises, History Today, Volume 12, Issue 6, June 1962 Alastair Buchan and Philip Windsor, Arms and Stability in Europe; a Report; New York, Praeger, For The Institute For Strategic Studies, London; First edition. (January 1, 1963) References British academics 1935 births 2000 deaths
50,699
https://fr.wikipedia.org/wiki/Liolaemus%20walkeri
Wikipedia
Open Web
CC-By-SA
2,023
Liolaemus walkeri
https://fr.wikipedia.org/w/index.php?title=Liolaemus walkeri&action=history
French
Spoken
75
156
Liolaemus walkeri est une espèce de sauriens de la famille des Liolaemidae. Répartition Cette espèce est endémique du Pérou. Elle se rencontre dans les régions de Lima, de Junín, d'Ayacucho et d'Apurímac. Description C'est un saurien vivipare. Publication originale Shreve, 1938 : A new Liolaemus and two new Syrrhopus from Peru. Journal of the Washington Academy of Sciences, , , (texte intégral). Liens externes Notes et références Saurien (nom scientifique) Liolaemidae Faune endémique du Pérou
35,169
https://te.wikipedia.org/wiki/%E0%B0%89%E0%B0%B8%E0%B1%8D%E0%B0%AE%E0%B0%BE%E0%B0%A8%E0%B1%8D%20%E0%B0%87%E0%B0%AC%E0%B1%8D%E0%B0%A8%E0%B1%8D%20%E0%B0%85%E0%B0%AB%E0%B1%8D%E0%B0%AB%E0%B0%BE%E0%B0%A8%E0%B1%8D
Wikipedia
Open Web
CC-By-SA
2,023
ఉస్మాన్ ఇబ్న్ అఫ్ఫాన్
https://te.wikipedia.org/w/index.php?title=ఉస్మాన్ ఇబ్న్ అఫ్ఫాన్&action=history
Telugu
Spoken
402
1,435
{{infobox | bodyclass = vcard | bodystyle = border: 2px; | above = ఉస్మాన్ బిన్ అఫ్ఫాన్ <br/ > రాషిదూన్ ఖలీఫా లలో 3వ ఖలీఫా Rashidun Caliph in Medina | image = | header2 = ఖలీఫా ఉస్మాన్ సామ్రాజ్యం ఉత్థాన దశలో | labelstyle = white-space:nowrap; border: none; | header3 = The Generous(Al-Ghani) |label4= Full Name |data4= ʻUthmān ibn ʻAffān (عثمان بن عفان) |label5= Reign |data5= 11 November 644 – 20 June 656 |label6= Born |data6= 577 CE (47 BH) |label7= Birthplace |data7= తాయిఫ్, Arabia |label8= Died |data8= 17 June 656 CE (18th Zulhijjah 35 AH)<ref name="Lisan Al-Mizan">{{cite book|author=Ibn Hajar al-Asqalani|authorlink=Ibn Hajar al-Asqalani |title=Lisan Al-Mizan: *Uthman bin al-Affan}}</ref>(aged 79) |label9= Deathplace |data9= మదీనా, Arabia |label10= Place of Burial |data10= Jannat al-Baqi, మదీనా |label11= Predecessor |data11= ఉమర్ ఇబ్న్ ఖత్తాబ్ |label12= Successor |data12= అలీ |label13= Father |data13= Affan ibn Abu al-As |label14= Mother |data14= Urwa bint Kariz |label15= Sister(s) |data15= Amna |label16= Spouse(s) |data16= • Ruqayyah bint Muhammad • Umm Kulthum bint Muhammad • Naila • Ramla bint Shuibat • Fatima bint Al-Walid • Fakhtah bint Ghazwan • Umm Al-Banin bint Unaib • Umm Amr bint Jundub |label17= Son(s) |data17= • Amro (عمرو)• Umar (عمر)• Khalid (خالد)• Aban (أبان)• Abdullah Al-Asghar (عبد الله الأصغر) • Al-Walid (الوليد)• Saeed (سعيد)• Abdulmalik (عبدالملك) |label18= Daughter(s) |data18= • Maryam (مريم) • Umm Uthman (أم عثمان)• Ayesha (عائشة) • Umm Amr (أم عمرو)• Umm Aban Al-Kabri (أم أبان الکبرى) • Aurvi (أروى)• Umm Khalid (أم خالد) • Umm Aban Al-Sagri (أم أبان الصغرى) |label19= Descendants |data19= |label20= Other Titles |data20= • Al Ghani الغنى ("The Generous")• Zun Noorain ("Possessor of Two Lights") Al-Faruq ("Distinguisher between truth and false") |data21= <div class="hlist" style="font-family:Palatino Linotype; font-weight:bold; font-size: 120%;"> }} ఉస్మాన్ ఇబ్న్ అఫ్ఫాన్ (అరబ్బీ: عثمان بن عفان) (c. 580 - జూలై 17 656) ఒక సహాబా( సహచరులు).ఇస్లాంను స్వీకరించిన మొదటి తరం వారిలో ఉన్నాడు. ఇస్లామీయ చరిత్రలో తన పాత్రను ప్రముఖంగా పోషించినవారిలో ఒకడు. రాషిదూన్ ఖలీఫాలలో మూడవవాడు.ఈయన ప్రతులపై వున్నఖురాన్ను క్రోడీకరించి గ్రంథరూపం ఇచ్చిన వాడు. మూలాలు Also: Levi Della Vida, G. and R.G. Khoury. "‘Uthmān b. ‘Affān." Encyclopaedia of Islam Online''. Eds. P.J. Bearman et al. 12 Vols. Brill, 2004. 30 October 2005 Radhia Allahu Anaha (The third Caliph 644-656 C.E.) బయటి లింకులు Views of various Islamic historians on Uthman: Uthman in History Views of the Arab Media on Uthman: Ever Since the Murder of Uthman Shi'a view of Uthman: Uthman's election The assassination of `Uthman Ibn `Affan Uthman and Abdullah bin Massood రాషిదూన్ ఖలీఫాలు ఖలీఫాలు సహాబాలు 580 జననాలు 656 మరణాలు మహమ్మదు కుటుంబం
2,679
https://en.wikipedia.org/wiki/2744%20Birgitta
Wikipedia
Open Web
CC-By-SA
2,023
2744 Birgitta
https://en.wikipedia.org/w/index.php?title=2744 Birgitta&action=history
English
Spoken
525
929
2744 Birgitta, provisional designation , is a stony asteroid and a Mars-crosser on an eccentric orbit from the innermost regions of the asteroid belt, approximately in diameter. It was discovered at the Kvistaberg Station of the Uppsala Observatory in Sweden on 4 September 1975, by Swedish astronomer Claes-Ingvar Lagerkvist, who named it after his daughter, Anna Birgitta Angelica Lagerkvist. The S-type asteroid has a rotation period of 9.0 hours. Orbit and classification Birgitta is a Mars-crossing asteroid, a dynamically unstable group between the main belt and the near-Earth populations, crossing the orbit of Mars. There are more than 5,000 numbered Mars-crosser – or approximately 1% of the overall population of small Solar System bodies – with a perihelion between 1.3 and 1.666 AU. Birgitta orbits the Sun at a distance of 1.5–3.1 AU once every 3 years and 6 months (1,275 days; semi-major axis of 2.3 AU). Its orbit has an eccentricity of 0.33 and an inclination of 7° with respect to the ecliptic. The asteroid was first observed as at the Heidelberg Observatory in August 1933. The body's observation arc begins with its official discovery observation at Kvistaberg in 1975. Physical characteristics Birgitta is a common, stony S-type asteroid in both the Tholen and SMASS classification. Rotation period In October 2010, a rotational lightcurve of Birgitta was obtained from photometric observations by American astronomer Brian Skiff. Lightcurve analysis gave a well-defined rotation period of 8.994 hours with a brightness amplitude of 0.18 magnitude (). The result supersedes a previous observation by the discoverer Claes-Ingvar Lagerkvist from the 1970s, which showed a period of 9.02 hours and an amplitude of 0.4 magnitude (). In December 2014, astronomers at the Palomar Transient Factory in California measured as similar period of 8.97 hours with a brightness variation of 0.32 magnitude (). Diameter and albedo According to the survey carried out by the NEOWISE mission of NASA's Wide-field Infrared Survey Explorer, Birgitta measures 2.67 kilometers in diameter and its surface has a high albedo of 0.304, while the Collaborative Asteroid Lightcurve Link assumes a standard albedo for stony asteroids of 0.20 and calculates a diameter of 3.29 kilometers based on an absolute magnitude of 14.78. Birgitta is a mid-sized Mars-crossing asteroid, smaller than 1065 Amundsenia (10 km), 1139 Atami (9 km), 1474 Beira (15 km), 1508 Kemi (17 km), 1011 Laodamia (7.5 km), 1727 Mette (9 km), 1131 Porzia (7 km), 1235 Schorria (5.5 km), 985 Rosina (8 km), 1310 Villigera (14 km) and 1468 Zomba (7 km), and significantly smaller than the largest members of this dynamical group, namely, 132 Aethra (40 km), 2204 Lyyli (25 km) and 512 Taurinensis (20 km). Naming This minor planet was named after Anna Birgitta Angelica Lagerkvist, daughter of the discoverer Claes-Ingvar Lagerkvist. The official naming citation was published by the Minor Planet Center on 15 May 1984 (). Notes References External links Asteroid Lightcurve Database (LCDB), query form (info ) Dictionary of Minor Planet Names, Google books Asteroids and comets rotation curves, CdR – Observatoire de Genève, Raoul Behrend Discovery Circumstances: Numbered Minor Planets (1)-(5000) – Minor Planet Center 002744 Discoveries by Claes-Ingvar Lagerkvist Named minor planets 002744 002744 19750904
6,456
https://stackoverflow.com/questions/24735384
StackExchange
Open Web
CC-By-SA
2,014
Stack Exchange
David Heffernan, MartynA, bummi, https://stackoverflow.com/users/1699210, https://stackoverflow.com/users/2663863, https://stackoverflow.com/users/3464658, https://stackoverflow.com/users/505088, user3464658
English
Spoken
1,677
3,984
Execute a series of .exe files with arguments and waiting for the result I want to run 5 different .exe files in a certain order and with arguments. Right now I'm trying to use ShellAPI but it doesn't seem to work. Also I need to execute the next file only after the first one is finished, can I do this with ShellAPI? The code I tried to use is procedure TForm1.Button1Click(Sender: TObject); begin ShellExecute(0, 'open', 'C:\Users\ByfyX1\Dropbox\Exjobb\Senaste Fortran 1ajuli\Release\DIG.exe "C:\Users\ByfyX1\Dropbox\Exjobb\V.1 - kopia\Win32\Debug\Indata1.txt"', nil, nil, SW_SHOWNORMAL); end; The argument here is the 'Indata1.txt' file. Am I giving the argument wrong here? This is the way that I would write in cmd.exe so that's why I'm going this route. Wait before ShellExecute is carried out? The problem is that the calculations takes different amount of times depending on what kind of calculations are made so I don't think I can use a delay for this. Take a look at the second answer using GetExitCodeProcess @bummi not that one. It's awful. Nat's answer is the one. ShellExecute returns as soon as the process is created. If you wish to wait for the process to complete, you need to take specific steps to do so. In any case, ShellExecute is the wrong function to use here. That function, and its infinitely more usable friend ShellExecuteEx are designed to perform a wide range of shell operations on files. You are looking to create processes, for which the API to use is CreateProcess. When you call CreateProcess, you are returned handles to the new process, and to its main thread. You can then wait on the process handle to become signaled. Once it has become signaled, you can then fire off the next process. And so on and so on. Something like this: procedure ExecuteAndWait(Command: string; const WorkingDirectory: string); var StartupInfo: TStartupInfo; ProcessInfo: TProcessInformation; begin ZeroMemory(@StartupInfo, SizeOf(StartupInfo)); StartupInfo.cb := SizeOf(StartupInfo); StartupInfo.wShowWindow := SW_HIDE; UniqueString(Command); Win32Check(CreateProcess( nil, PChar(cmd), nil, nil, True, CREATE_NO_WINDOW or NORMAL_PRIORITY_CLASS, nil, PChar(WorkingDirectory), StartupInfo, ProcessInfo )); try Win32Check(WaitForSingleObject(ProcessInfo.hProcess, INFINITE)=WAIT_OBJECT_0); finally CloseHandle(ProcessInfo.hProcess); CloseHandle(ProcessInfo.hThread); end; end; Thank you! I'm having problems understanding how to properly use CreateProcess tho. I'm trying the code like this var StartInfo: TStartupInfo; ProcInfo: TProcessInformation; CreateOk: boolean; argument: String; path : String; begin FillChar(StartInfo, SizeOf(TStartupInfo), #0); FillChar(ProcInfo, SizeOf(TProcessInformation), #0); StartInfo.cb := SizeOf(TStartupInfo); argument:='Indata1.txt'; path:='DIG.exe'; CreateProcess(PChar(path),PChar(argument), nil, nil, False, CREATE_NEW_PROCESS_GROUP or NORMAL_PRIORITY_CLASS, nil, PChar(path), StartInfo, ProcInfo); For instance the accepted answer here (http://stackoverflow.com/questions/17336227/how-can-i-wait-until-an-external-process-has-completed) although I don't like the busy loop and the call to ProcessMessages. But you can write the code as you please, you don't have to copy somebody else's code without understanding it. If I understand correctly, the first argument is the app that's going to be run? In my case, DIG.exe. The second argument is the argument I want to send to the app? And the third from last should be the path for the app? I can't copy another persons code as I don't understand it and I need to be able to manipulate my arguments etc. You understand incorrectly. Read the documentation more closely. The code in that Q is fine apart from the busy loop. Use WaitForSingleObject. Just for completeness sake, an alternative approach you could take is to generate a Batch (.bat) file then fire it off with your app and let the CLI do the sequencing. Add a small app that runs last that acts like the classic "touch" app in *nix that creates an empty file in the folder that your app can check to see when it's done. #the batch file del imdone.txt #or do this inside of your program instead do_first.exe argfile.txt do_second.exe argfile2.txt . . . do_last.exe argfilen.txt touch imdone.txt Then your program can do other stuff and periodically poll looking for the existence of imdone.txt file. Once it's found, it knows the processing is complete. Alternatively, you can use the other way of spawning the batch file process so your program waits until it completes. I've done this kind of thing a lot. It combines simple programming requirements with equally simple scripting. +1. Your answer inspired me to dig out my copy of Neil Rubenkin's 1993 book "DOS Batch File Lab Notes", which I recalled being hugely entertaining despite the unpromising subject matter. I'd quite forgotten, though, that it contains an 18-line batch file which solves the Towers of Hanoi puzzle (!). From this question: I use these functions to execute a child process asynchronously and have it call back when the process terminates. It works by creating a thread that waits until the process terminates and then calls back to the main program thread via the event method given. Beware, that your program continues to run while the child process is running, so you'll need some form of logic to prevent an infinite occurence of spawning child processes. UNIT SpawnFuncs; INTERFACE {$IF CompilerVersion >= 20 } {$DEFINE ANONYMOUS_METHODS } {$ELSE } {$UNDEF ANONYMOUS_METHODS } {$ENDIF } TYPE TSpawnAction = (saStarted,saEnded); TSpawnArgs = RECORD Action : TSpawnAction; FileName : String; PROCEDURE Initialize(Act : TSpawnAction ; CONST FN : String); INLINE; CLASS FUNCTION Create(Act : TSpawnAction ; CONST FN : String) : TSpawnArgs; static; END; {$IFDEF ANONYMOUS_METHODS } TSpawnEvent = REFERENCE TO PROCEDURE(Sender : TObject ; CONST Args : TSpawnArgs); {$ELSE } TSpawnEvent = PROCEDURE(Sender : TObject ; CONST Args : TSpawnArgs) OF OBJECT; {$ENDIF } FUNCTION ShellExec(CONST FileName,Tail : String ; Event : TSpawnEvent = NIL ; Sender : TObject = NIL) : BOOLEAN; OVERLOAD; FUNCTION ShellExec(CONST FileName : String ; Event : TSpawnEvent = NIL ; Sender : TObject = NIL) : BOOLEAN; OVERLOAD; FUNCTION ShellExec(CONST FileName : String ; VAR EndedFlag : BOOLEAN) : BOOLEAN; OVERLOAD; FUNCTION ShellExec(CONST FileName,Tail : String ; VAR EndedFlag : BOOLEAN) : BOOLEAN; OVERLOAD; PROCEDURE ShellExecExcept(CONST FileName : String ; Event : TSpawnEvent = NIL ; Sender : TObject = NIL); OVERLOAD: PROCEDURE ShellExecExcept(CONST FileName,Tail : String ; Event : TSpawnEvent = NIL ; Sender : TObject = NIL); OVERLOAD; PROCEDURE ShellExecExcept(CONST FileName : String ; VAR EndedFlag : BOOLEAN); OVERLOAD; PROCEDURE ShellExecExcept(CONST FileName,Tail : String ; VAR EndedFlag : BOOLEAN); OVERLOAD; IMPLEMENTATION USES Windows,SysUtils,Classes,ShellApi; TYPE TWaitThread = CLASS(TThread) CONSTRUCTOR Create(CONST FileName : String ; ProcessHandle : THandle ; Event : TSpawnEvent ; Sender : TObject); REINTRODUCE; OVERLOAD; CONSTRUCTOR Create(CONST FileName : String ; ProcessHandle : THandle ; EndedFlag : PBoolean); OVERLOAD; PROCEDURE Execute; OVERRIDE; PROCEDURE DoEvent(Action : TSpawnAction); PRIVATE Handle : THandle; Event : TSpawnEvent; EndedFlag : PBoolean; FN : String; Sender : TObject; {$IFNDEF ANONYMOUS_METHODS } Args : TSpawnArgs; PROCEDURE RunEvent; {$ENDIF } END; CONSTRUCTOR TWaitThread.Create(CONST FileName : String ; ProcessHandle : THandle ; Event : TSpawnEvent ; Sender : TObject); BEGIN INHERITED Create(TRUE); Handle:=ProcessHandle; Self.Event:=Event; FN:=FileName; Self.Sender:=Sender; FreeOnTerminate:=TRUE; Resume END; {$IFNDEF ANONYMOUS_METHODS } PROCEDURE TWaitThread.RunEvent; BEGIN Event(Sender,Args) END; {$ENDIF } CONSTRUCTOR TWaitThread.Create(CONST FileName : String ; ProcessHandle : THandle ; EndedFlag : PBoolean); BEGIN INHERITED Create(TRUE); Handle:=ProcessHandle; EndedFlag^:=FALSE; Self.EndedFlag:=EndedFlag; FreeOnTerminate:=TRUE; Resume END; PROCEDURE TWaitThread.DoEvent(Action : TSpawnAction); BEGIN IF Assigned(EndedFlag) THEN EndedFlag^:=(Action=saEnded) ELSE BEGIN {$IFDEF ANONYMOUS_METHODS } Synchronize(PROCEDURE BEGIN Event(Sender,TSpawnArgs.Create(Action,FN)) END) {$ELSE } Args:=TSpawnArgs.Create(Action,FN); Synchronize(RunEvent) {$ENDIF } END END; PROCEDURE TWaitThread.Execute; BEGIN DoEvent(saStarted); WaitForSingleObject(Handle,INFINITE); CloseHandle(Handle); DoEvent(saEnded) END; FUNCTION ShellExec(CONST FileName,Tail : String ; Event : TSpawnEvent ; Sender : TObject ; EndedFlag : PBoolean) : BOOLEAN; OVERLOAD; VAR Info : TShellExecuteInfo; PTail : PChar; BEGIN ASSERT(NOT (Assigned(Event) AND Assigned(EndedFlag)),'ShellExec called with both Event and EndedFlag!'); IF Tail='' THEN PTail:=NIL ELSE PTail:=PChar(Tail); FillChar(Info,SizeOf(TShellExecuteInfo),0); Info.cbSize:=SizeOf(TShellExecuteInfo); Info.fMask:=SEE_MASK_FLAG_NO_UI; Info.lpFile:=PChar(FileName); Info.lpParameters:=PTail; Info.nShow:=SW_SHOW; IF NOT (Assigned(Event) OR Assigned(EndedFlag)) THEN Result:=ShellExecuteEx(@Info) ELSE BEGIN Info.fMask:=Info.fMask OR SEE_MASK_NOCLOSEPROCESS; Result:=ShellExecuteEx(@Info) AND (Info.hProcess>0); IF Result THEN IF Assigned(Event) THEN TWaitThread.Create(FileName,Info.hProcess,Event,Sender) ELSE TWaitThread.Create(FileName,Info.hProcess,EndedFlag) END END; FUNCTION ShellExec(CONST FileName,Tail : String ; Event : TSpawnEvent = NIL ; Sender : TObject = NIL) : BOOLEAN; BEGIN Result:=ShellExec(FileName,Tail,Event,Sender,NIL) END; FUNCTION ShellExec(CONST FileName : String ; Event : TSpawnEvent = NIL ; Sender : TObject = NIL) : BOOLEAN; BEGIN Result:=ShellExec(FileName,'',Event,Sender) END; FUNCTION ShellExec(CONST FileName,Tail : String ; VAR EndedFlag : BOOLEAN) : BOOLEAN; BEGIN Result:=ShellExec(FileName,Tail,NIL,NIL,@EndedFlag) END; FUNCTION ShellExec(CONST FileName : String ; VAR EndedFlag : BOOLEAN) : BOOLEAN; BEGIN Result:=ShellExec(FileName,'',EndedFlag) END; PROCEDURE ShellExecExcept(CONST FileName : String ; Event : TSpawnEvent = NIL ; Sender : TObject = NIL); BEGIN IF NOT ShellExec(FileName,Event,Sender) THEN RaiseLastOSError END; PROCEDURE ShellExecExcept(CONST FileName,Tail : String ; Event : TSpawnEvent = NIL ; Sender : TObject = NIL); BEGIN IF NOT ShellExec(FileName,Tail,Event,Sender) THEN RaiseLastOSError END; PROCEDURE ShellExecExcept(CONST FileName : String ; VAR EndedFlag : BOOLEAN); BEGIN IF NOT ShellExec(FileName,EndedFlag) THEN RaiseLastOSError END; PROCEDURE ShellExecExcept(CONST FileName,Tail : String ; VAR EndedFlag : BOOLEAN); BEGIN IF NOT ShellExec(FileName,Tail,EndedFlag) THEN RaiseLastOSError END; { TSpawnArgs } CLASS FUNCTION TSpawnArgs.Create(Act : TSpawnAction ; CONST FN : String) : TSpawnArgs; BEGIN Result.Initialize(Act,FN) END; PROCEDURE TSpawnArgs.Initialize(Act : TSpawnAction ; CONST FN : String); BEGIN Action:=Act; FileName:=FN END; END. Use it as follows: USES SpawnFuncs; ShellExec(ProgramToRun,CommandLineArgs,Event,Sender) or ShellExec(ProgramToRunOrFileToOpen,Event,Sender) where ProgramToRun = Name of program to run ProgramToRunOrFileToOpen = Program to run, or file to open (f.ex. a .TXT file) CommandLineArgs = Command line parameters to pass to the program Event = The (perhaps anonymous) method to run upon start and termination of program Sender = The Sender parameter to pass to the method Or, if you are simply interested in knowing when the child process has terminated, there are two simplified versions that accept a BOOLEAN variable that will be set to TRUE as soon as the child program terminates. You don't need to set it to FALSE first, as it will be done automatically: ShellExec(ProgramToRun,ChildProcessEnded); If you don't supply an event handler or BOOLEAN variable, the ShellExec procedure simply runs/opens the file given and performs no callback. If you don't supply a Sender, the Sender parameter will be undefined in the event handler. The event handler must be a method (anonymous or otherwise) with the following signature: PROCEDURE SpawnEvent(Sender : TObject ; CONST Args : TSpawnArgs); where Args contains the following fields: Action = either saStarted or saEnded FileName = the name of the file that passed to ShellExec If you prefer to use SEH (Structured Exception Handling) instead of error return values, you can use the ShellExecExcept PROCEDUREs instead of the ShellExec FUNCTIONs. These will raise an OS Error in case the execute request failed.
36,827
https://ceb.wikipedia.org/wiki/Goose%20Lake%20%28lanaw%20sa%20Tinipong%20Bansa%2C%20Iowa%2C%20Clinton%20County%2C%20lat%2041%2C97%2C%20long%20-90%2C40%29
Wikipedia
Open Web
CC-By-SA
2,023
Goose Lake (lanaw sa Tinipong Bansa, Iowa, Clinton County, lat 41,97, long -90,40)
https://ceb.wikipedia.org/w/index.php?title=Goose Lake (lanaw sa Tinipong Bansa, Iowa, Clinton County, lat 41,97, long -90,40)&action=history
Cebuano
Spoken
155
244
Alang sa ubang mga dapit sa mao gihapon nga ngalan, tan-awa ang Goose Lake. Lanaw ang Goose Lake sa Tinipong Bansa. Nahimutang ni sa kondado sa Clinton County ug estado sa Iowa, sa sidlakang bahin sa nasod, km sa kasadpan sa Washington, D.C. metros ibabaw sa dagat kahaboga ang nahimutangan sa Goose Lake. Naglangkob kin og ka kilometro kwadrado. Goose Lake nga nahimutang sa lanaw sa Lake Storey ang ulohan sa nasod. Hapit nalukop sa kaumahan ang palibot sa Goose Lake. Naglukop ni og 1.2 km gikan sa amihanan ngadto sa habagatan ug 0.9 km gikan sa sidlakan ngadto sa kasadpan. Ang klima klima sa kontinente. Ang kasarangang giiniton °C. Ang kinainitan nga bulan Hulyo, sa  °C, ug ang kinabugnawan Enero, sa  °C. Ang kasarangang pag-ulan milimetro matag tuig. Ang kinabasaan nga bulan Hunyo, sa milimetro nga ulan, ug ang kinaugahan Nobiyembre, sa milimetro. Saysay Ang mga gi basihan niini Mga lanaw sa Iowa (estado)
37,903
https://stackoverflow.com/questions/21230183
StackExchange
Open Web
CC-By-SA
2,014
Stack Exchange
English
Spoken
47
89
Is there an imapable for latest devise? We have a few internal Rails apps which are planned to let users login in via imap credentials. Is there a updated Imapable for the latest (v3.2.2) Devise ? According to https://github.com/joshk/devise_imapable/network, try one of 1, 2, 3, or 4.
36,840
https://stackoverflow.com/questions/10603806
StackExchange
Open Web
CC-By-SA
2,012
Stack Exchange
Tiago Peczenyj, bitoshi.n, https://stackoverflow.com/users/1138383, https://stackoverflow.com/users/1148194, https://stackoverflow.com/users/1367485, user1138383
English
Spoken
237
573
Advance Keyword Search in php mysql In vendor_tbl Tabel i Have Lot of Words "Microsoft" But when i enter Keyword 'mecrsoft' or something like this it not return me like micrsoft record and sql query return 0 records how can to use intelligency to make query That it return me all records like my keyword below i post sql query in other any suggetion aur help to make query Better $keyword='mecrsoft'; $mykeyword= explode(" ",$keyword); for($i=0;$i<count($mykeyword);$i++) $keywords_v[]="vendor_name like '%".$mykeyword[$i]."%' or page_description like '%".$mykeyword[$i]."%' or keyword like '%".$mykeyword[$i]."%' or page_title like '%".$mykeyword[$i]."%' or page_description like '%".$mykeyword[$i]."%' "; $q="select vendor_name,slug,page_description,keyword, page_title,page_body from vendor_tbl where (".implode(',',$keywords_v).")"; $rs=mysql_query($q); I think it is work for a search engine with an analyser who understand wrong words. For example, ElasticSearch and Fuzzy queries: http://www.elasticsearch.org/guide/reference/query-dsl/fuzzy-query.html Or you can use a levenshtein function in MySQL Levenshtein: MySQL + PHP how to Implemnet Levenshtein in sql query? Becoz i test Soundex function But That Give Same Probelm I never to this, sorry. But you can try this: http://kristiannissen.wordpress.com/2010/07/08/mysql-levenshtein/ You have data pair of probability terms like 'mecrsoft' mean 'microsoft' or You can implement levenshtein distance algorithm How Use levenshtein in sql Query That fetch Record from tabel Field can you tell me how to apply levenshtein distance algorithm in sql query ? @user1138383 Mysql has no levenshtein, but you can create stored function for that. And also, I suggest you to have list of right terms of keywords.
46,895
https://ja.wikipedia.org/wiki/NN
Wikipedia
Open Web
CC-By-SA
2,023
NN
https://ja.wikipedia.org/w/index.php?title=NN&action=history
Japanese
Spoken
22
416
NN, nn Netscape Navigatorの略。 ニューノルスクのISO 639-1言語コード。 NNグループ - オランダの保険・金融サービス企業 自動車のナンバープレートで、国際ナンバーにつけられる地名のひとつ。日本の地名の「長」にあたる。 漁船の登録番号において長野県を表す識別標(漁船法施行規則13条・付録第二) 東日本旅客鉄道長野総合車両センター(NAGANO)の略称。 名古屋市営バスで、旧日産ディーゼル製の一般大型ノンステップバスを表す(Non-step Nissan)管理番号の前につくローマ字。 ノンネゴ(英:Non-Negotiable)の略。 ニュース系列の英語名(ニュースネットワーク、News Network)の略。 学習塾早稲田アカデミーの主に小学6年生を対象とした、難関中学受験対策志望校別コースの通称。また、その標語「何がなんでも(NanigaNandemo)」の略称。 ニューラルネットワーク(Neural Network)の略称。 関連項目 ラテン文字のアルファベット二文字組み合わせの一覧
33,135
https://electronics.stackexchange.com/questions/611647
StackExchange
Open Web
CC-By-SA
2,022
Stack Exchange
G36, https://electronics.stackexchange.com/users/309171, https://electronics.stackexchange.com/users/92635, luna
English
Spoken
127
181
Why does my transistor explode in a simulator? I'm new to electronics and I can't identify the reason why my transistor explodes when I simulate it. I am simulating a simple common emitter amplifier with a power supply of 12 volts. Try to connect GND to B1 12V voltage source. Also, reduce the input signal amplitude to 50mV. Thank you so much! It's not exploding anymore although the output voltage is not what is required. Your operating point is poorly chosen. Q1 is saturated as mentioned by Spehro Pefhany. I have only watched youtube tutorials for the biasing and I am not quite familiar with how the operating point can be chosen properly. Aside from the open power supply, your biasing is poorly designed, Q1 will saturate.
33,868
https://ca.wikipedia.org/wiki/Kinosternon
Wikipedia
Open Web
CC-By-SA
2,023
Kinosternon
https://ca.wikipedia.org/w/index.php?title=Kinosternon&action=history
Catalan
Spoken
271
652
Kinosternon és un gènere de tortugues aquàtiques de la família Kinosternidae conegudes com a tortugues de pantà. Es diferencien de les altres tortugues de la mateixa família per la seva mida més petita i per tenir la closca menys bombada. Viuen als Estats Units, Mèxic, l'Amèrica central, Colòmbia, l'Equador i el Perú. Són carnívores i s'alimenten de diversos invertebrats aquàtics, peixos i carronya. Taxonomia Tortuga de pantà de Tabasco, Kinosternon acutum ( Gray, 1831). Tortuga de pantà dels Álamos, Kinosternon alamosae ( Berry i Legler, 1980). Tortuga de pantà d'Amèrica central, Kinosternon angustipons ( Legler, 1965). Tortuga de pantà ratllada, Kinosternon baurii ( Garman, 1891). Tortuga de pantà de Jalisco, Kinosternon Chimalhuacán ( Berry, Seidel, & Iverson, 1997). Tortuga de pantà de Creasa, Kinosternon creaseri ( Hartweg, 1934). Tortuga de pantà de cara vermella, Kinosternon cruentatum ( Duméril, Bibron i Duméril, 1851). Tortuga de pantà de Colòmbia o Cap de tros Kinosternon dunni ( Schmidt, 1947). Tortuga de pantà groga Kinosternon flavescens ( Agassiz, 1857). Tortuga de pantà d'Herrara, Kinosternon herrerai ( Stejneger, 1945). Tortuga de pantà de Mèxic o Morrocoy de potes gruixudes, Kinosternon hirtipes ( Wagler, 1830). Tortuga de pantà mexicana, Morrocoy mexicà o Tortuga casquito Kinosternon integrum ( Le Conte, 1854). Tortuga de pantà de llavis blancs, Kinosternon leucostomum ( Duméril, Bibron i Duméril, 1851). Tortuga de pantà d'Oaxaca, Kinosternon oaxacae ( Berry i Iverson, 1980). Tortuga escorpí, Kinosternon scorpioides ( Linnaeus, 1766). Tortuga de pantà de Sonora, Kinosternon sonoriense ( Le Conte, 1854). Tortuga de pantà de l'Equador, Kinosternon spurrelli (Boulenger, 1913). Tortuga de pantà de l'Est o del riu Mississipi, Kinosternon subrubrum ( Lacépède, 1788). Criptodirs
11,439
https://de.wikipedia.org/wiki/Hans-Erdmann%20Sch%C3%B6nbeck
Wikipedia
Open Web
CC-By-SA
2,023
Hans-Erdmann Schönbeck
https://de.wikipedia.org/w/index.php?title=Hans-Erdmann Schönbeck&action=history
German
Spoken
353
719
Hans-Erdmann Schönbeck (* 9. September 1922 in Breslau; † 18. Oktober 2022 in München) war ein deutscher Manager. Im Zweiten Weltkrieg gehörte er nach der Schlacht von Stalingrad zum Umfeld von Widerstandskämpfern. Krieg und Widerstand Als Panzeroffizier im Zweiten Weltkrieg überlebte Schönbeck schwer verletzt die Schlacht von Stalingrad und wurde durch die Erlebnisse zum Hitler-Gegner. Als Teil der Entourage Hitlers öffnete er diesem beim Besuch der Jahrhunderthalle in Breslau am 20. November 1943 die Tür der Limousine, wobei er mit dem Gedanken spielte, ihn zu erschießen. Er war Mitwisser des Stauffenbergattentats. Obwohl er neben der Bombe schlief, überlebte er den anschließenden Verdacht und die Verhöre. Karriere in der Automobilindustrie Nach dem Krieg setzte er zunächst die landwirtschaftliche Ausbildung, die er nach dem Abitur auf dem Gut seines Vaters machte, mit einem Studium fort. Diesem schloss sich ein Studium an der Technischen Hochschule München an. Er begann sein Berufsleben als Außendienstmitarbeiter und wurde 1968 Vertriebsleiter Inland der damaligen Auto Union GmbH in Ingolstadt und kurz darauf Vorstandsmitglied der Audi NSU Auto Union AG, zuständig für den Inlandsvertrieb. 1974 wechselte er in den Vorstand von BMW und nach zehn Jahren in den Aufsichtsrat des Unternehmens. Von 1984 bis 1988 war er Präsident des deutschen Verbands der Automobilindustrie und von 1985 bis 1988 zudem Präsident des europäischen Automobilherstellerverbandes CLCA (Comité de Liaison de la Construction Automobile). Sonstiges Seine Eltern waren der Oberst Wilhelm Schönbeck (1888–1970, Gutsherr auf Alt-Jaegel, Jagielnica bei Strzelin) und Hilde von Bernuth (1893–1991, Nichte von Julius von Bernuth). Auszeichnungen Bayerischer Verdienstorden Bundesverdienstkreuz Erster Klasse Goldene Gauverdienstnadel des ADAC Südbayern Literatur Tim Pröse: Hans-Erdmann Schönbeck "... und nie kann ich vergessen". Ein Stalingrad-Überlebender erzählt von Krieg, Widerstand – und dem Wunder, 100 Jahre zu leben. Heyne, München 2022, ISBN 978-3-453-21830-7. Weblinks Ein letzter Zeuge, focus.de, Reportage vom 14. Juli 2014. Stalingrad – Seine Rettung war auch das Erzählen, faz.net, Reportage vom 28. Dezember 2012. Hans-Erdmann Schönbeck im Porträt, Menschen im Porträt, 19. August 2022 Einzelnachweise Manager (Automobilindustrie) Verbandsfunktionär Person (BMW) Person (Audi) Träger des Bundesverdienstkreuzes 1. Klasse Träger des Bayerischen Verdienstordens Person im Zweiten Weltkrieg (Deutsches Reich) Hundertjähriger Deutscher Geboren 1922 Gestorben 2022 Mann
45,480
https://min.wikipedia.org/wiki/Scabroschema%20scabricolle
Wikipedia
Open Web
CC-By-SA
2,023
Scabroschema scabricolle
https://min.wikipedia.org/w/index.php?title=Scabroschema scabricolle&action=history
Minangkabau
Spoken
63
169
Scabroschema scabricolle adolah kumbang tanduak panjang dari famili Cerambycidae. Spesies ko juo marupokan bagian dari ordo Coleoptera, kalas Insecta, filum Arthropoda, dan kingdom Animalia. Larva kumbang iko, nan biaso disabuik panggerek kapalo bunda, manggerek ka dalam kayu, dima inyo dapek manyebabkan karusakan nan laweh untuak batang kayu hiduik ataupun kayu nan lah ditabang. Rujuakan TITAN: Cerambycidae database. Tavakilian G., 25 Mai 2009. Cerambycidae
40,180
https://stackoverflow.com/questions/19482996
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
Mark, Ronni Skansing, Steve73NI, https://stackoverflow.com/users/2783863, https://stackoverflow.com/users/2788532, https://stackoverflow.com/users/838733, https://stackoverflow.com/users/924016, nietonfir
English
Spoken
499
1,141
Validation Causing Inconsistencies I am trying to code a simple validation exercise for a username, password combination that will validate input and point out to users where their errors are and I am getting a strange outcome that i cannot fathom out why. If a user has a password called Password then the code validates, however if they have a password as Password1 then I get the response that the username and password combination is incorrect even though I have changed it in the database. Would anyone have come across this issue before and how could I go about fixing it? <html> <head> <title>Login</title> <link rel="stylesheet" type="text/css" href="style.css"/> </head> <body> <h1>Log In</h1> <form action="login.php" method="post"> <ul id="login"> <li> Username: <br /> <input type ="text" name="username"/> </li> <li> Password: <br/> <input type="password" name="password"/> </li> <li> <input type="submit" value="Log In"/> </li> <li> <a href="Registration.php">Register</a> </li> </ul> <?php $username = $_POST['username']; $password = $_POST['password']; function user_exists($username){ $server = 'localhost'; $user='root'; $password=''; $db = 'finance_checker'; $mysqli = mysqli_connect($server, $user, $password, $db); if(mysqli_connect_errno($mysqli)){ echo "Failed to connect to MySQL".mysqli_connect_error(); } $res = $mysqli->query("SELECT * FROM `users` WHERE `UserName` = '$username'"); return ($res->num_rows>0); $res->close(); } function userLogin ($username, $password){ $server = 'localhost'; $user='root'; $pass=''; $db = 'finance_checker'; $mysqli = mysqli_connect($server, $user, $pass, $db); $res = $mysqli->query("SELECT * FROM `users` WHERE `UserName`='$username' AND `Password` = $password"); if($res&&$res->num_rows>0){ return true;; }else{ return false; } } if(empty($_POST)==false){ if(empty($username)==true ||empty($password)==true){ echo "Please complete both sections of the form!<br />"; } else if(empty($username)==true){ echo "You must enter a username!<br />"; } else if(empty ($password)==true){ echo "You must enter a password!<br />"; } else if (user_exists($username)==false){ echo "Username cannot be found. Click on the register link to create a new account."; } else{ $login = userLogin($username, $password); if($login == false){ echo 'Username and Password combination is not compatible!'; } else{ header("Location:home.php "); } } } ?> </body> </html> SQL injection. Also please remember to add a die; or exit after the header. The header does not ensure that script execution stops. SQL injection anyone? Either use mysqli::real_escape_string() or switch to PDO and use prepared statments! Thanks Ronni, I'll add a die or exit. PS: Nothing after a return statement in PHP will get executed. So in your code: return ($res->num_rows>0); $res->close(); the second operation does not get executed, ever. You're missing quotes: ...`='$username' AND `Password` = $password" ^-- ^-- Without them, you're inserting a bare word into the query, which MySQL will treat as a field name. Given taht 'password` works, remember that Password = password would be valid sql, "where this field is equal to itself". You want: ... AND `Password` = '$password` note the quotes. You are are also WIDE open for SQL injection attacks, so stop working on this code until you've learned about the problem and how to avoid it. Your actual problem stems from this injection vulnerability. Stupid mistake, thanks for pointing it out. Thanks also for the link to SQL Injection I realise its something important that I will need to take more care with.
7,023