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://stackoverflow.com/questions/63104532
StackExchange
Open Web
CC-By-SA
2,020
Stack Exchange
GOVIND KRISHNA, https://stackoverflow.com/users/12129407, https://stackoverflow.com/users/12904808, swaffelay
Danish
Spoken
376
874
Cross origin error when uploading a file to express server So I use React to upload a file to my express server, doing this localy works however when I push the code to my nginx express server I keep on getting Cors errors. How would I be able to solve this problem, I currently user cors package ? app.use(cors({ "origin": "*", "methods": "GET,HEAD,PUT,PATCH,POST,DELETE,OPTIONS", "preflightContinue": false, "optionsSuccessStatus": 204 })) var multer = require('multer') var storage = multer.diskStorage({ destination: function (req, file, cb) { cb(null, databasepath + 'pdf-folder/') }, filename: function (req, file, cb) { cb(null, file.originalname) } }) var upload = multer({ storage: storage }) router.post('/uploadfolder',[authJWT.authenticateJWT,authJWT.isAdmin,upload.single('file')], adminController.uploadfolder); exports.uploadfolder = function (req,res,next){ let dates = JSON.parse(req.body.Dates) const newFolder = new Folder_PDF( { name: req.file.originalname, validFrom: dates.validFrom, validTill: dates.validTill } ); newFolder.save((err,folder) => { if(err){ return res.status(500).send({message: err}); } return res.status(200) }) } And my front end is just a simple dataform, however since this is a cors error I bet it is a server error: uploadFile = () =>{ let data = new FormData(); data.append( 'file', this.state.file, 'a file title' ) const options = { onUploadProgress: (progressEvent) => { const {loaded, total} = progressEvent; let percent = Math.floor( (loaded * 100) / total ) if( percent <= 100 ){ this.setState({ uploadPercentage: percent }) } if(loaded === total){ // window.window.location.reload() } } } axios.post(apiLink+'admin/uploadfolder', data, options).then(res => { }).catch(err => console.log(err)) } The initial request where I upload to the server has the cors header, however when the server closes the connection when the file is uploaded I get the error because the connection close response doesn't have the header ? The problem wasn't really cors, it was a 413 error. The file was to large, you have to set it in your nginx config file: client_max_body_size 2M; const cors = require('cors'); const app = express(); const whitelist = ['yor-domain-name'] const corsOptionsDelegate = function (req, callback) { let corsOptions; if (whitelist.indexOf(req.header('Origin')) !== -1) { corsOptions = { origin: true } // reflect (enable) the requested origin in the CORS response } else { corsOptions = { origin: false } // disable CORS for this request } callback(null, corsOptions) // callback expects two parameters: error and options } No this didn't solve it Can you try my edited answer ?
88
https://stackoverflow.com/questions/27804265
StackExchange
Open Web
CC-By-SA
2,015
Stack Exchange
Noitidart, https://stackoverflow.com/users/1106547, https://stackoverflow.com/users/1828637, mortalis
English
Spoken
1,117
1,821
Firefox extension convert to restartless with XBL I'm developing a Firefox extension and need some help with it. My extension is overlayed and uses XBL binding to add new items to the user interface. Is it possible to convert this extension to a bootstrap type? I'm trying to add a button to the findbar. Used XBL to override the findbar interface. To start with the bootstrap I included "findbar{ -moz-binding:... }" rule to the style.css and register this sheet on startup() (with nsIStyleSheetService.loadAndRegisterSheet()). In this case my button is added to the bar without restart. But when I disable or remove the addon I need to restart the browser so that the button disappear. I tried to remove it on shutdown() in the bootstrap.js using: var fb=window.gFindBar.getElement("findbar-container") var but=window.gFindBar.getElement("the-button") fb.removeChild(but) But this didn't remove it. I debugged the code and all the elements (fb, but) were found and removed but it didn't touch the real findbars in any tab I had or opened. So I tried to unregister the stylesheet which bind my XBL to the findbar. This time the findbar just didn't open in the current tabs. But in new tabs it opened and without the button (a little better...). Also I've found that the findbar didn't open in the opened tabs because of a strange error: "this.browser is undefined". This error pointed to the findbar.xml line 533 where the code tried to run _unpdateCaseSensitivity() but it couldn't get the "gFindBar._browser" prorperty. Maybe it's because this property wasn't loaded for the original findbar object from the browser start (it was used by the overriden findbar object)... So this is the point I stuck on... And the question now is: How can I delete the button without restart and so that the findbar opens? I had same issue read this first, ask.m.o :: Apply and remove XBL binding on runtime then check out: StackOverflow :: Dynamic way to unbind dynamically binded XBL. You might find this helpful: ask.m.o :: My XBL is not working on findbar Thank you. It didn't solve my problem though added some new knowledge on this topic. But I noticed one interesting thing. If I start the browser and do not open the findbar and go to the Addon Manager and remove the addon and open the findbar in the first tab the button is disappeared... (I unregisted the stylesheet on remove, so the browser itself rebinds the findbar to its default .xml) The same thing happens with your MatchWord... So when the findbar is opening with the active addon it creates its objects (at least gFindBar) in the addon context. And after remove this context is unavailable but the findbar still refers to it. These are just my guesses. Maybe I'll finish these thoughts soon... And one more thing. I use the complete 'findbar' overriding so just copy its contents without methods to my .xml binding. So when I remove the addon with the previously opened findbar it just won't open in the same session (as I wrote above 'this.browser is null' message is in the Browser Console) And you use the 'findbar-container' rebind, so the button just isn't removed after the addon removing. But the findbar opens without problems... By the way. If you remove the addon and then open a new tab and open the findbar it doesn't contain the button. I tried to find another extension which uses XBL to add something to the findbar. For now found only Findbar Tweak. It removes its 'Find in tabs' button correctly. But there is a lot of modules which depend on each other. So it's hard to analyze the core of the button removal... Yeah I didn't implement the stuff from the topic. What the ask.m.o topic says is XBL is re-processed when one of those 3 actions happen. Then the StackOverflow topic says to add remove class to make it trigger the XBL re-process, this makes sense as that's one of the 3 actions that will trigger it. So I have to update MatchWord to apply class name and then remove it. Ill take a look at it right now actually. Ok check out MatchWord shutdown-diff-binding branch it now removes the XBL on shtudown, its a hacky solution though. https://github.com/Noitidart/MatchWord/blob/shtudown-diff-binding/bootstrap.js#L37 see on shtudown it is registering another XBL binding that is blank, this forces the reflow to blank xbl which restores the original XBL. A quirk was that I had to delay the unregistering of the blank XBL by 500ms, using 0 or 10ms does not make it trigger the xbl reflow. can install addon from repo with this addon: https://addons.mozilla.org/en-US/firefox/addon/github-extension-installer/ I also filed a bug here asking for a better way to force XBL reflow/reprocess: https://bugzilla.mozilla.org/show_bug.cgi?id=1118932 Btw i really appreciate you sharing your thoughts on this, it shows me a lot, i thought a lot about this exact same situation too. Also i mentiond to install MatchWord from repo, you cando this with this addon: https://addons.mozilla.org/en-US/firefox/addon/github-extension-installer/ Well your addon now works fine with the removal. But mine doesn't want to obey these instructions. Even with 2000 of delay... Maybe later I'll try to change my .xml so that it overrides the .findbar-container only, not the whole findbar. And then it should remove the button. Another thought is that the XBL and restartless extensions are not completely compatible. And XBL is for overlays and for bootstraps we have to use some direct methods to add/remove ui element (like document.createElement) I'll write the next comment in the answer section From the Findbar Tweak addon I extracted this method to add new checkbox to the findbar (and changed it for my needs): var findbar=window.gFindBar var container = findbar.getElement("findbar-container") var button = $('<toolbarbutton>') button.setAttribute('anonid', 'test-find-tabs') button.setAttribute('label', 'Test') button.setAttribute('type', 'checkbox') button.addEventListener('command', test,false) container.insertBefore(button, findbar.getElement('find-case-sensitive').nextSibling) But for my final purpose it needs some additional editings. So for now I'll leave this problem. Maybe a wise thought will occur me later. Cause a good idea often comes in mind after we change the focus from the problem and then return to it... But this has to add add to every element manually and initialy the toolbar element doesnt exist until user opens it for first time in tab. Share with me your xml file you use and Ill get it to work in my MatchWord example. :) Here I uploaded my simlified project: Test Findbar. Sorry cannot use GitHub cause have WindowsXP I added it to Github: git - Test Findbar I'll check it out today. Why did you copy and paste the whole XBL of the original findbar instead of using <children/>? You can add your find-test check box in place of my Line 5 here: https://github.com/Noitidart/MatchWord/blob/shtudown-diff-binding/findbar.xml what was your reasoning for duplicating original XBL?
10,308
https://ru.wikipedia.org/wiki/%D0%9C%D0%B0%D0%B3%D0%B5%D1%80%2C%20%D0%92%D0%BE%D0%BB%D1%8C%D1%84%D0%B3%D0%B0%D0%BD%D0%B3
Wikipedia
Open Web
CC-By-SA
2,023
Магер, Вольфганг
https://ru.wikipedia.org/w/index.php?title=Магер, Вольфганг&action=history
Russian
Spoken
432
1,259
Вольфганг Магер (; ) — немецкий гребец, выступавший за сборную ГДР по академической гребле в 1970-х годах. Двукратный олимпийский чемпион, четырёхкратный чемпион мира, победитель многих регат национального и международного значения. Биография Вольфганг Магер родился 24 августа 1952 года в городе Каменц, ГДР. Проходил подготовку в Лейпциге в местном спортивном клубе DHfK. Впервые заявил о себе в гребле в 1970 году, выиграв золотую медаль в распашных рулевых двойках на юниорском мировом первенстве в Греции. Первого серьёзного успеха на взрослом международном уровне добился в сезоне 1972 года, когда вошёл в основной состав восточногерманской национальной сборной и благодаря череде удачных выступлений удостоился права защищать честь страны на летних Олимпийских играх 1972 года в Мюнхене. Вместе с напарником Зигфридом Брицке занял первое место в распашных двойках без рулевого и тем самым завоевал золотую олимпийскую медаль. Был лучшим в безрульных двойках на чемпионате ГДР 1973 года, однако на чемпионате Европы в Москве попасть в число призёров не смог, показав в данной дисциплине лишь четвёртый результат. В 1974 году в безрульных четвёрках одержал победу на чемпионате мира в Люцерне. Год спустя на аналогичных соревнованиях в Ноттингеме повторил это достижение в той же дисциплине. Принимал участие в летних Олимпийских играх 1976 года в Монреале. На сей раз выступал в составе четырёхместного безрульного экипажа совместно с партнёрами Андреасом Деккером, Штефаном Земмлером и Зигфридом Брицке — вновь был лучшим и добавил в послужной список ещё одно олимпийское золото. После монреальской Олимпиады Магер остался в основном составе восточногерманской национальной сборной и продолжил принимать участие в крупнейших международных регатах. Так, в 1977 году он победил в безрульных четвёрках на чемпионате мира в Амстердаме. В 1978 году побывал на мировом первенстве в Карапиро, откуда привёз награду серебряного достоинства, выигранную в зачёте безрульных четвёрок — уступил в финале только экипажу из СССР. На чемпионате мира 1979 года в Бледе вновь одержал победу в безрульных четвёрках, став таким образом четырёхкратным чемпионом мира по академической гребле. Планировал принять участие и в Олимпийских играх 1980 года в Москве, однако незадолго до старта соревнований получил травму руки и был заменён Юргеном Тиле. За выдающиеся спортивные достижения награждался орденом «За заслуги перед Отечеством» в серебре (1972), бронзе (1974) и золоте (1976). Завершив спортивную карьеру, работал преподавателем в Офицерской школе ВВС ГДР в Каменце. Примечания Ссылки Вольфганг Магер — страница на сайте Международного олимпийского комитета Гребцы (академическая гребля) ГДР Гребцы (академическая гребля) на летних Олимпийских играх 1972 года Гребцы (академическая гребля) на летних Олимпийских играх 1976 года Чемпионы летних Олимпийских игр 1972 года Чемпионы летних Олимпийских игр 1976 года Олимпийские чемпионы от ГДР Олимпийские чемпионы по академической гребле Чемпионы мира по академической гребле Кавалеры ордена «За заслуги перед Отечеством» в золоте
45,731
https://zh.wikipedia.org/wiki/%E9%98%BF%E5%88%97%E5%B0%94%C2%B7%E8%B4%B9%E5%B0%94%E5%8D%97%E5%BE%B7%E6%96%AF
Wikipedia
Open Web
CC-By-SA
2,023
阿列尔·费尔南德斯
https://zh.wikipedia.org/w/index.php?title=阿列尔·费尔南德斯&action=history
Chinese
Spoken
381
1,618
阿列尔·费尔南德斯(Ariel Fernandez,出生名 阿列尔·费尔南德斯·斯提格里亚诺, )是一位阿根廷–美国双重国籍的物理化学家,1984年在耶鲁大学获化学物理专业博士学位 ,曾在马克思-普朗克研究所在诺奖得主Manfred Eigen和Robert Huber的指导下从事博士后研究,后在美国莱斯大学任Karl F. Hasselmann讲座讲授,2011年从莱斯大学退休后开始在瑞士的巴塞尔学院 继续从事研究工作,同时创建咨询公司Ariel Fernandez Consultancy 和AF Innovation 为企业提供咨询服务。 荣誉 阿列尔•费尔南德斯在其学术生涯中获得许多荣誉,包括“布宜诺斯艾利斯州最佳大学毕业生奖章” (1980), the Camille and Henry Dreyfus Distinguished New Faculty Award (1989), The Camille and Henry Dreyfus Teacher-Scholar Award (1991), the J. S. Guggenheim Memorial Foundation Fellowship (1995), the Alexander von Humboldt Award (1995), Eli Lilly Award (2004), 莱斯大学讲座教授 (2005), John and Ann Doerr Foundation Award (2006)。他在2006年入选美国医药和生物工程学会 ,并且成为瑞士巴塞尔学院荣誉会员 。 职业生涯 阿列尔•费尔南德斯多个领域的顶级学术期刊上发表文章,包括:代数、动力系统理论、统计力学、化学物理、界面现象、药物设计、癌症治疗和结构生物学视角下的分子进化。他的部分发表成果被收录在Google Scholar Citations 和ResearchGate 。他曾在国际重要期刊上发表过350篇学术论文,包括:Proceedings of the US National Academy of Sciences, Annual Reviews of Genetics, Nature, Physical Review Letters, Genome Research,其科研成果曾被 Nature , Nature Reviews Drug Design, Chemistry World (UK Royal Society) , Scientific American等著名期刊评述。阿列尔•费尔南德斯著有一部学术著作,持有两个药物治疗方面的专利。 阿列尔•费尔南德斯在药物设计领域的一部分最重要的研究成果属于转化医学。他建立了被称之为dehydron的物理化学模型用于描述蛋白质分子的一种结构奇点,并将此模型用于进行药物特异性筛选从而设计更为安全的药物。基于dehydron理论,阿列尔•费尔南德斯发明了分子工程中的“包裹技术”(wrapping technology)。“包裹技术”让药物设计人员能够根据蛋白质靶点的dehydron分布特点来设计药物,从而达到更好的特异性。“包裹技术”及其应用在阿列尔•费尔南德斯的著作 Springer-Verlag, Berlin, 2010)中有详细描述。 著作 "Transformative Concepts for Drug Design: Target Wrapping", by Ariel Fernandez (ISBN 978-3642117916, Springer-Verlag, Berlin, Heidelberg, 2010). "Biomolecular Interfaces: Interactions, Functions and Drug Design", by Ariel Fernandez (ISBN 3319168495, ISBN 978-3319168494, Springer; 2015 edition). Physics at the Biomolecular Interface: Fundamentals for Molecular Targeted Therapy, by Ariel Fernandez (ISBN 978-3319308517, Springer International Publishing AG, Switzerland, 2016). 代表性论文 1. Ariel Fernández and Harold A. Scheraga: “Insufficiently dehydrated hydrogen bonds as determinants for protein interactions ”, Proceedings of the National Academy of Sciences, USA 100, 113-118 (2003). 2. Ariel Fernández: “Keeping Dry and Crossing Membranes ”. Nature Biotechnology 22, 1081-1084 (2004). 3. Ariel Fernández, Xi Zhang and Jianping Chen: “Folding and wrapping soluble proteins: Exploring the molecular basis of cooperativity and aggregation ”. Progress in Molecular Biology and Translational Science 83, 53-88 (2008). 4. Ariel Fernández and Jianping Chen: “Human capacitance to dosage imbalance: Coping with inefficient selection ”. Genome Research 19, 2185-2192 (2009) 5. Ariel Fernández and Michael Lynch: “Nonadaptive origins of interactome complexity ”. Nature 474, 502-505 (2011). 6. Ariel Fernández: “Epistructural tension promotes protein associations ”. Physical Review Letters 108, 188102 (2012). 7. Patent US 8,466,154 B2 (awarded) Ariel Fernández et al.: “Methods and Composition of Matter Related to Wrapping of Dehydrons ”. Inventors: Ariel Fernández, William Bornmann, Gabriel Lopez-Berestein, Angela Sanguino, Zeng-Hong Peng, Anil K. Sood. Awarded: June 18, 2013. 持有专利 1. Patent US 9,051,387 专利名称: Inhibition of MyBP-C binding to myosin as a treatment for heart failure 持有人: Richard L. Moss and Ariel Fernandez 参见 Oktay Sinanoğlu (Fernandez' dissertation advisor) 外部链接 Ariel Fernandez Innovation www.profarielfernandez.com Ariel Fernandez Consultancy Ariel Fernandez ORCID 参考资料 阿根廷科學家 移民美国的阿根廷人 耶魯大學校友 美国物理化学家 美国生物物理学家 理论化学家 佛羅里達州邁阿密大學教師 莱斯大学教师 美国医学与生物工程院院士 布兰卡港人
39,724
https://diy.stackexchange.com/questions/140218
StackExchange
Open Web
CC-By-SA
2,018
Stack Exchange
AllInOne, Ed Beal, Niall, brhans, https://diy.stackexchange.com/users/12565, https://diy.stackexchange.com/users/33897, https://diy.stackexchange.com/users/43243, https://diy.stackexchange.com/users/44366, https://diy.stackexchange.com/users/4576, https://diy.stackexchange.com/users/69016, https://diy.stackexchange.com/users/69578, https://diy.stackexchange.com/users/86120, jdoe, manassehkatz-Moving 2 Codidact, paparazzo, ratchet freak
English
Spoken
420
608
Restore tennis court I currently own a property in Edinburgh, UK with what used to be a tennis court. It is depicted here: What would be the cheapest way to convert this back into a tennis court? what is underneath the moss? I'm guessing you're not looking for an answer along the lines of "jackhammer it all up and start over"? @ratchetfreak concrete from the old tennis court. Approx 20 years old. Have you tried playing on it as it is? If you can play on grass, why not on moss? Surely the cheapest option would be to just put up a net. Wouldn't do for regulation tournaments of course, but could be very charming if it's not too slippery. Scrape off moss in a few places and have a look. If the surface isn't too rough then spray with a moss-killer, leave for a few weeks and power-hose off the rest. If it needs resurfacing then wither call a tarmac company(cheapest resurface, but not most tennis friendly). Also, you have a drainage issue. @AllInOne the moss will cut-up immediately so it'll be slippery, inconsistent and 100% worth filming to laugh at later. Pressure-wash away the moss. Assess the integrity of the concrete. If it's sound, carry on. If not, abandon the project as there's no "cheapest" way of restoring it. Acid etch the concrete to make it completely clean for recoating. Skim any divots with vinyl repair compound to make them flat. Commission a court finisher to apply the appropriate court coating and paint the lines. Alternatively, roll or spray a suitable court paint yourself. Disclaimer: I've never restored a tennis court, nor have I perfected the overhand serve. Or even tried. Either thing. Good answer. But in my (quite limited) experience, large areas of concrete left to weather and grow "stuff" for a few years generally have quite a bit of cracking, heaving, etc. So after (1), (2) will very likely be "no good". I have restored a fruit packing room after a fire the concrete had many divots from the fire. We removed what was left of the equipment and basically did as @isherwood said to do but since it was a food processing plant we had to seal the concrete to make the health inspector happy.+ note that room was probably larger than a tennis court at 125x 75'. But I am not sure of a court dimensions. @manassehkatz You don't know until you look. If the first 10 sq feet is bad you can stop.
34,447
https://pl.wikipedia.org/wiki/Tsuen%20Wan%20Line
Wikipedia
Open Web
CC-By-SA
2,023
Tsuen Wan Line
https://pl.wikipedia.org/w/index.php?title=Tsuen Wan Line&action=history
Polish
Spoken
333
682
Tsuen Wan Line (chiń. 荃灣綫) – zelektryfikowana linia systemu MTR w Hongkongu. Linia biegnie przez dzielnice Central and Western, Yau Tsim Mong, Sham Shui Po, Kwai Tsing i Tsuen Wan. Linia zaczyna się w stacji Central, a kończy swój bieg w Tsuen Wan, ma 16 stacji, a całkowity czas przejazdu wynosi 30 min. Historia Plan stworzenia nowej linii MTR w Hongkongu został zaakceptowany w 1975 roku i rozpoczęto jego realizację zaraz potem. Główny odcinek linii pod Nathan Road w dzielnicy Koulun został otwarty w 1979 roku. Pierwsze pociągi zaczęły jeździć do Tsuen Wan dopiero 10 maja 1982 roku. Po otwarciu całej linii była ona jedyną ekspresową linią w systemie MTR w Hongkongu. Nazwy kilku stacji nowo powstałej linii zostały zmienione od tych zapisanych oryginalnie w planach. Zostały nazwane im nazwy odzwierciedlające dzielnice w jakich się znajdują, zamiast skrzyżowań ulic. Przebieg Tsuen Wan Line biegnie z południa na północ terytorium Hongkongu, w większej części biegnie pod ziemią. Linia zaczyna się w stacji Central, za stacją Admiralty przebiega pod Portem Wiktorii do stacji Tsim Sha Tsui. Linia przebiega pod ziemią, pod głównymi ulicami miasta, na powierzchnię wyjeżdża od stacji Lai King. Niektóre stacje tej linii znajdują się bardzo głęboko pod ziemią, ponieważ są stacjami w okolicach portu przed zejściem pod wodę lub są stacjami przesiadkowymi z Island Line, która została wybudowana w typie deep-level. Tsuen Wan Line przecina się z 5 innymi liniami systemu MTR, można się przesiąść między nimi bezpośrednio lub pośredni na kilku stacjach. Stacje Central oraz Admiralty są stacjami przesiadkowymi z Island Line. Stacja Central pośrednio poprzez połączenie piesze ze stacją Hong Kong zapewnia możliwość transferu z Tung Chung Line i Airport Express. Stacja Tsim Sha Tsui także poprzez połączenie piesze ze stacją East Tsim Sha Tsui zapewnia transfer pośredni z West Rail Line. Stacje Mong Kok i Prince Edward są stacjami przesiadkowymi z Kwun Tong Line. Stacja Mei Foo zapewnia bezpośredni transfer z West Rail Line, zaś stacja Lai King z Tung Chung Line. Przypisy Transport w Hongkongu MTR w Hongkongu
24,592
https://fr.wikipedia.org/wiki/Brigitte%20Wujak
Wikipedia
Open Web
CC-By-SA
2,023
Brigitte Wujak
https://fr.wikipedia.org/w/index.php?title=Brigitte Wujak&action=history
French
Spoken
125
281
Brigitte Wujak, née Künzel le à Karl-Marx-Stadt, est une athlète est-allemande, spécialiste du saut en longueur. Elle a été médaillée olympique aux Jeux olympiques de Moscou. Avec un saut à 7,04 m, elle a ainsi été la première allemande à franchir la limite des 7 m. Palmarès Jeux olympiques Jeux olympiques d'été de 1980 à Moscou () Médaille d'argent au saut en longueur Championnats d'Europe d'athlétisme Championnats d'Europe d'athlétisme de 1978 à Prague () au saut en longueur Championnats d'Europe d'athlétisme de 1982 à Athènes () au saut en longueur Liens externes Athlète est-allemande Sauteuse en longueur allemande Athlète (femme) aux Jeux olympiques d'été de 1980 Médaillée d'argent olympique est-allemande Récipiendaire de l'ordre du mérite patriotique en bronze Naissance en mars 1955 Naissance à Chemnitz
42,072
https://ar.wikipedia.org/wiki/%D8%B3%D9%86%D8%AC%20%D8%B3%D9%86%D8%AC
Wikipedia
Open Web
CC-By-SA
2,023
سنج سنج
https://ar.wikipedia.org/w/index.php?title=سنج سنج&action=history
Arabic
Spoken
64
216
إصلاحية سنج سنج هي إصلاحية في أوسينينغ، نيو يورك، الولايات المتحدة الأمريكية. يقع تقريباً على بعد 30 ميل (48 كيلومتر) شمال نيو يورك. أعلام روث سنايدر فرانسيس كراولي يوليوس روزنبرغ تشارلز بيكر ألبرت فيش المصدر Sing Sing مراجع سنج سنج تأسيسات سنة 1828 في ولاية نيويورك سجون سجون في ولاية نيويورك عقوبة الإعدام في ولاية نيويورك مبان ومنشآت في مقاطعة ويستتشستر (نيويورك) ولاية نيويورك
8,458
https://stackoverflow.com/questions/19978424
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
Allen Mee, David Dimalanta, Tenfour04, Wim Ombelets, https://stackoverflow.com/users/1226915, https://stackoverflow.com/users/1556478, https://stackoverflow.com/users/2991642, https://stackoverflow.com/users/506796, https://stackoverflow.com/users/679110, kUr4m4
English
Spoken
519
753
Some Android Unity Games can't support mouse click? On Android, I found some Unity Games can not support mouse click(e.g. com.defiantdev.skisafari), I can move mouse cursor, but buttons don't response when I click them. But most games can support mouse. I can use mouse click buttons like finger touch. I am not familiar with Unity. So I am confused that why some games can not support mouse? Does Unity can not support mouse default? Developers need implements the function by themselves? If a game can not support mouse, Can I modify it to support easily? Thanks. this is probably a design choice or an oversight. No you cannot modify the finished product but if you have access to the source code (open source games) then you can tinker with it. In Unity, it is up to the game developer to implement mouse control if they want to support it. Most developers are probably not thinking about mouse control on mobile, because it is so rare. But I found most Unity games can support mouse, a few games can not support. So I think may Unity can support mouse controller by default. @Tenfour04 Your means is if a button created in Unity, by default, it only support finger touch, and can not clicked by mouse? Unity has built-in support for buttons that can be put in the UI, but their performance is poor, especially on mobile. Most developers program their own buttons from scratch, and it is up to them to put in support for accepting mouse clicks. But in fact, I am not even sure if Unity supports mice for the Android platform. Never tested it. Unity supports mouse clicks on all platforms. When in mobile development however, what would be considered a left or right mouse click is transformed into one and two fingers touch respectively. We tested these games on Android TV, so We need them work by mouse click... Only way to find out is by testing it I guess. Try running Debug.Log(Input.GetMouseButtonDown(0)) (if you have access to the debugger, otherwise just print it using a GUI Label) and see if it changes to true when you click the left mouse button. I had the same scenario with this topic you're discussing. You see, I discovered by accident, when I test run the Android app powered by Unity, a mouse click can be treated as finger touch. OnMouseDown() and OnMouseUp() works as well in Android Jellybean. But, I haven't tested yet on ICS. That will be required more study about mouse click as Android touch. Unity can support mouse clicks. However, it is possible that the developer of the games you are playing did not include the functions that support the mouse. void OnMouseDown() { // User clicked the mouse. } void OnMouseUp() { } This is how you find the exact mouse button you clicked. if (Input.GetMouseButtonDown(0)) Debug.Log("Pressed left click."); if (Input.GetMouseButtonDown(1)) Debug.Log("Pressed right click."); if (Input.GetMouseButtonDown(2)) Debug.Log("Pressed middle click."); If you have access to the source code, then you can make the game do anything and everything you want! Unity's API -- Mouse Subsection
11,172
https://hy.wikipedia.org/wiki/%D4%B2%D5%B8%D5%BD%D5%A1%D5%B6%D5%BD%D5%AF%D5%AB%20%D5%8A%D5%A5%D5%BF%D6%80%D5%B8%D5%BE%D5%A1%D6%81%20%28%D5%B0%D5%A1%D5%B4%D5%A1%D5%B5%D5%B6%D6%84%29
Wikipedia
Open Web
CC-By-SA
2,023
Բոսանսկի Պետրովաց (համայնք)
https://hy.wikipedia.org/w/index.php?title=Բոսանսկի Պետրովաց (համայնք)&action=history
Armenian
Spoken
117
652
Բոսանսկի Պետրովաց համայնք (, , 1992 թվականի հոկտեմբերի 31-ից մինչև 1995 թվականի սեպտեմբերի 15-ը կոչվել է Պետրովաց), բոսնիական համայնք, որը Բոսնիա և Հերցեգովինա ֆեդերացիայի կազմում է։ Տեղակայված է Բոսնիա և Հերցեգովինայի արևմտյան մասում։ Վարչական կենտրոնը համարվում է Բոսանսկի Պետրովաց քաղաքը։ Բնակչություն Բնակավայրեր Բառա, Բյելայ, Վյելայսկի Վագանաց, Բոսանսկի Պետրովաց, Բրավսկո, Բրավսկի Վագանց, Բրեստովաց, Բուկովաչա, Բունարե, Բուսիե, Վեդրո Պոլե, Վոչենիցա, Վրանովինա, Վրտոչե, Դոբրո Սելո, Յանիլա, Կապլյուխ, Կլենովաց, Կոլունիչ, Կրնիա Ելա, Կրնեուշա, Լաստվե, Մաիլ Ստիոնյանի, Մեդենո Պոլե, Օրաշկո Բրդո, Օշտրել, Պոդսրնետիցա, Պրկոսի, Ռաշինովաց, Ռևենիկ, Ռիսովաց, Սկակավաց, Սմոլյանա, Սուվայա, Ցիմեշե։ Ծանոթագրություններ Գրականություն Савезни завод за статистику и евиденцију ФНРЈ и СФРЈ, попис становништва 1948, 1953, 1961, 1971, 1981. и 1991. године. Արտաքին հղումներ Համայնքի պաշտոնական կայքէջ Բոսնիա և Հերցեգովինայի վարչական բաժանում
37,995
https://no.wikipedia.org/wiki/Kristian%20Gislefoss
Wikipedia
Open Web
CC-By-SA
2,023
Kristian Gislefoss
https://no.wikipedia.org/w/index.php?title=Kristian Gislefoss&action=history
Norwegian
Spoken
100
225
Kristian Gislefoss (født 1980 i Bergen) er en norsk statsmeteorolog og værmelder for NRK. Han er utdannet innen meterologi og glasiologi ved Universitetet i Oslo. Gislefoss hadde sin første sending på Morgennytt på NRK 21. mars 2011. Før han begynte i NRK jobbet han på Meteorologisk institutt i Tromsø. Gislefoss var høsten 2020 tiltenkt rollen som ekornet i underholdningsprogrammet Maskorama på NRK, men måtte trekke seg fra programmet etter å ha fått problemer med stemmen på generalprøven. Kristian Gislefoss er sønnen til NRK-værmelder og meteorolog Kristen Gislefoss. Referanser Eksterne lenker Norske meteorologer Personer fra Bærum kommune Personer tilknyttet Meteorologisk institutt
4,662
https://ceb.wikipedia.org/wiki/Lord%20Byron%20Mine
Wikipedia
Open Web
CC-By-SA
2,023
Lord Byron Mine
https://ceb.wikipedia.org/w/index.php?title=Lord Byron Mine&action=history
Cebuano
Spoken
43
80
Ang Lord Byron Mine ngalan niining mga mosunod: Heyograpiya Tinipong Bansa Lord Byron Mine (minahan sa Tinipong Bansa, Clear Creek County), Colorado, Lord Byron Mine (minahan sa Tinipong Bansa, Boulder County), Colorado, Pagklaro paghimo ni bot 2017-02 Pagklaro paghimo ni bot Tinipong Bansa
8,737
https://ceb.wikipedia.org/wiki/W%C4%81d%C4%AB%20Buqayrah
Wikipedia
Open Web
CC-By-SA
2,023
Wādī Buqayrah
https://ceb.wikipedia.org/w/index.php?title=Wādī Buqayrah&action=history
Cebuano
Spoken
77
154
Wadi ang Wādī Buqayrah sa Yemen. Nahimutang ni sa lalawigan sa Muḩāfaz̧at al Ḩudaydah, sa kasadpang bahin sa nasod, km sa habagatan-kasadpan sa Sanaa ang ulohan sa nasod. Ang kasarangang giiniton °C. Ang kinainitan nga bulan Abril, sa  °C, ug ang kinabugnawan Enero, sa  °C. Ang kasarangang pag-ulan milimetro matag tuig. Ang kinabasaan nga bulan Agosto, sa milimetro nga ulan, ug ang kinaugahan Pebrero, sa milimetro. Ang mga gi basihan niini Mga suba sa Muḩāfaz̧at al Ḩudaydah
41,316
https://windowsphone.stackexchange.com/questions/6051
StackExchange
Open Web
CC-By-SA
2,014
Stack Exchange
Dirk Jan, Thomas, https://windowsphone.stackexchange.com/users/9408, https://windowsphone.stackexchange.com/users/979
English
Spoken
76
108
Phone crashed after playing 15 or more music files in the normal media player My phone crashed after playing 15 or more music files in the normal media player, it's a Nokia Lumia with WP 7.8. If I stream music from Onedrive, or when I'm watching video's everything is fine. Am I the only one who has this problem? Did this happen once or is this a reoccurring issue? every time after +- 15 music files.
46,880
https://ceb.wikipedia.org/wiki/Rougeotia%20osellai
Wikipedia
Open Web
CC-By-SA
2,023
Rougeotia osellai
https://ceb.wikipedia.org/w/index.php?title=Rougeotia osellai&action=history
Cebuano
Spoken
41
80
Kaliwatan sa alibangbang ang Rougeotia osellai. Una ning gihulagway ni Emilio Berio ni adtong 1978. Ang Rougeotia osellai sakop sa kahenera nga Rougeotia, ug kabanay nga Noctuidae. Walay nalista nga matang nga sama niini. Ang mga gi basihan niini Insekto Rougeotia
42,496
https://stackoverflow.com/questions/517915
StackExchange
Open Web
CC-By-SA
2,009
Stack Exchange
AMDG, Aleksandr Dubinsky, Antimony, Arefe, Elliott Frisch, Georgi Peev, Moritz, Myanna, Pascal Cuoq, Pato Córdova, RA Raquel, Robert Fraser, Shmuel Newmark, Superpig, Thorbjørn Ravn Andersen, Tim, Waldemar Bancewicz, aioobe, beatrice, geoff swartz, hfontanez, https://stackoverflow.com/users/11069710, https://stackoverflow.com/users/1151521, https://stackoverflow.com/users/11926277, https://stackoverflow.com/users/125601, https://stackoverflow.com/users/139746, https://stackoverflow.com/users/1420279, https://stackoverflow.com/users/1843331, https://stackoverflow.com/users/19025341, https://stackoverflow.com/users/1965404, https://stackoverflow.com/users/257299, https://stackoverflow.com/users/2746110, https://stackoverflow.com/users/276052, https://stackoverflow.com/users/2851311, https://stackoverflow.com/users/2950711, https://stackoverflow.com/users/2970947, https://stackoverflow.com/users/3090506, https://stackoverflow.com/users/420131, https://stackoverflow.com/users/53897, https://stackoverflow.com/users/5454794, https://stackoverflow.com/users/860530, https://stackoverflow.com/users/860586, https://stackoverflow.com/users/860607, https://stackoverflow.com/users/860758, https://stackoverflow.com/users/860895, https://stackoverflow.com/users/860897, https://stackoverflow.com/users/860898, https://stackoverflow.com/users/8628851, kevinarpe, ljun, markbate, simon, theRiley, typeracer
English
Spoken
2,207
3,161
When should I use the "strictfp" keyword in java? I've looked up what this does, but does anyone actually have an example of when you would use the strictfp keyword in Java? Has anyone actually found a use for this? Would there be any side-effects of just putting it on all my floating point operations? Always, unless you actually need the performance more than you need reproducibility. @Antimony - or the precision/correctness. x86/x64, for example, use 80-bit floating point registers internally, so the result will be more accurate for a long calculation without strictfp. @Robert Actually, the spec guarantees limited precision of the mantissa. The only difference is that it may use a larger exponent precision than normal, which has differences in rare cases due to double rounding. I'm thinking that in addition to the option of sprinkling this useful modifier all around the joint, new sfloat & sdouble primitive strictfp datatypes might be a good idea. You will need to use never in the production code unless you are writing a scientific calculator. Strictfp ensures that you get exactly the same results from your floating point calculations on every platform. If you don't use strictfp, the JVM implementation is free to use extra precision where available. From the JLS: Within an FP-strict expression, all intermediate values must be elements of the float value set or the double value set, implying that the results of all FP-strict expressions must be those predicted by IEEE 754 arithmetic on operands represented using single and double formats. Within an expression that is not FP-strict, some leeway is granted for an implementation to use an extended exponent range to represent intermediate results; the net effect, roughly speaking, is that a calculation might produce "the correct answer" in situations where exclusive use of the float value set or double value set might result in overflow or underflow. In other words, it's about making sure that Write-Once-Run-Anywhere actually means Write-Once-Get-Equally-Wrong-Results-Everywhere. With strictfp your results are portable, without it they are more likely to be accurate. Use it for reproducible scientific results and bit-exact unit tests. "If you don't use strictfp, the JVM implementation is free to use extra precision where available"--you make that sound like a bad thing :P @LinkTheProgrammer it certainly can be a bad thing @TimCastelijns I suppose Happy Wheels is your reference? The replays record keystrokes; due to FP-math implementation precision diversity, the replays are only accurate on similar hardware. Can you name a more realistic problem caused by floating point math variability? I can imagine perhaps a particle simulator, but what else? So this means we should always use strictfp in production where multiple platforms involved? What exactly does "intermediate results" in this context mean? Changes to the float before it gets passed/returned? Individual steps of a multistep float operation? Also note that of Java 17, floating point operations are always strict again and strictfp is not required anymore. Actually, the compiler will issue warnings when it's used. @Moritz so basically, after Java 17, the strictfp keyword is meaningless. Actually, there's a good Wikipedia article about strictfp, with a link to the Java specification's section on Floating-Point Types, Formats, and Values. Reading between the lines, the implication is that if you don't specify strictfp, then the JVM and JIT compiler have license to compute your floating-point calculations however they want. In the interest of speed, they will most likely delegate the computation to your processor. With strictfp on, the computations have to conform to IEEE 754 arithmetic standards, which, in practice, probably means that the JVM will do the computation. So why would you want to use strictfp? One scenario I can see is in a distributed application (or multiplayer game) where all floating-point calculations need to be deterministic no matter what the underlying hardware or CPU is. What's the trade-off? Most likely execution time. “an extended exponent range to represent intermediate results” is not “license to compute your floating-point calculations however they want”, and in practice, even strictfp computations make use of even an unhelpful 8087 FPU. It is only the case that a bit of care is required then. See http://stackoverflow.com/questions/18496560/how-do-java-runtimes-targeting-pre-sse2-processors-implement-floating-point-basi I agree with @PascalCuoq re: "license to compute your floating-point calculations however they want". If anything, the opposite seems to be true in this case, since strictfp assures compliance with the IEEE 754 standard (so that you get the same result on all platforms). The only drawback I can see is that you might lose the benefits of having a really good FPU available in your native hardware. In short words, use the strictfp, when you need the same floating calculation each time on different CPU model. Note that this can be overkill if your floating number is not that big. Java 17 Update strictfp had such a narrow set of use cases that as of Java 17, its functionality has been removed. It is still a valid modifier but now strictfp does nothing (JLS source). Instead, all floating-point operations are now strict, as was the case before strictfp was introduced in Java 1.2. On modern processors there is no longer any extra performance cost. Original answer Here are several references: Using strictfp (JDC Tech Tip) jGuru: What is the strictfp modifier for? When would I consider using it? Basically, what it all boils down to is whether or not you care that the results of floating-point expressions in your code are fast or predictable. For example, if you need the answers that your code comes up with which uses floating-point values to be consistent across multiple platforms then use strictfp. strictfp - Java Glossary Floating point hardware calculates with more precision, and with a greater range of values than the Java specification requires. It would be confusing if some platforms gave more precision than others. When you use the strictfp modifier on a method or class, the compiler generates code that adheres strictly to the Java spec for identical results on all platforms. Without strictfp, is it is slightly laxer, but not so lax as to use the guard bits in the Pentium to give 80 bits of precision. And finally the actual Java Language Specification, §15.4 FP-strict Expressions: Within an FP-strict expression, all intermediate values must be elements of the float value set or the double value set, implying that the results of all FP-strict expressions must be those predicted by IEEE 754 arithmetic on operands represented using single and double formats. Within an expression that is not FP-strict, some leeway is granted for an implementation to use an extended exponent range to represent intermediate results; the net effect, roughly speaking, is that a calculation might produce "the correct answer" in situations where exclusive use of the float value set or double value set might result in overflow or underflow. I've never personally had a use for it, though. You wrote: I've never personally had a use for it, though. I am exactly the same. Does anyone have a Real World example where it was used? @kevinarpe You have been very fortunate. Yes. Reconciliation with a mainframe. The books didn't quite balance without strictfp. That was an interesting bug to find and fix. It all began with a story, When java was being developed by James Gosling, Herbert and rest of his team. They had this crazy thing in mind called platform independency. They wanted to make oak(Java) so much better that it would run exactly same on any machine having different instruction set, even running different operating systems. But, there was a problem with decimal point numbers also known as floating point and double in programming languages. Some machines were built targeting efficiency while rest were targeting accuracy. So, the later(more accurate) machines had size of floating point as 80 bits while the former(more efficient/faster) machines had 64 bit doubles. But, this was against there core idea of building a platform independent language. Also, this might lead to loss of precision/data when a code is built on some machine(having double of 64 bit size) and run on another kind of machine(having double of 80 bit size). Up-Sizing can be tolerated but Down-Sizing can't be. So, they came across a concept of strictfp i.e. strict floating point. If you use this keyword with a class/function then its floating point and doubles have a consistent size over any machine. i.e. 32/64 -bit respectively. strictfp was introduced in Java 1.2. This was much later than when oak was designed. "decimal point numbers also known as floating point" -- Decimal means base 10, and has nothing to do with floating point representations. @aioobe Here in America (I don't know about other English-speaking nations) the period that separate the whole and fractional components of a number is called Decimal Point. That's what abhimanyuaryan meant. I'm sure you understood. There is no reason to get caught in semantics (in this case). https://english.stackexchange.com/questions/422162/what-is-the-binary-equivalent-to-decimal-and-decimal-point As the other answers mentioned it cause the intermediate floating point results to conform to the IEEE specification. In particular x86 processors can store intermediate results with different precision from the IEEE spec. The situation gets more complicated when the JIT optimizes a particular computation; the order the instructions could be different each time resulting in slightly different rounding. The overhead incurred by strictfp likely to be very processor and JIT dependent. This wikipedia article on SSE2 seems to have some insight into the problem. So if the JIT can generate SSE instructions to perform a calculation it seems that strictfp will not have any overhead. In my current project there are a few places where I use strictfp. There is a point where potential cosmic rays need to be removed from pixel values. If some outside researcher has the the same pixel value and cosmic ray in front them they should get the same resulting value as our software. strictfp is a modifier which restricts floating point calculations as per IEEE 754. This can be used on whole class like "public strictfp class StrictFpModifierExample{}" or on method "public strictfp void example()".If it is used on class than all methods will follow IEEE 754 and if used on method then particular method will follow IEEE 754. Why it is used??::: As different platforms have different floating point hardware which calculates with more precision and greater range of values than the java specification requires which may produce diffrent output on diffrent plateforms.so it confirms the same output irrespective of diffrent plateforms strictfp also ensures to take advantage of the speed and precision of the extended precision floating-point operations. There is no disadvantage with this keyword we can use when we are doing floating point calculations My last point is --What is IEEE754 in short IEEE 754 defines standard method for both floating point calculations and storage of floating point values in either single (32-bit, used in Java floats) or double (64-bit, used in Java doubles) precision.It also defines norms for intermediate calculations and for extended precision formats. As of Java 17+, the strictfp modifier is obsolete and does nothing. You should no longer use this modifier. strictfp is a keyword and can be used as a non Non-access modifier for classes or a methods (but never variables). Marking a class as strictfp means that any method code in the class will conform to the IEEE 754 standard rules for floating points. Without that modifier, floating points used in the methods might behave in a platform-dependent way. With it you can predict how your floating points will behave regardless of the underlying platform the JVM is running on. The downside is that if the underlying platform is capable of supporting greater precision, a strictfp method won't be able to take advantage of it. If you don't declare a class as strictfp, you can still get strictfp behavior on a method-by-method basis, by declaring a method as strictfp. ~ SCJP Sun®Certified Programmer for Java™ 6 - Kathy Sierra & Bert Bates ~ The one (and only time) I needed this was reconciliation with an IBM ZSeries. Outside of accounting and mainframes; no. It has been sometime, but I am fairly certain mainframes haven't changed. May below example help in understanding this more clear : In java whenever we are using looking for precise information for any operation e.g. if we do double num1 = 10e+102; double num2 = 8e+10 ; result = num1+ num2; The output will be so long and not precise, becasue it is precissed by the hardware e.g JVM and JIT has the license as long as we dont have specify it Strictfp Marking it Strictfp will make the result Uniform on every hardware and platform, because its precised value will be same One scenario I can see is in a distributed application (or multiplayer game) where all floating-point calculations need to be deterministic no matter what the underlying hardware or CPU is. 'strictfp' keyword is used to force the precision of floating point calculations (float or double) in Java conform to IEEE’s 754 standard, explicitly. If you do not use strictfp keyword, the floating point precision depends on target platform’s hardware. If an interface or class is declared with strictfp, then all methods and nested types within that interface or class are implicitly strictfp. Reference link
45,071
https://vi.wikipedia.org/wiki/Anisophyllea%20disticha
Wikipedia
Open Web
CC-By-SA
2,023
Anisophyllea disticha
https://vi.wikipedia.org/w/index.php?title=Anisophyllea disticha&action=history
Vietnamese
Spoken
49
105
Anisophyllea disticha là một loài thực vật]] thuộc họ Anisophylleaceae. Loài này có ở Brunei, Indonesia, Malaysia, và Singapore. Tham khảo World Conservation Monitoring Centre 1998. Anisophyllea disticha. 2006 IUCN Red List of Threatened Species. Truy cập 20 tháng 8 năm 2007. Chi Bất đẳng diệp Thực vật Sumatra
3,943
https://stackoverflow.com/questions/44174992
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
Kabuki29, https://stackoverflow.com/users/7939953
Norwegian Nynorsk
Spoken
616
2,237
Trouble in upload files in PDO I have a problem while uploading the file, the file is not running properly this is my php file, Is there any writing error or what? Warning: unlink(dist/img/): Permission denied in C:\xampp\htdocs\project_admin\edit_user.php on line 45 Line 45 : unlink($upload_dir.$avatar); php code : if (isset($_POST['update'])) { $id = $_GET['id']; $email = isset($_POST['_em']) ? $_POST['_em'] : null; $fname = isset($_POST['_fn']) ? $_POST['_fn'] : null; $lname = isset($_POST['_ln']) ? $_POST['_ln'] : null; $web_usr = isset($_POST['_web']) ? $_POST['_web'] : null; $usr_note = isset($_POST['_note']) ? $_POST['_note'] : null; $usr_edu = isset($_POST['_edu']) ? $_POST['_edu'] : null; $usr_skill = isset($_POST['_skill']) ? $_POST['_skill'] : null; $imgFile = isset($_FILES['user_image']['name']); $tmp_dir = isset($_FILES['user_image']['tmp_name']); $imgSize = isset($_FILES['user_image']['size']); if ($imgFile) { $upload_dir = 'dist/img/'; $imgExt = strtolower(pathinfo($imgFile,PATHINFO_EXTENSION)); $valid_extensions = array('jpeg', 'jpg', 'png', 'gif'); $avatar = rand(1000, 1000000).".".$imgExt; if(in_array($imgExt, $valid_extensions)) { if ($imgSize < 1000000) { unlink($upload_dir.$avatar); move_uploaded_file($tmp_dir, $upload_dir.$avatar); } else { $errMSG = "Sorry, your file is too large it should be less then 1MB"; } } else { $errMSG = "Sorry, only JPG, JPEG, PNG & GIF files are allowed."; } } //Retrieve the user account information by id. if(!isset($errMSG)) { $object->Update($id, $email, $fname, $lname, $web_usr, $usr_note, $avatar, $usr_edu, $usr_skill, $avatar); $sucMSG = "<strong>WOW!</strong> Record was updated successfully"; } else { $errMSG = "Sorry Data Could Not Updated !"; } } HTML Code <form class="form-horizontal" method="POST" > <div class="box-body"> <div class="form-group"> <input type="hidden" name="id" value="<?php echo $id; ?>"> <label for="inputUserName" class="col-sm-2 control-label">Username</label> <div class="col-sm-10"> <input type="text" class="form-control" id="inputUserName" value="<?php echo $username; ?>" disabled> <p class="help-block"><em>You require permission from Administrators to change it.</em></p> </div> </div> <div class="form-group"> <label for="inputFirstName" class="col-sm-2 control-label">First Name</label> <div class="col-sm-10"> <input type="text" name="_fn" class="form-control" id="inputFirstName" value="<?php echo $fname; ?>"> </div> </div> <div class="form-group"> <label for="inputLastName" class="col-sm-2 control-label">Last Name</label> <div class="col-sm-10"> <input type="text" name="_ln" class="form-control" id="inputLastName" value="<?php echo $lname; ?>"> </div> </div> <div class="form-group"> <label for="inputEmail" class="col-sm-2 control-label">Email</label> <div class="col-sm-10"> <input type="email" name="_em" class="form-control" id="inputEmail" value="<?php echo $email; ?>"> </div> </div> <div class="form-group"> <label for="inputEmail" class="col-sm-2 control-label">Website</label> <div class="col-sm-10"> <input type="text" name="_web" class="form-control" id="inputEmail" value="<?php echo $web_usr; ?>"> </div> </div> <div class="form-group"> <label for="inputEducation" class="col-sm-2 control-label">Education</label> <div class="col-sm-10"> <input type="text" name="_edu" class="form-control" id="inputEducation" placeholder="Education" value="<?php echo $usr_edu; ?>"> </div> </div> <div class="form-group"> <label for="inputNote" class="col-sm-2 control-label">Notes</label> <div class="col-sm-10"> <textarea class="form-control" id="inputNote" placeholder="Note" name="_note"><?php echo $usr_note; ?></textarea> </div> </div> <div class="form-group"> <label for="inputSkill" class="col-sm-2 control-label">Skill</label> <div class="col-sm-10"> <select class="form-control select2" name="_skill" value="<?php echo $usr_skill; ?>" multiple="multiple" data-placeholder="Skill" > </select> </div> </div> <div class="form-group"> <label for="inputRole" class="col-sm-2 control-label">Role</label> <div class="col-sm-10"> <input type="text" class="form-control" id="inputRole" value="<?php echo $id_admrole; ?>" disabled> <p class="help-block"><em>You require permission from Administrators to change it.</em></p> </div> </div> <div class="form-group"> <label for="inputFile3" class="col-sm-2 control-label">Foto Profil</label> <div class="col-sm-10"> <div class="input-group"> <label class="input-group-btn"> <span class="btn btn-primary"> Browse&nbsp; <input type="file" style="display: none;" accept="image/*" id="file" name="user_image"> </span> </label> <input type="text" class="form-control" value="<?php echo $avatar; ?>" readonly> </div> </div> </div> <div class="form-group"> <div class="col-sm-offset-2 col-sm-10"> <button type="submit" name="update" class="btn btn-danger" value="update">UPDATE</button> </div> </div> </div> <!-- /.box-body --> </form> Is there anybody who can help me? You appear to be trying to delete a directory, but I am pretty sure you intended to delete an image file from within that directory. The problem is here, see comments in code if ($imgFile) { $upload_dir = 'dist/img/'; $imgExt = strtolower(pathinfo($imgFile,PATHINFO_EXTENSION)); $valid_extensions = array('jpeg', 'jpg', 'png', 'gif'); $avatar = rand(1000, 1000000).".".$imgExt; if(in_array($imgExt, $valid_extensions)) { if ($imgSize < 1000000) { // ERROR here //unlink($upload_dir); // add the filename to the directory name unlink($upload_dir.$imgFile); // Or maybe it should be unlink($upload_dir.$avatar); move_uploaded_file($tmp_dir, $upload_dir.$avatar); } else { $errMSG = "Sorry, your file is too large it should be less then 1MB"; } } else { $errMSG = "Sorry, only JPG, JPEG, PNG & GIF files are allowed."; } The file was successfully uploaded, only it was not recorded on the database
10,174
https://stackoverflow.com/questions/21790587
StackExchange
Open Web
CC-By-SA
2,014
Stack Exchange
English
Spoken
248
393
How to inject html codes, chrome extensions i want to insert html codes using chrome extension. Adding complex HTML using a Chrome content script this link works but i need to insert more specific area. For example this links add html codes to top of codes but i need to insert in specific codes like <html> <body> ... ... <div> //codes </div> // i want my code goes here // <div> // </div> ... ... </body> </html> if im still can't explain myself, there is a chrome extension which name is "looper for youtube" this extension is doing what i need. Thanks for any helps, and sorry for my bad english You have to write code in the content_script to specify where your HTML will be injected. For example, you could use the insertBefore function to insert HTML code before an existing element. There are many functions surrounding the DOM tree which can help you specify the exact point in the document to insert new objects. Do not think about the HTML as a text file, think about it as a document tree (with parent nodes, child nodes, and ids). Here is a list of functions to get you started: http://www.w3schools.com/jsref/dom_obj_all.asp For example, something like: document.getElementById('test').innerHTML = "HI!"; Will insert "HI!" inside the div tags in the following HTML: <html> <body> <div id='test'> </div> </body> </html> If you require further assistance, please be more specific with your request. Where (exactly) do you need the HTML to be injected?
42,846
https://ht.wikipedia.org/wiki/Fayette%2C%20New%20York
Wikipedia
Open Web
CC-By-SA
2,023
Fayette, New York
https://ht.wikipedia.org/w/index.php?title=Fayette, New York&action=history
Haitian Creole
Spoken
47
127
Fayette se yon vil nan eta Nou yòk (New York) . Li nan konte, rejyon Seneca . Istwa Istwa Relasyon ak Ayiti Kominote Ayisyen, relasyon ant eta sa epi Ayiti Jewografi Ekonomi Devlòpman Politik Edikasyon Anviwònman referans Kèk lyen vil nan New York Vil nan Etazini jewografi
18,982
https://sk.wikipedia.org/wiki/N%C3%A1rodn%C3%A9%20hokejov%C3%A9%20mu%C5%BEstvo%20USA%20hr%C3%A1%C4%8Dov%20do%2020%20rokov
Wikipedia
Open Web
CC-By-SA
2,023
Národné hokejové mužstvo USA hráčov do 20 rokov
https://sk.wikipedia.org/w/index.php?title=Národné hokejové mužstvo USA hráčov do 20 rokov&action=history
Slovak
Spoken
52
135
Národné hokejové mužstvo USA hráčov do 20 rokov je národné mužstvo, ktoré reprezentuje Spojené štáty na majstrovstvách sveta v ľadovom hokeji hráčov do 20 rokov. Úspechy Majstrovstvá sveta - 2004, 2010, 2013 - 1997 - 1978, 1986, 1992, 2007 Pozri aj Národné hokejové mužstvo USA Národné hokejové mužstvá hráčov do 20 rokov
1,552
https://en.wikipedia.org/wiki/Girilal%20Jain
Wikipedia
Open Web
CC-By-SA
2,023
Girilal Jain
https://en.wikipedia.org/w/index.php?title=Girilal Jain&action=history
English
Spoken
572
881
Girilal Jain (1924 – 19 July 1993) was an Indian journalist. He served as the editor of The Times of India from 1978 until 1988. He advocated establishing old glory and re establishing the great tenets of Hinduism aligned with nationalism and authored books on the subject, the best known of which, The Hindu Phenomenon, was published posthumously. The government of India awarded him the civilian honour of the Padma Bhushan in 1989. He is accused by Congressional records of being vituperative towards Sikhs in editorial named "De-Turbaning of Sikhs". Personal life Girilal Jain was born in Piplikhera in Sonipat district, which falls in Delhi National Capital Region. He received a bachelor's degree in history from Hindu College, Delhi from Delhi University. He married Sudarshan Jain in 1951. They had a son and three daughters, including the historian Meenakshi Jain and the columnist Sandhya Jain. Sunil Jain, his son, was a journalist, who was the managing-editor of the Financial Express. At the age of 69, Girilal Jain died on 19 July 1993. Journalism Career Jain began his career in journalism in 1948 with the News Chronicle. In 1950, he shifted to The Times of India where he worked as a sub-editor. Later, he shifted to reporting and became Chief Reporter in 1958. Besides Delhi, he served for the newspaper from Karachi and London. Later, Jain served as the Editor-in-Chief of The Times of India from 1978-88. His views Khushwant Singh wrote that, towards the end of his career, Girilal Jain's writings showed a "distinct anti-Muslim, anti-Sikh and anti-Christian bias." Jain was reportedly fired as the editor of the Times of India as a result of his alleged Hindutva sympathies. After retirement, he wrote on the core issues of pre independence and post partition suffering of Hindus and penned the book The Hindu Phenomenon which was edited and published by his daughter Meenakshi Jain posthumously. Girilal Jain welcomed the movement for the Ram Temple at Ayodhya as part of the process of long lost justice for Hindus. He believed that the political-economic order that Jawaharlal Nehru had fashioned was as much in its last throes as its progenitor, the Marxist–Leninist-Stalinist order. He believed that the two major planks of this order, secularism and socialism, have "lost much of their old glitter" while the third, non-alignment, has become redundant. According to him, the concept of nation is alien to Hindu temperament and genius; for it emphasized the exclusion of those who did not belong to the charmed circle (territorial, linguistic or ethnic) as much as it emphasized the inclusion of those who fell within the circle. By contrast, the essential spirit of Hinduism was inclusivist, and not exclusivist, by definition. Such a spirit must seek to abolish and not build boundaries. That is why, he held, that Hindus could not sustain an anti-Muslim feeling, except temporarily and, that too only under provocation. Jain was criticized in the Congressional Record volume 142, issue 137, (September 28, 1996) published by the U.S. Government Publishing Office for his 1982 Times Of India editorial titled "De-Turbaning of Sikhs" for its anti-Sikh bias. References External links Girilal Jain, 69, Editor; Backed Indira Gandhi - New York Times Ayodhya and After - Appendix 1 - Girilal Jain on Hindu Rashtra Indian male journalists 1924 births 1993 deaths Hindu writers Hindu revivalist writers Recipients of the Padma Bhushan in literature & education Delhi University alumni Journalists from Delhi 20th-century Indian journalists
33,554
https://stackoverflow.com/questions/47470695
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
Aleksander Orchowski, Jet Chopper, Manfred Radlwimmer, Rand Random, Sean O'Neil, https://stackoverflow.com/users/2598770, https://stackoverflow.com/users/3214843, https://stackoverflow.com/users/5357729, https://stackoverflow.com/users/6152542, https://stackoverflow.com/users/6566626
English
Spoken
254
448
Uwp advanced animations I want to create advanced animation with C# UWP. Animation that would look like this: Any idea how to achieve this? Since you mentioned C# - you want to make it with code behind? Honestly, you might have to just use a video or a special pixel shader. I don't think this can be done with out-of-the-box WPF animations. Looks like moving shapes or video under blurred CompositionBackdropBrush Square peg round hole. Use a animation application to create a video or an HTML canvas animation. If it's a background and requires no transparency, go with video. You can do it with composition API, but i was to stupid to understand that. Good luck! I'm not so sure what is under your blur effect. Looks like it is a wave related animation. So let's make your animation to two parts: See Justin's answer on the following thread, the answer will tell you how you can create a wave animation. As mentioned above by Jet Chopper, we can add blur brush(CompositionBackdropBrush) based on sample code from this MS doc So to understand this in a simple way, you can: Download Justin's sample from here Add BackdropBlurBrush to his project Write the following code in MainPage XAML: <local:WaveProgressControl x:Name="WaveProgressControl" /> <Rectangle Width="200" Height="200" Stroke="Red" StrokeThickness="3" > <Rectangle.Fill> <blureffect:BackdropBlurBrush BlurAmount="10"/> </Rectangle.Fill> </Rectangle> The blureffect above refer to the namespace which include your BackdropBlurBrush. In this way you have a basic sample that looks like what you want. You can modify your project based on this.
33,937
https://fr.wikipedia.org/wiki/Meirieu
Wikipedia
Open Web
CC-By-SA
2,023
Meirieu
https://fr.wikipedia.org/w/index.php?title=Meirieu&action=history
French
Spoken
5
14
Philippe Meirieu ; Emmanuel Meirieu.
6,875
https://en.wikipedia.org/wiki/List%20of%20Irish%20Supreme%20Court%20cases
Wikipedia
Open Web
CC-By-SA
2,023
List of Irish Supreme Court cases
https://en.wikipedia.org/w/index.php?title=List of Irish Supreme Court cases&action=history
English
Spoken
75
124
This is a partial list of cases decided by the Supreme Court of Ireland, the highest court in the Republic of Ireland. The list is organized chronologically within areas of law. Constitutional Criminal Family Finance Immigration Procedural Tort See also High Court (Ireland) External links Supreme Court of Ireland Supreme Court of Ireland decisions from the British and Irish Legal Information Institute References Supreme Court of Ireland cases Irish Supreme Court Legal history of Ireland
191
https://ai.stackexchange.com/questions/20330
StackExchange
Open Web
CC-By-SA
2,020
Stack Exchange
Arcane, Ashik Khan, DukeZhou, Jin Sun, Matt, Tiger Lily , https://ai.stackexchange.com/users/1671, https://ai.stackexchange.com/users/2444, https://ai.stackexchange.com/users/27048, https://ai.stackexchange.com/users/67726, https://ai.stackexchange.com/users/67727, https://ai.stackexchange.com/users/67728, https://ai.stackexchange.com/users/67854, nbro
English
Spoken
270
351
How to make binary neural networks resilient to flipped activation values? Assume I am given a binary neural network where the activation values are constrained to be 0 or 1 (by clipping the ReLU function). Additionally, assume the neural network is supposed to work in a noisy environment where some of the activation values may be randomly flipped, i.e. 0 -> 1 or 1 -> 0. I am trying to train such neural network in a way that it would be resilient to the noisy environment. I assume training with dropout would make the neural network somewhat resilient to noises where one is flipped to zero (1 -> 0). What are some ways that allow me to make the neural network resilient to the other kind of noise which flips zeros to ones (0 -> 1)? Is it theoretically valid to introduce a dropout-like algorithm which flips some zeros to ones during training but does not backpropagate the gradients through those flipped nodes? Welcome to SE:AI! (Be advised, we typically prefer one question per post, but I'm going to allow it, as they are all related.) @DukeZhou Thanks. Yes, they are all somewhat related. I just used an enumerated list to allow easier reference to different parts of my question. @Mahdi I really suggest you edit your post and ask only one question. If a reader or user looks at your posts and sees many questions, he/she may be discouraged immediately, because it's already too much complexity. I suggest you focus on one question and problem here. Ask the other question in different posts. @nbro I have updated the question.
11,780
https://stackoverflow.com/questions/2395642
StackExchange
Open Web
CC-By-SA
2,010
Stack Exchange
Jake Linder, Lahiru, Sandervdberg, Some Guy With a PC, https://stackoverflow.com/users/4873004, https://stackoverflow.com/users/4873005, https://stackoverflow.com/users/4873006, https://stackoverflow.com/users/4874759, https://stackoverflow.com/users/5756813, saurabh
English
Spoken
51
71
How to install a provisioning profile on windows 7 for testing how can I install a provisioning profile on windows 7? Just dragging it onto the iTunes icon doesn't seem to work like it would on a mac... It only "pins" it together. Try dragging it into the list of applications.
22,735
C7vmfASJbN0_1
Youtube-Commons
Open Web
CC-By
null
Lawmakers Critical Of President Saied Arrested | AFRICAN
None
English
Spoken
158
206
And to all the parts of Africa now, the post of Prime Minister is still vacant and MPs critical of the president have been arrested in Tunisia. A week after Kayi Said took power in that country, the fears of an authoritarian drift prompted some observers to express their concern on Sunday. Said granted himself full powers on July the 25th and suspended parliament, saying he wanted to save the small Mughrab country which has been plagued by Monta political deadlocks and a new deadlist back in COVID-19. Now Tunisia has one of the words whilst official death rates and establishing the exceptional regime denounced by his opponents in the Islamist inspired and harder party as a coup d'etat. Said also lifted the parliamentary immunity of deputies. In this context, several arrests have caused controversy in the last three days. Two deputies of the Islamo-nationalist movement al-Qurama and ultra-conservative party allies to Enhada were arrested on Saturday night..
20,236
https://stackoverflow.com/questions/44128594
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
Danylo Korostil, Pari, https://stackoverflow.com/users/3096114, https://stackoverflow.com/users/6845514
English
Spoken
354
1,011
different part of where condition apply to different part of mdx queries I'm new in mdx, i have question about put two condition in where to apply in different part of mdx queries. in my query i have two set(include from date:to date) that i want apply first set to first member and second set to second member but i don't want to create tuple in member because i want to calculate sum of measure for every customer. when i put condition in where, just one date apply to member I want apply different condition apply to different member. how can I do this? WITH SET BaseDate AS [Vw Dim Date].[Shamsi Date].&[1396/02/22] : [Vw Dim Date].[Shamsi Date].&[1396/03/19] SET CompareDate AS [Vw Dim Date].[Shamsi Date].&[1396/01/21] : [Vw Dim Date].[Shamsi Date].&[1396/02/19] MEMBER TotalCustomerCntInBase AS Sum(BaseDate.item(count(BaseDate)-1) ,[Measures].[Total Customer Cnt]) MEMBER TotalCustomerCntInCompare AS Sum(CompareDate.item(count(CompareDate)-1) ,[Measures].[Total Customer Cnt]) member numberOfActivecustomers as count(filter (nonempty([Vw Customer].[Customer BK].[Customer BK],[Measures].[Trade Cnt]),[Measures].[Trade Cnt]=1)) select {numberOfActivecustomers} on 0 from [DV Present] where ([Vw Dim Date].[Shamsi Date].&[1395/01/01]:[Vw Dim Date].[Shamsi Date].&[1395/02/01]) What members you want to behave differently? It's not really clear from your code. You are using only the [numberOfActivecustomers] member here. For clarification, consider the following code, I want basedate apply to numberOfActivecustomers1 and CompareDate apply to numberOfActivecustomers2. and finally compare numberOfActivecustomers1 and numberOfActivecustomers2. WITH SET BaseDate AS [Vw Dim Date].[Shamsi Date].&[1396/02/22] : [Vw Dim Date].[Shamsi Date].&[1396/03/19] SET CompareDate AS [Vw Dim Date].[Shamsi Date].&[1396/01/21] : [Vw Dim Date].[Shamsi Date].&[1396/02/19] member numberOfActivecustomers1 as count(filter (nonempty([Vw Customer].[Customer BK].[Customer BK],[Measures].[Trade Cnt]),[Measures].[Trade Cnt]=1)) member numberOfActivecustomers2 as count(filter (nonempty([Vw Customer].[Customer BK].[Customer BK],[Measures].[Trade Cnt]),[Measures].[Trade Cnt]=1)) select {numberOfActivecustomers} on 0 from [DV Present] where (BaseDate,CompareDate) I want calculate a measure for different date to compare them. In order to sum days you may create two calculated members (periods) and run any measure against them: With Member [Vw Dim Date].[Shamsi Date].[BaseDate] as Sum( [Vw Dim Date].[Shamsi Date].&[1396/02/22]: [Vw Dim Date].[Shamsi Date].&[1396/03/19] ) Member [Vw Dim Date].[Shamsi Date].[CompareDate] as Sum( [Vw Dim Date].[Shamsi Date].&[1396/01/21]: [Vw Dim Date].[Shamsi Date].&[1396/02/19] ) // Add here any calculations you need ... Select {[Measures].[Trade Cnt]} on 0, {[Vw Dim Date].[Shamsi Date].[CompareDate],[Vw Dim Date].[Shamsi Date].[CompareDate]} on 1 from [DV Present]
41,319
https://fr.wikipedia.org/wiki/Adolphe%20Cand%C3%A9
Wikipedia
Open Web
CC-By-SA
2,023
Adolphe Candé
https://fr.wikipedia.org/w/index.php?title=Adolphe Candé&action=history
French
Spoken
917
1,770
Étienne Louis Charles Adolphe Candé, né le à Paris et mort le à Épinay-sur-Seine (Seine-Saint-Denis, alors Seine), est un acteur français (parfois crédité Candé). Biographie Adolphe Candé entame sa carrière d'acteur au théâtre vers 1880 et joue souvent à Paris (notamment au Théâtre de l'Odéon et au Théâtre du Vaudeville). Parmi les pièces qu'il interprète dans sa ville de naissance, mentionnons Le Marchand de Venise de William Shakespeare (1889) et Madame Sans-Gêne de Victorien Sardou et Émile Moreau (création en 1893) — toutes deux avec Réjane —, Entraîneuse de Charles Esquier (1913, avec Victor Francen) et Deburau de Sacha Guitry (1918, avec l'auteur dans le rôle-titre). Au cinéma, il est actif exclusivement durant la période du muet, contribuant à dix-neuf films français, les deux premiers sortis en 1911, le dernier étant Au Bonheur des Dames de Julien Duvivier (1930, avec Dita Parlo). Entretemps, citons Les Trois Mousquetaires d'André Calmettes et Henri Pouctal (1912, avec Émile Dehelly interprétant D'Artagnan, lui-même personnifiant Porthos), Le Gamin de Paris de Louis Feuillade (1923, avec Sandra Milovanoff) et Veille d'armes de Jacques de Baroncelli (1925, avec Maurice Schutz). En outre, il réalise quatre films muets, les trois premiers sortis en 1917 (dont Crésus, avec Maurice de Féraudy) ; le quatrième est La Folle Nuit de Théodore (1920, avec Jane Marken). Adolphe Candé meurt en 1931, à 73 ans. Il est inhumé à Paris au cimetière du Père-Lachaise ( division), aux côtés de l'écrivain Charles Monselet (1825-1888). Théâtre (sélection) (pièces jouées à Paris) 1881 : Phryné d'Henri Meilhac : Praxitèle (Théâtre du Gymnase) 1889 : Révoltée de Jules Lemaître : Pierre Rousseau (Théâtre de l'Odéon) 1889 : Le Marchand de Venise de William Shakespeare, adaptation d'Edmond Haraucourt, musique de scène de Gabriel Fauré : Antonio (Théâtre de l'Odéon) 1890 : Le Député Leveau de Jules Lemaître : rôle-titre (Théâtre du Vaudeville) 1891 : Liliane de Félicien Champsaur et Léopold Lacour : Henri Rozal (Théâtre du Vaudeville) 1892 : Le Prince d'Aurec d'Henri Lavedan : le baron de Horn (Théâtre du Vaudeville) 1893 : Madame Sans Gêne de Victorien Sardou et Émile Moreau : François Joseph Lefebvre (Théâtre du Vaudeville) 1897-1898 : Le Passé de Georges de Porto-Riche : François Prieur (Théâtre de l'Odéon) 1904 : La Montansier de Gaston Arman de Caillavet, Robert de Flers et Henri-Gabriel Ibels : Neuville (Théâtre de la Gaîté) 1905 : L'Instinct d'Henry Kistemaeckers fils : Jean Bernou (Maison de la Poésie) 1905 : Les Ventres dorés d'Émile Fabre : Vernières (Théâtre de l'Odéon) 1906 : La Tourmente de Maurice Landay et Jean Valdier : Fargey (Théâtre de l'Ambigu-Comique) 1906 : La Vieillesse de Don Juan de Pierre Barbier et Mounet-Sully : Don José (Théâtre de l'Odéon) 1911 : La Gamine de Pierre Veber et Henry de Gorsse : Maurice Delanoy (Théâtre de la Renaissance) 1911 : L'Amour en cage d'André de Lorde, Jean Marsèle et Franz Funck-Brentano : le maréchal de Saxe (Théâtre de l'Athénée) 1912 : Le Coquelicot de Jean-Joseph Renaud : Francis Blakenay (Théâtre de l'Ambigu-Comique) 1912 : L'Homme qui assassina, adaptation par Pierre Frondaie du roman éponyme de Claude Farrère, mise en scène de Firmin Gémier : Mehmed Pacha (rôle repris au cinéma en 1913) (Théâtre Antoine) 1913 : Le Chevalier au masque de Paul Armont et Jean Manoussi : le marquis de Clamorgan (Théâtre Antoine) 1913 : Entraîneuse de Charles Esquier : Le Goulet (Théâtre Antoine) 1918 : Deburau de Sacha Guitry, musique de scène d'André Messager : Bertrand, directeur du Théâtre des Funambules (Théâtre du Vaudeville) 1920 : La Danseuse éperdue de René Fauchois : le prince Mormelodoüch (Théâtre des Mathurins) 1921 : Comédienne de Jacques Bousquet et Paul Armont : Cotteret (Théâtre des Nouveautés) 1922 : Le Reflet de Pierre Frondaie : La Fourcade (Théâtre Femina) 1922 : L'Insoumise de Pierre Frondaie : Hadj Ismaël (Théâtre Antoine) Filmographie complète Acteur 1911 : L'Envieuse (ou Le Vol) d'Albert Capellani : le mari 1911 : La Grande Marnière d'Henri Pouctal 1912 : Les Trois Mousquetaires d'André Calmettes et Henri Pouctal : Porthos 1912 : La Comtesse Sarah d'Henri Pouctal 1912 : Le Maître de forges (ou Gerval, le maître de forges) d'Henri Pouctal 1913 : L'Homme qui assassina d'Henri Andréani : Mehmed Pacha 1913 : Serge Panine d'Henri Pouctal 1919 : La Gloire douloureuse de Maurice Landais : Boracci 1921 : Le Mont maudit de Paul Garbagni : Archibald Benton 1921 : Une fleur dans les ronces de Camille de Morlhon : Richard Osmond 1921 : L'Affaire du train 24 de Gaston Leprieur : André Muzillac 1923 : Le Gamin de Paris de Louis Feuillade : le général 1923 : L'Insigne mystérieux d'Henri Desfontaines : le général Herbaut 1923 : L'Espionne d'Henri Desfontaines : le baron van der Kraft 1925 : Veille d'armes de Jacques de Baroncelli : le commandant Morbraz 1926 : Le Juif errant de Luitz-Morat : Baleinier 1927 : La Sirène des tropiques d'Henri Étiévant et Mario Nalpas : le directeur 1928 : Vivre de Robert Boudrioz : l'intendant 1930 : Au Bonheur des Dames de Julien Duvivier : le baron Hartmann Réalisateur 1917 : Crésus 1917 : Le Devoir d'abord 1917 : Le Mort invisible 1920 : La Folle Nuit de Théodore Liens externes Adolphe Candé sur Ciné-Ressources Acteur français de théâtre Acteur français de cinéma Acteur français du muet Réalisateur français Naissance en juillet 1858 Naissance dans l'ancien 10e arrondissement de Paris Décès en septembre 1931 Décès à Épinay-sur-Seine Décès dans le département de la Seine Décès à 73 ans Personnalité inhumée au cimetière du Père-Lachaise (division 66)
8,075
https://uk.wikipedia.org/wiki/%D0%91%D1%83%D0%BA%D0%BE%D0%B2%D0%B5%D1%86%D1%8C%20%28%D0%B3%D0%BC%D1%96%D0%BD%D0%B0%20%D0%9D%D0%BE%D0%B2%D0%BE%D1%81%D0%BE%D0%BB%D1%8C%D0%BD%D0%B0%29
Wikipedia
Open Web
CC-By-SA
2,023
Буковець (гміна Новосольна)
https://uk.wikipedia.org/w/index.php?title=Буковець (гміна Новосольна)&action=history
Ukrainian
Spoken
25
93
Буковець () — село в Польщі, у гміні Новосольна Лодзький-Східного повіту Лодзинського воєводства. У 1975-1998 роках село належало до Лодзинського воєводства. Примітки Села Лодзького-Східного повіту
47,306
https://stackoverflow.com/questions/58102109
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
Corey, Rob Goodwin, gravity, https://stackoverflow.com/users/2486496, https://stackoverflow.com/users/264482, https://stackoverflow.com/users/4561132
English
Spoken
579
944
C# WPF Debug start exe from external associated file Trying to debug an application that is opened by opening a text-file associated to open the application being debugged. Is there a way to start the debug and wait for the application to be called without the "Start external program" start action? Ultimately I'm trying to get the file information of the text-file that opens the application, so that it can be used in the application as a "saved project" file. I have a text-file named "myFile.cats", I've associated this file extension to open with my executable solution made by the visual studio application in the debug bin. I've tried using the StartupEventArgs, but it doesn't come back with anything obviously since it's not being called from an external file. So I don't seem to have a way of testing this to make sure it works... Any help would be greatly appreciated. using Caliburn.Micro; using ApplicationWPFUI.ViewModels; using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; using System.Windows; using ApplicationLibrary; namespace ApplicationWPFUI { public class Bootstrapper : BootstrapperBase { public Bootstrapper() { Initialize(); } //myFile.cats File opens this exe and the 'OnStartup' runs, where is the myFile.cats information being passed in? protected override void OnStartup(object sender, StartupEventArgs e) { if (e.Args.Count() != 0) { //Save the startupEventArgs to a variable GlobalConfigs.FileList.Files = e.Args.ToList(); } DisplayRootViewFor<MainViewModel>(); } } } You're going to need to show what you're doing most likely (code-wise), what actually happens (maybe some screenshots) and what you are intending to do. After reading it a few times, I'm not clear on exactly what you're describing here. A [mcve] would probably be helpful. I am with @gravity on this. It is a little hard to understand what you are trying to do. If I understand you correctly, you want to debug some application that is started as a result of some file association trigger through explorer. What I have done in the past, which may not be the most elegant, is to place a sleep at the entry point of the application. This gives me a chance to attach a debugger before the sleep finishes with a breakpoint in the area of interest. If this is what you are asking for ;) I've added some code, but I don't think that really explains anymore than I already have. I guess my first question in this, is if the StartupEventArgs contains the information of the file that initialized the file-association of windows, which then opens the C# WPF application? What would help me to figure that out though, is how do I debug starting from launching my application using the 'myFile.cats' file? Basically, like how does Photoshop know to open a .psd file? How does it know where that .psd file path and the file name is. This 'file.psd' that is double-clicked on that, in turn, opens that file in photoshop? I was doing it correctly already, with one slight change that needed to be made. The information needed for the file that opens the application is in the GlobalConfigs.FileList.Files = e.Args.ToList();. But, I only need the first variable in that list. So calling the following does the trick: GlobalConfigs.FileList.Files = e.Args[0].ToString(); Obviously, the StartupEventArgs will not always have information in there, since I'll be calling the application by itself as well as opening it with associated files. So I just wrapped that in an if statement: if (e.Args.Count() != 0) { GlobalConfigs.FileList.File = e.Args[0].ToString(); } And Bobs your uncle.
16,368
https://stackoverflow.com/questions/31121165
StackExchange
Open Web
CC-By-SA
2,015
Stack Exchange
English
Spoken
557
950
Login Form Using HEAD or OPTIONS Verb Instead of POST I have a very strange problem. I just deployed an application to production. I have two action methods for logging in: AccountController [HttpGet]Login(); [HttpPost]Login(..); The form rendered to capture the login information and perform the post is a straightforward form: <form action="/Account/Login" class=" form-horizontal" method="post" novalidate="novalidate"><input name="__RequestVerificationToken" type="hidden" value=".."> . . </form> I also log unhandled actions on the controller, which writes the message to the event log. This is the message I see: Protected Overrides Sub HandleUnknownAction(actionName As String) EventLog.WriteEntry("Application", "Controller '" + Me.GetType().Name + "' does not have an action '" + actionName + "' for a request of type '" + Me.ControllerContext.HttpContext.Request.HttpMethod + "'.") End Sub I see this message logged: Controller 'AccountController' does not have an action 'Login' for a request of type 'HEAD'. Controller 'AccountController' does not have an action 'Login' for a request of type 'OPTIONS'. Any idea why the request is coming over as HEAD or OPTIONS? I have no idea how the user is trying to connect to the application. To be sure you should also check user agent string logged with that request (if available) but I'd bet it's a bot inspecting your home page (possibly redirected to login page). See also googlebot head request. I'd discourage user agent string filtering unless you want to keep up-to-date about this topic (and anyway a bad bot may fake search engine spider's user agent string). They usually go with normal GET request but some bots (as attempt to optimize bandwidth usage?) first tries with HEAD and OPTIONS. You have AFAIK two options: provide a specific controller method to handle them (if you care) or simply instruct bots using robots.txt file. Even if you leave everything as-is you shouldn't have any trouble both from security and SEO point of view (most bots will go with GET if receives 405 for HEAD and OPTIONS). What's right thing to do? If you care then I'd handle them returning HTTP status 405 (not allowed). Someone also suggests that HTTP status 501 (not implemented) may be a proper/better response. MVC correctly returns Method not allowed for unsupported Request Method and it also fills the (mandatory) Allow field in the response (in your case Allow: GET,POST), its behavior is equivalent to this code: [ActionName("LogIn")] [HttpOptions, HttpHead] public ActionResult LogInForUnsupportedHttpMethods() { return new HttpStatusCodeResult(HttpStatusCode.MethodNotAllowed); } If you're not using ASP.NET MVC 5 you don't have HttpStatusCode enumeration and you have to specify return code manually: new HttpStatusCodeResult(405). However not every bot/spider/service correctly switches to GET if HEAD isn't supported (notable example is downforeveryoneorjustme.com) then you may want to return your page also for HEAD (and leave default behavior for OPTIONS): // This method isn't required unless you want to return a different // HTTP status code or to perform some special operation. [HttpOptions, ActionName("LogIn")] public ActionResult LogInForUnsupportedHttpMethods() { return new HttpStatusCodeResult(HttpStatusCode.MethodNotAllowed); } [HttpGet, HttpHead] public ActionResult LogIn() {/* ... */ } [HttpPost] public ActionResult LogIn(LogInModel model) {/* ... */ } Optimization: if you're running a very high traffic web-site, you're regularly requested with many HEAD and they (in a measurable way) affect your site performance then you may decide to return a stripped down version of your page for HEAD requests (possibly without much server side processing and possibly unused client side stuff like CSS and scripts).
3,168
https://bn.wikipedia.org/wiki/%E0%A6%B8%E0%A6%BE%E0%A6%A4%20%E0%A6%B8%E0%A6%BE%E0%A6%97%E0%A6%B0%E0%A7%87%E0%A6%B0%20%E0%A6%AE%E0%A6%BE%E0%A6%9D%E0%A6%BF
Wikipedia
Open Web
CC-By-SA
2,023
সাত সাগরের মাঝি
https://bn.wikipedia.org/w/index.php?title=সাত সাগরের মাঝি&action=history
Bengali
Spoken
276
1,664
সাত সাগরের মাঝি কবি ফররুখ আহমদের একটি কাব্যগ্রন্থ। এতে স্থান পাওয়া একটি কবিতার নামও সাত সাগরের মাঝি। ১৯৪৪ সালের ডিসেম্বর মাসে বইটি প্রকাশিত হয়। এই বইয়ের ১৯টি কবিতার মধ্যে উল্লেখযোগ্য হচ্ছে পাঞ্জেরী, সিন্দবাদ, আকাশ-নাবিক, ডাহুক, এই সব রাত্রি ইত্যাদি। বইটি উৎসর্গ করা হয় কবি আল্লামা ইকবালের প্রতি। বইটিতে পুনর্জাগরণের বাণী উচ্চারিত হয়েছে। পটভূমি ‘সাত সাগরের মাঝি’- একজন কবির প্রথম কবিতা গ্রন্থ। এই প্রথম কবিতা গ্রন্থটিই যাঁকে বাংলার কাব্যগগনে এক নক্ষত্রের মর্যাদায় আসীন করেছে। তিনি একাধারে রেনেসাঁর কবি, জাগণের কবি, ঐতিহ্যের কবি কবি। লিখেছেন একটি জাতির জাগরণের প্রত্যাশায়। তাঁর যাদুর কলমে একে একে রচিত হয়েছে মহান সব সৃষ্টি। তাঁর সকল সৃষ্টির সেরা ‘সাত সাগরের মাঝি’ মূল বিষয়বস্তু ফররুখ আহমদের প্রথম কাব্যগ্রন্থ ‘সাত সাগরের মাঝি’র বিভিন্ন কবিতায় মুসলিম জাগরণ, বিজয় ও আত্মপ্রতিষ্ঠার প্রতীক দুঃসাহসিক নাবিক সিন্দাবাদের বিভিন্ন সফর অভিযানের আলেখ্য চিত্র রূপময় ভাষায় ফুটিয়ে তোলা হয়েছে। এ কাব্যের ‘সিন্দাবাদ’ ‘দরিয়ায়’ ‘দরিয়ার শেষ রাত্রি’, ‘শাহরিয়া’, ‘আকাশ নাবিক’ ‘বন্দরে সন্ধ্যা’, ‘ডাহুক’, ‘এই রাত্রি’, ‘পাঞ্জেরী’, ‘স্বর্ণমঙ্গল’ ‘লাশ’, ‘তুফান’, ‘হে নিশান বাহী’, ‘নিশান’, ‘আউলাদ’ ও ‘সাত সাগরের মাঝি’ প্রভৃতি কবিতায় মুসলিম ঐতিহ্যকে লালন করা হয়েছে। সাত সাগরের মাঝি কাব্যগ্রন্থটি মুসলিম জাগরণের অন্যতম গ্রন্থ হিসেবে বিবেচনা করা হয়। আরব্য উপন্যাস, ইরান-আরবের সংস্কৃতি ও পুরাণকথা বিশেষভাবে পরিলক্ষিত হয়েছে। ইসলামের ইতিহাস ও ঐতিহ্য কাব্যটির মূল উপজীব্য। কবি বেনজির আহমেদের সহায়তায় ও অর্থায়নে কবি ফররুখ আহমদে তার শ্রেষ্ঠ কাব্যটি পাকিস্তানের জাতীয় কবি আল্লামা ইকবালকে উৎসর্গ করেন। এ-ই কাব্যের বিখ্যাত একটি উক্তি যথাক্রমেঃ "মাঝি চেয়ে দেখো দুয়ারে ডাকে জাহাজ,অচল ছবি সে,তসবির যেন দাঁড়ায়ে রয়েছে আজ।" এ কাব্যে কবি বাংলা ভাষার বিপরীতে আরবি ও ভাষার শব্দকে বেশি মূল্যয়ন করেছেন। নাম কবিতা 'সাত সাগরের মাঝি' কাব্যের নাম কবিতা‘সাত সাগরের মাঝি’তে যেমন আছে স্বপ্ন, সৌন্দর্যবোধ ও উজ্জীবনের প্রেরণা, তেমনি আছে আত্মধিক্কার এবং নির্যাতিত ও দুঃখ পীড়িত ক্ষুধাতুর মানুষের চিত্র। তথ্যসূত্র
611
https://stackoverflow.com/questions/36784130
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
Wosi, https://stackoverflow.com/users/2023316
English
Spoken
111
167
In VSCode, how do I turn off code fragment for "for" loop and "if" In the newest version of VSCode (1.0), I find the code fragment for 'for' and 'if' is added. They are automatically inserted to my code when I type "for" then "(". The completion is not what I want. How do I turn them off? Which programming language? Please provide a small code sample that shows your problem. I assume you mean, that you don't want the auto closing bracket functionality. Code -> Preferences -> Workspace Settings Write add to your settings.json "editor.autoClosingBrackets": false As Wosi pointed out, more information would help to give you a better answer.
202
https://pl.wikipedia.org/wiki/Znajd%C5%BAka
Wikipedia
Open Web
CC-By-SA
2,023
Znajdźka
https://pl.wikipedia.org/w/index.php?title=Znajdźka&action=history
Polish
Spoken
281
656
Znajdźka, właśc. przedmiot do zebrania (ang. collectible) – przedmiot umieszczony w wirtualnym świecie w grze komputerowej, którego poszukiwanie i zebranie stanowią czynności opcjonalne, a więc nie są wymagane do ukończenia głównej fabuły w grze. Pojedyncze znajdźki mogą zawierać dodatkowe informacje o uniwersum gry. Za zdobycie kolekcji znajdziek gracz może otrzymać osiągnięcie, dostęp do wcześniej zablokowanych elementów gry, dodatkowe punkty powiększające końcowy wynik rozgrywki, podniesienie statystyk postaci gracza lub dodatkowy element ekwipunku dla bohatera. Twórcy gier zazwyczaj starają się ukryć przed graczem znajdźki tak, aby nie były łatwo widoczne i wymagały od gracza eksploracji cyfrowego świata. W przypadku niektórych produkcji gracz może zdobyć przedmiot lub umiejętność, które pozwalają na lokalizację umieszczonych w świecie gry znajdziek. W przypadku, gdy takie ułatwienie lokalizacji znajdziek nie zostało zastosowane w grze, część graczy decyduje się na skorzystanie z poradników w formie map, obrazków lub plików wideo z gry, pozwalających szybko określić pozycję poszukiwanego przedmiotu w świecie gry. Znajdźkami mogą być np. w paczki w Grand Theft Auto III (2001), nieśmiertelniki w Gears of War (2006), nagrania w BioShock (2007), strony książek w Alan Wake (2010) lub gazety w Homefront (2011). W niektórych produkcjach po znalezieniu znajdźki gracz musi wykonać inną czynność niż zebranie przedmiotu poprzez podniesienie go lub przejście przez niego. Np. w świecie gry Grand Theft Auto IV (2008) są rozmieszczone gołębie, które gracz może zestrzelić, a w Assassin’s Creed II (2009) rozlokowane są symbole, które zawierają zagadki logiczne do rozwiązania. Znajdźki, które nie wnoszą nic do gry, a po ich skolekcjonowaniu gracz otrzymuje jedynie osiągnięcie, są krytykowane przez część środowiska graczy jako próba sztucznego wydłużenia gry przez twórców. Ponadto część graczy określa kolekcjonowanie znajdziek jako czynność irytującą, męczącą i nużącą. Przypisy Terminologia gier komputerowych
21,294
https://math.stackexchange.com/questions/347525
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
Blue, Christian Blatter, DonAntonio, Ibrahim Tr, Laura Archila, RA ZOR, Will Jagy, devcoder, https://math.stackexchange.com/users/1014529, https://math.stackexchange.com/users/1014530, https://math.stackexchange.com/users/1014531, https://math.stackexchange.com/users/1014546, https://math.stackexchange.com/users/1014547, https://math.stackexchange.com/users/10400, https://math.stackexchange.com/users/1303, https://math.stackexchange.com/users/26566, https://math.stackexchange.com/users/31254, https://math.stackexchange.com/users/409, mbn jhj, sirandry
English
Spoken
235
420
What is the quadrilateral formed by the angle bisectors of a parallelogram? I have drawn a few parallelograms and their angle bisectors in Geometer's Sketchpad. The quadrilateral looks to me to be a rectangle but how can I prove it ? Please post a diagram with correct labels. Not sure what you are talking about. @WillJagy - added! Thank you. That's a good diagram. Let $P$ and $Q$ be adjacent corners of a parallelogram, and let those angles have measure $p$ and $q$. Let $R$ be the point at which the angle bisectors at $P$ and $Q$ meet. In $\triangle PQR$, we have $$180^\circ = \angle R + \angle RPQ + \angle RQP = \angle R + \frac{1}{2}p + \frac{1}{2}q = \angle R + \frac{1}{2}\left( p+q \right)$$ Adjacent angles in a parallelogram are supplementary, so $p+q=180^\circ$. Thus, $$180^\circ = \angle R + 90^\circ \qquad \implies \qquad \angle R = 90^\circ$$ which is to say: Adjacent angle bisectors in a parallelogram meet at right angles. @DonAntonio: (a) The diagram was posted while I was composing my answer, so I didn't notice it; and (b) $P$ and $Q$ make a generic pair of adjacent vertices (with generic intersection $R$), so the OP's labeling doesn't matter. Good point, @Blue. Given two lines intersecting at a point there are two angle bisectors, and these are perpendicular to each other. Up to parallel translation, that's all. @hardmath: See my edit.
33,371
https://ceb.wikipedia.org/wiki/W%C4%81d%C4%AB%20as%20Sudd%20%28wadi%20sa%20Marib%20City%29
Wikipedia
Open Web
CC-By-SA
2,023
Wādī as Sudd (wadi sa Marib City)
https://ceb.wikipedia.org/w/index.php?title=Wādī as Sudd (wadi sa Marib City)&action=history
Cebuano
Spoken
101
179
Alang sa ubang mga dapit sa mao gihapon nga ngalan, tan-awa ang Wādī as Sudd. Wadi ang Wādī as Sudd sa Yemen. Nahimutang ni sa distrito sa Marib City ug lalawigan sa Muḩāfaz̧at Ma'rib, sa kasadpang bahin sa nasod, km sa sidlakan sa Sanaa ang ulohan sa nasod. Ang klima init nga kamadan. Ang kasarangang giiniton °C. Ang kinainitan nga bulan Mayo, sa  °C, ug ang kinabugnawan Enero, sa  °C. Ang kasarangang pag-ulan milimetro matag tuig. Ang kinabasaan nga bulan Agosto, sa milimetro nga ulan, ug ang kinaugahan Pebrero, sa milimetro. Ang mga gi basihan niini Mga suba sa Muḩāfaz̧at Ma'rib
45,778
https://co.wikipedia.org/wiki/Lurisi
Wikipedia
Open Web
CC-By-SA
2,023
Lurisi
https://co.wikipedia.org/w/index.php?title=Lurisi&action=history
Corsican
Spoken
134
271
Luras (in gadduresu Lùrisi, hè una cumuna di a pruvincia di Tarranoa è Tempiu in u rughjonu storicu di a Gaddura. Hè situatu à più di 500 metri supra à u liveddu di u mari è faci parti di a III Cumunità Muntana "Gaddura". Puri essendu in u cori di a Gaddura, hà cunsirvatu di manera stunanti a parlata sarda lucuduresa, un tempu sparta in tutta 'ssa zona ma da calchì seculu rimpiazzata da quidda gadduresa, un diasistemu d'urighjna corsa è sumiddanti à u dialettu di Sartè, incù 20% di vucabulariu sputicamenti sardu. U tuponimu Luras dirivighja da u latinu lura, chi significhighja saccu è prubabilamenti nasci da a fantasia di la ghjenti di u locu, chì vidiani in i rocchi particulari prisenti in 'ssa zona, formi par appuntu assumiddanti à quiddi di sacchi.
19,326
https://ar.wikipedia.org/wiki/%D9%84%D9%8A%D9%81%D9%88%D9%86%20%D8%A3%D8%B1%D9%88%D9%86%D9%8A%D8%A7%D9%86
Wikipedia
Open Web
CC-By-SA
2,023
ليفون أرونيان
https://ar.wikipedia.org/w/index.php?title=ليفون أرونيان&action=history
Arabic
Spoken
235
734
ليفون أرونيان (بالأرمينية: Լևոն Գրիգորի Արոնյան، 6 أكتوبر 1982) أستاذ كبير أرميني في الشطرنج، في قائمة تصنيف الاتحاد الدولي لمارس 2014 احتل المركز الثاني بتصنيف قدره 2830. ما يجعله رابع أعلى لاعب مصنف في التاريخ. فاز أرونيان بأكس العالم للشطرنج 2015 وقاد الفريق الوطني الأرميني لنيل الذهبية في أولمبياد تورينو 2006 ودرسدن 2008 وأسطنبول 2012 وفي بطولة العالم للفرق في نينغبو 2011، فاز ببطولة الغراند بريكس 2008-2010 ما سمح له بالتأهل إلى تصفيات التأهل لبطولة العالم في 2010 غير أنه هزم في الدور الأول، وكان كذلك بطل العالم في شطرنج 960 عامي 2006 و2007 وبطل العالم في الشطرنج السريع 2009 وبطل العالم في الشطرنج الخاطف في 2010، وفي 2015 نال فاز بكأس سينكفيلد في دورته الثالثة. منذ 200 وأرونيان أفضل لاعب في أرمينيا وشهرته في أرمينيا أدت إلى تسميته بالنجم والبطل واختير كافضل رياضي في أرمينيا سنة 2005، وتم تشريفه باللقب الفخري «أستاذ الرياضة» في الجمهورية الأرمينية. بدايته ودراسته مسيرته بطولة الفرق تصنيفه وترتيبه نتائجه مع نخبة الأساتذة الكبار شطرنج 960 أسلوب اللعب حياته الخاصة نتائجه في كأس العالم روابط خارجية مراجع أبطال العالم للشطرنج للشباب أبطال العالم للناشئين في الشطرنج أرمن من أصل روسي أرمن من أصل يهودي أساتذة كبار في الشطرنج أشخاص على قيد الحياة أمريكيون من أصل أرمني أمريكيون من أصل يهودي بيلاروسي أمريكيون من أصل يهودي روسي رياضيون من يريفان لاعبو شطرنج أرمن لاعبو شطرنج ألمان لاعبو شطرنج أمريكيون لاعبو شطرنج يهود متنافسون في أولمبياد الشطرنج مواليد 1982 مواليد في يريفان
29,720
https://id.wikipedia.org/wiki/Baktria
Wikipedia
Open Web
CC-By-SA
2,023
Baktria
https://id.wikipedia.org/w/index.php?title=Baktria&action=history
Indonesian
Spoken
64
159
Baktria (Baktriana, Bākhtar dalam bahasa Persia, بـلـخ (dieja: Bhalakh) dan Daxia dalam bahasa Tionghoa) adalah region historis di Iran Raya. Disebut oleh Yunani kuno sebagai "Baktriana", region ini terletak di antara pegunungan Hindu Kush dan Amu Darya. Baktria berbatasan dengan Gandhara di sebelah timur. Pranala luar Bactrian Gold Livius.org: Bactria Batriane du nord —about the Termez region, an archeological site Asia Tengah Sejarah Pakistan
16,434
https://ceb.wikipedia.org/wiki/Boarmia%20nepalensisi
Wikipedia
Open Web
CC-By-SA
2,023
Boarmia nepalensisi
https://ceb.wikipedia.org/w/index.php?title=Boarmia nepalensisi&action=history
Cebuano
Spoken
42
77
Kaliwatan sa alibangbang ang Boarmia nepalensisi. Una ning gihulagway ni George Francis Hampson ni adtong 1902. Ang Boarmia nepalensisi sakop sa kahenera nga Boarmia, ug kabanay nga Geometridae. Walay nalista nga matang nga sama niini. Ang mga gi basihan niini Insekto Boarmia
5,088
https://stackoverflow.com/questions/11929243
StackExchange
Open Web
CC-By-SA
2,012
Stack Exchange
Heesuk Kim, Ingo Kegel, https://stackoverflow.com/users/1522681, https://stackoverflow.com/users/936832
English
Spoken
125
221
How Can I check 32bit or 64bit in custom code or API How Can I check 32bit or 64bit in Install4j API (custom code)?? To check whether the installer is running on a 32-bit or 64-bit Windows, use Util.is64BitWindows() in the install4j API. This works regardless of whether it's called in a 32-bit or a 64-bit installer. To check whether the current JVM is a 32-bit or 64-bit JVM, see here thank you. Util.is64BitWindows() can check jsut 32-bit JVM or 64-bit JVM. It depends on JVM. I want to check real OS Architecture. Though my OS Architecture is 64bit machane, it shows 32-bit on 32-bit JVM. @HeesukKim No, Util.is64BitWindows() checks the OS architecture, not the JVM. Do you really get false on a 64-bit Windows?
34,057
https://fa.wikipedia.org/wiki/%DB%B2%DB%B4%20%DA%AF%D8%A7%D9%88%D8%B1%D8%A7%D9%86
Wikipedia
Open Web
CC-By-SA
2,023
۲۴ گاوران
https://fa.wikipedia.org/w/index.php?title=۲۴ گاوران&action=history
Persian
Spoken
44
156
۲۴ گاوران یک ستاره است که در صورت فلکی گاوران قرار دارد. منابع اجرام اچ‌آی‌پی اجرام بایر اجرام فلمستید اجرام کاتالوگ هنری دراپر صورت فلکی گاوران ستاره‌های موجود در فهرست نظرسنجی بن ستارگان غول کلاس G اجرام اچ‌آر منظومه‌های آسمانی با یک سیاره تاییدشده
33,647
https://stackoverflow.com/questions/44976472
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
EricP., RuslanDev, Samvel Petrosov, https://stackoverflow.com/users/3929852, https://stackoverflow.com/users/6064728, https://stackoverflow.com/users/7085476
English
Spoken
567
1,833
Attributes Field Not Showing Attribute Value on All Pages I have a field which shows the attribute of an item called "Coating." I added this field via the Layout Editor to two existing screens I am customizing: The Sales Price and Sales Price Worksheets pages. On the Sales Price Worksheet page, the coatings show up just fine: However, on the Sales Price page, they do not: I have the exact same element in both page customization in the Layout Editor contained in the respected grids: InventoryItem__COATING_Attributes. Checking the Attributes tab of the element, they both have the same code: protected string[] _Attributes; /// <summary> /// Reserved for internal use. /// Provides the values of attributes associated with the item. /// For more information see the <see cref="CSAnswers"/> class. /// </summary> [CRAttributesField(typeof(InventoryItem.itemClassID))] As far as I can tell, everything is exactly the same. I even checked the results of the query that is sent for both pages' select statements and they are properly returning similar statements to show the coatings for each element. Any ideas on why this isn't working? Is this field being saved in the Database? Yes, it is being pulled from the CSAnswers table. It is an Item Attribute. Attributes are working with Graph's Cache. If in the Cache there is no Collection for CSAnswers attribute won't work. Try to add PXSelect<CSAnswers> to the Graph where Attribute does not work That didn't seem to fix the issue. I also checked the page that is working and the base page, as well as the extension, don't have a PXSelect<CSAnswers> view. I assume the attribute works as expected on the Sales Price Worksheets screen due to the sample posted in another thread and the lack of delegate declared for the ARPriceWorksheetMaint.Details data view: public class ARPriceWorksheetMaint : PXGraph<ARPriceWorksheetMaint, ARPriceWorksheet> { ... [PXImport(typeof(ARPriceWorksheet))] public PXSelectJoin<ARPriceWorksheetDetail, LeftJoin<InventoryItem, On<InventoryItem.inventoryID, Equal<ARPriceWorksheetDetail.inventoryID>>>, Where<ARPriceWorksheetDetail.refNbr, Equal<Current<ARPriceWorksheet.refNbr>>>, OrderBy<Asc<ARPriceWorksheetDetail.priceType, Asc<ARPriceWorksheetDetail.priceCode, Asc<InventoryItem.inventoryCD, Asc<ARPriceWorksheetDetail.breakQty>>>>>> Details; ... } On the Sales Price screen though, there is a records() delegate returning only instances of the ARSalesPrice DAC, preventing the attribute from obtaining its values from database: public virtual IEnumerable records() { ... foreach (PXResult<ARSalesPrice> res in QSelect(this, Records.View.BqlSelect, new object[] { filter.PriceType, filter.PriceType, filter.PriceType == PriceTypes.Customer ? priceCode : null, filter.PriceType == PriceTypes.CustomerPriceClass ? priceCode : null, priceCode, filter.InventoryID, filter.InventoryID, filter.EffectiveAsOfDate, filter.EffectiveAsOfDate, filter.EffectiveAsOfDate, filter.ItemClassID, filter.ItemClassID, filter.InventoryPriceClassID, filter.InventoryPriceClassID, filter.OwnerID, filter.OwnerID, filter.MyWorkGroup, filter.WorkGroupID, filter.WorkGroupID })) { ARSalesPrice price = res; yield return price; } ... } In order to show the attribute on the Sales Price screen, you should modify the Records data view and override its delegate to return instances of both the ARSalesPrice and InventoryItem DACs: public class ARSalesPriceMaintExt : PXGraphExtension<ARSalesPriceMaint> { [PXFilterable] public PXSelectJoin<ARSalesPrice, LeftJoin<InventoryItem, On<InventoryItem.inventoryID, Equal<ARSalesPrice.inventoryID>>>, Where<InventoryItem.itemStatus, NotEqual<INItemStatus.inactive>, And<InventoryItem.itemStatus, NotEqual<INItemStatus.toDelete>, And2<Where<Required<ARSalesPriceFilter.priceType>, Equal<PriceTypes.allPrices>, Or<ARSalesPrice.priceType, Equal<Required<ARSalesPriceFilter.priceType>>>>, And2<Where<ARSalesPrice.customerID, Equal<Required<ARSalesPriceFilter.priceCode>>, Or<ARSalesPrice.custPriceClassID, Equal<Required<ARSalesPriceFilter.priceCode>>, Or<Required<ARSalesPriceFilter.priceCode>, IsNull>>>, And2<Where<ARSalesPrice.inventoryID, Equal<Required<ARSalesPriceFilter.inventoryID>>, Or<Required<ARSalesPriceFilter.inventoryID>, IsNull>>, And2<Where2<Where2<Where<ARSalesPrice.effectiveDate, LessEqual<Required<ARSalesPriceFilter.effectiveAsOfDate>>, Or<ARSalesPrice.effectiveDate, IsNull>>, And<Where<ARSalesPrice.expirationDate, GreaterEqual<Required<ARSalesPriceFilter.effectiveAsOfDate>>, Or<ARSalesPrice.expirationDate, IsNull>>>>, Or<Required<ARSalesPriceFilter.effectiveAsOfDate>, IsNull>>, And<Where2<Where<Required<ARSalesPriceFilter.itemClassID>, IsNull, Or<Required<ARSalesPriceFilter.itemClassID>, Equal<InventoryItem.itemClassID>>>, And2<Where<Required<ARSalesPriceFilter.inventoryPriceClassID>, IsNull, Or<Required<ARSalesPriceFilter.inventoryPriceClassID>, Equal<InventoryItem.priceClassID>>>, And2<Where<Required<ARSalesPriceFilter.ownerID>, IsNull, Or<Required<ARSalesPriceFilter.ownerID>, Equal<InventoryItem.priceManagerID>>>, And2<Where<Required<ARSalesPriceFilter.myWorkGroup>, Equal<False>, Or<InventoryItem.priceWorkgroupID, InMember<CurrentValue<ARSalesPriceFilter.currentOwnerID>>>>, And<Where<Required<ARSalesPriceFilter.workGroupID>, IsNull, Or<Required<ARSalesPriceFilter.workGroupID>, Equal<InventoryItem.priceWorkgroupID>>>>>>>>>>>>>>>, OrderBy<Asc<ARSalesPrice.inventoryID, Asc<ARSalesPrice.priceType, Asc<ARSalesPrice.uOM, Asc<ARSalesPrice.breakQty, Asc<ARSalesPrice.effectiveDate>>>>>>> Records; public IEnumerable records() { var startRow = PXView.StartRow; int totalRows = 0; foreach (ARSalesPrice salesPrice in Base.Records.View.Select(PXView.Currents, PXView.Parameters, PXView.Searches, PXView.SortColumns, PXView.Descendings, PXView.Filters, ref startRow, PXView.MaximumRows, ref totalRows)) { var item = PXSelectorAttribute.Select<ARSalesPrice.inventoryID>(Records.Cache, salesPrice) as InventoryItem; var res = new PXResult<ARSalesPrice, InventoryItem>(salesPrice, item); yield return res; } PXView.StartRow = 0; } } Ruslan, you are an Acumatica Wizard! Thank you so much! That works perfectly! My pleasure, Eric :-)
19,716
https://stackoverflow.com/questions/38425193
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
https://stackoverflow.com/users/5175709, mfaani
English
Spoken
388
507
When to check "Copy items if needed" for embedded binaries? When I tried to put a third-party framework(installed by carthage) in the embedded binaries, I got such an option. I got confused, since "Embedded binaries are binary files that are copied to your application bundle when you build the project", It is already a copy instead of a link, why do I want a copy of a copy? "Copy items if needed" has nothing to do with the building of your app. It means copied into the project folder, right now (if it isn't in the project folder already). I suggest you always say yes, because otherwise your project might end up depending upon stuff that isn't in the project folder, and which you might therefore throw away or rename by accident, thus causing your project to break. Not sure why here this Fabric/crashlytics developer from Twitter recommends against it though. She says it will create "unwanted trouble" Like matt has said, I recommend you always leave it selected as well. I have had troubles uploading the app, even though I know I have not moved or renamed the file. Also an extra benefit of leaving it enabled is that it makes it easier to share the project with others without having to track down the files not in the project folder. I can see two cases why leaving it off might be convenient: You have multiple projects which share the same file and want to reduce space, You desperately need to save the space on your computer, in which case I would buy extra storage for your computer. Edit: Even though you copied the file in, XCode treats it as a link to the file, this is why you are seeing this message. Xcode Copy items if needed Copy items if needed usually (but not always, e.g. the project already contains this item) copies files into your project directory as a result you can use relative path(instead of absolute) safely. For example when you use some version control(Git, SVN...) your team members will not have some troubles with solving issues with paths In case of third-party framework you can use $(PROJECT_DIR) in Build Settings -> Framework Search Paths *Also do not forget additionally set dependency if not dyld: Library not loaded[About] [Create groups vs Create folder reference]
17,683
https://stackoverflow.com/questions/68244885
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
Vladjkaaa, Zach Hutchins, https://stackoverflow.com/users/5015238, https://stackoverflow.com/users/5963888, https://stackoverflow.com/users/7769491, jdweng
English
Spoken
482
1,341
Sorting select with cast Is it possible to do special formatted order in c#? I have *.json file with data like { "RECORDS": [ { "ROWW": "279166", "ALBUMID": "3", "LINK": "https://...1" }, { "ROWW": "279165", "ALBUMID": "1", "LINK": "https://...2" }, { "ROWW": "279164", "ALBUMID": "2", "LINK": "https://...3" }] } ... a lot of records. And I need to get DataRows ordered by Roww casted like number. That's How I trying to do this: using Newtonsoft.Json; using Newtonsoft.Json.Linq; //... namespace WindowsFormsApp1 { public partial class Form1 : Form { public class RECORD_PHOTO { public string ROWW { get; set; } public string ALBUMID { get; set; } public string LINK { get; set; } } public class PhotoObject { public List<RECORD_PHOTO> RECORDS { get; set; } } public List<string[]> listForJson = new List<string[]>(); public List<String> PHOTO_Rows = new List<String>(); public List<String> PHOTO_AlbumIds = new List<String>(); public List<String> PHOTO_Links = new List<String>(); string JsonFileName = @"C:\temp_work\test.json" public DataTable dtFromJson; private void Starting() { string jsonn = File.OpenText(JsonFileName).ReadToEnd(); var result = JsonConvert.DeserializeObject<PhotoObject>(JsonFileName); PHOTO_Rows = result.RECORDS.Select(p => p.ROWW).ToList(); PHOTO_AlbumIds = result.RECORDS.Select(p => p.ALBUMID).ToList(); PHOTO_Links = result.RECORDS.Select(p => p.LINK).ToList(); for (int i = 0; i < PHOTO_Rows.Count; i++) { listForJson.Add(new string[] { PHOTO_Rows[i], PHOTO_AlbumIds[i], PHOTO_Links[i]}); } dtFromJson = ConvertListToDataTable(VKPH); dtFromJson.Columns[0].ColumnName = "ROWW"; dtFromJson.Columns[1].ColumnName = "ALBUMID"; dtFromJson.Columns[2].ColumnName = "LINK"; // DataRow[] rows = dtFromJson.Select("", "ROWW ASC"); } } } But Sorting in Select by "ROWW" worked like String so I need to add some cast like: DataRow[] rows = dtFromJson.Select("", "TO_NUMBER(ROWW) ASC"); But this is wrong dtFromJson = dtFromJson.AsEnumberable().OrderBy(x => x.Field("ALBUMID")).CopyToDataTable(); @jdweng still doesn't work, result looks like: <"1", "10", "100", ...> when expecting <"1","2","3", ...> Thanks for trying Then try one of following : 1) dtFromJson = dtFromJson.AsEnumberable().OrderBy(x => x.Field("ALBUMID")).CopyToDataTable(); 2) dtFromJson = dtFromJson.AsEnumberable().OrderBy(x => int.Parse(x.Field("ALBUMID"))).CopyToDataTable(); @Vladjkaaa I am confused you want data to be in order like <"1", "2", "3"> however ordering by ROWW would result in <"2", "1", "3">. I think ALBUMID and ROWW are mixed up here in the example @ZachHutchins albumids doesn't matter for ordering, they loading in random order but rows for links must be ASC The DataColumn.Expression property can be used to add another column to the table that maintains an int version of your ROWW column: dtFromJson.Columns.Add("ROWWint", typeof(int)).Expression = "CONVERT([ROWW], 'System.Int32')"; You can then orderby this column in your Select DataRow[] rows = dtFromJson.Select("", "ROWWint"); See it in action: https://dotnetfiddle.net/Cuh2np -- You could also query the row collection using LINQ: dtFromJson = dtFromJson.Cast<DataRow>().OrderBy(x => Convert.ToInt32((string)x["ROWW"])).ToArray(); if you want to sort by ROWW just like number then try below piece of code: string jsonn = File.OpenText(JsonFileName).ReadToEnd(); //Your code modified. Initially it was reading file name . //Now reading json string from file. var result = JsonConvert.DeserializeObject<PhotoObject>(jsonn); //Sort by ROWW after converting to int. var sortedByRowwResult = result.RECORDS.OrderBy(x => Convert.ToInt32(x.ROWW)).ToList(); After this you can put into data table. But please check your requirement. Is it really required to put json into datatable?
11,171
https://stackoverflow.com/questions/14723990
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
https://stackoverflow.com/users/1833222, https://stackoverflow.com/users/79379, radu florescu, user1833222
English
Spoken
348
999
create html dropdown list c# C# is not my everyday language so very new to it This is my Model public class SpecialtyListsModels { public Dictionary<int, dynamic> specialties = new Dictionary<int, dynamic>(); public Dictionary<int, dynamic> SpecialtyLists() { specialties.Add(1, new {name = "Varun", age = "11"} ); specialties.Add(2, new {name = "Khushi", age = "12"} ); return (specialties); } } This is my class public class SignupController : Controller { public ActionResult Index() { PFSignup.Models.SpecialtyListsModels objSpecialtyList = new PFSignup.Models.SpecialtyListsModels(); Dictionary<int, dynamic> specialtyLists = objSpecialtyList.SpecialtyLists(); return View(); } [HttpPost] public ActionResult Create(SignupModels signup) { return View(signup); } } This is my View in which I want to add a dropdown list of all the specialties <body> <div> @using (Html.BeginForm("Create", "Signup")) { <label for="first_name">First Name:</label> <input type="text" name="first_name" id="first_name" value="" /> <br /> <label for="last_name">Last Name:</label> <input type="text" name="last_name" id="last_name" value ="" /> @Html.DropDownList("specialty_list", new SelectList(SpecialtyListModels, ) <input type="submit" name="submit" value="Submit" /> } </div> Can someone please help me with the Dropdown list code, do I need to add list on the top of the view or something You should first send a model to your view and use that model to provide the dropdown entries Can you help me with some documentation or sample code ? You may want to use this link first for documentation : http://www.asp.net/mvc/tutorials/javascript/working-with-the-dropdownlist-box-and-jquery/using-the-dropdownlist-helper-with-aspnet-mvc public class SpecialtyListsModels { public Dictionary specialties = new Dictionary(); public Dictionary<int, dynamic> SpecialtyLists() { specialties.Add(1, new {name = "Varun", age = "11"} ); specialties.Add(2, new {name = "Khushi", age = "12"} ); return (specialties); } } This is my class public class SignupController : Controller { public ActionResult Index() { PFSignup.Models.SpecialtyListsModels objSpecialtyList = new PFSignup.Models.SpecialtyListsModels(); Dictionary<int, dynamic> specialtyLists = objSpecialtyList.SpecialtyLists(); return View(specialtyLists); } [HttpPost] public ActionResult Create(SignupModels signup) { return View(signup); } } This is my View in which I want to add a dropdown list of all the specialties @model Dictionary<int, dynamic> <body> <div> @using (Html.BeginForm("Create", "Signup")) { <label for="first_name">First Name:</label> <input type="text" name="first_name" id="first_name" value="" /> <br /> <label for="last_name">Last Name:</label> <input type="text" name="last_name" id="last_name" value ="" /> @Html.DropDownList("specialty_list", new SelectList(Model) <input type="submit" name="submit" value="Submit" /> } </div> </body>
8,705
https://ceb.wikipedia.org/wiki/Tycomarptes%20aethiopica
Wikipedia
Open Web
CC-By-SA
2,023
Tycomarptes aethiopica
https://ceb.wikipedia.org/w/index.php?title=Tycomarptes aethiopica&action=history
Cebuano
Spoken
46
88
Kaliwatan sa alibangbang ang Tycomarptes aethiopica. Una ning gihulagway ni François Louis Nompar de Caumont de Laporte ni adtong 1974. Ang Tycomarptes aethiopica sakop sa kahenera nga Tycomarptes, ug kabanay nga Noctuidae. Walay nalista nga matang nga sama niini. Ang mga gi basihan niini Insekto Tycomarptes
23,445
https://stackoverflow.com/questions/69151911
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
Denny Sugianto, Siddharth Bhansali, https://stackoverflow.com/users/8032648, https://stackoverflow.com/users/9586073
English
Spoken
152
370
How to display flex css actually work (bootstrap) i wanna ask something about display flex <div class="container mx-auto"> <div class="d-flex"> <div class="bg-red-300 w-100 mr-3">halo</div> <div class="bg-red-300 w-50 mr-3">halo</div> </div> </div> how to display flex can manage width flex item with width 100% and 50% ? Thankyou :) In BS, if you want to have that kind of 2:1 ratio of width of elements, you'd have to use the grid system. Your above code will turn into: <div class="container mx-auto"> <div class="row"> <div class="col-8 bg-red-300 mr-3">halo</div> <div class="col-4 bg-red-300 mr-3">halo</div> </div> </div> what i wana ask what if we have used display flex? why output like that picture? row does use display flex. You can inspect it in the browser and check. Here's how to use Flex's Bootstrap, The 'col' has to be used to give the width of the box <div class="container"> <div class="row"> <div class="col-6 bg-red-300">halo</div> <div class="col-6 bg-red-300">halo</div> </div> </div>
28,542
https://sv.wikipedia.org/wiki/Desa%20Winong%20%28administrativ%20by%20i%20Indonesien%2C%20Jawa%20Timur%2C%20lat%20-7%2C67%2C%20long%20111%2C75%29
Wikipedia
Open Web
CC-By-SA
2,023
Desa Winong (administrativ by i Indonesien, Jawa Timur, lat -7,67, long 111,75)
https://sv.wikipedia.org/w/index.php?title=Desa Winong (administrativ by i Indonesien, Jawa Timur, lat -7,67, long 111,75)&action=history
Swedish
Spoken
77
168
Desa Winong är en administrativ by i Indonesien. Den ligger i provinsen Jawa Timur, i den västra delen av landet, km öster om huvudstaden Jakarta. Savannklimat råder i trakten. Årsmedeltemperaturen i trakten är  °C. Den varmaste månaden är oktober, då medeltemperaturen är  °C, och den kallaste är januari, med  °C. Genomsnittlig årsnederbörd är millimeter. Den regnigaste månaden är januari, med i genomsnitt mm nederbörd, och den torraste är augusti, med mm nederbörd. Källor Indelningar i Jawa Timur
41,536
https://stackoverflow.com/questions/39268792
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
David Z, Netwave, Nick Slavsky, Padraic Cunningham, https://stackoverflow.com/users/1695172, https://stackoverflow.com/users/2141635, https://stackoverflow.com/users/4856945, https://stackoverflow.com/users/56541
English
Spoken
893
1,934
Build 2 lists in one go while reading from file, pythonically I'm reading a big file with hundreds of thousands of number pairs representing the edges of a graph. I want to build 2 lists as I go: one with the forward edges and one with the reversed. Currently I'm doing an explicit for loop, because I need to do some pre-processing on the lines I read. However, I'm wondering if there is a more pythonic approach to building those lists, like list comprehensions, etc. But, as I have 2 lists, I don't see a way to populate them using comprehensions without reading the file twice. My code right now is: with open('SCC.txt') as data: for line in data: line = line.rstrip() if line: edge_list.append((int(line.rstrip().split()[0]), int(line.rstrip().split()[1]))) reversed_edge_list.append((int(line.rstrip().split()[1]), int(line.rstrip().split()[0]))) I would keep your logic as it is the Pythonic approach just not split/rstrip the same line multiple times: with open('SCC.txt') as data: for line in data: spl = line.split() if spl: i, j = map(int, spl) edge_list.append((i, j)) reversed_edge_list.append((j, i)) Calling rstrip when you have already called it is redundant in itself even more so when you are splitting as that would already remove the whitespace so splitting just once means you save doing a lot of unnecessary work. You can also use csv.reader to read the data and filter empty rows once you have a single whitespace delimiting: from csv import reader with open('SCC.txt') as data: edge_list, reversed_edge_list = [], [] for i, j in filter(None, reader(data, delimiter=" ")): i, j = int(i), int(j) edge_list.append((i, j)) reversed_edge_list.append((j, i)) Or if there are multiple whitespaces delimiting you can use map(str.split, data): for i, j in filter(None, map(str.split, data)): i, j = int(i), int(j) Whatever you choose will be faster than going over the data twice or splitting the sames lines multiple times. I'm actually doing the rstrip() to remove trailing \r\n characters in empty lines. Without it your code errors out with i, j = map(int, spl) ValueError: not enough values to unpack (expected 2, got 0) @NickSlavsky, that sould have been if spl, spl will be empty for any lines with just whitespace whoops, didn't figure it out myself. Thank you! By the way, your solution turned out to be almost 2 times faster than my initial code with redundant splits. You can't create two lists in one comprehension, so, instead of doing the same operations twice on the two lists, one viable option would be to initialize one of them and then create the second one by reversing each entry in the first one. That way you don't iterate over the file twice. To that end, you could create the first list edge_list with a comprehension (not sure why you called rsplit again on it): edge_list = [tuple(map(int, line.split())) for line in data] And now go through each entry and reverse it with [::-1] in order to create its reversed sibling reverse_edge_list. Using mock data for edge_list: edge_list = [(1, 2), (3, 4), (5, 6)] Reversing it could look like this: reverse_edge_list = [t[::-1] for t in edge_list] Which now looks like: reverse_edge_list [(2, 1), (4, 3), (6, 5)] I might suggest [tuple(map(line.split())) ...] which looks a little cleaner. Maybe not clearer, but shorter: with open('SCC.txt') as data: process_line = lambda line, r: (int(line.rstrip().split()[r]), int(line.rstrip().split()[1-r])) edge_list, reverved_edge_list = map(list, zip(*[(process_line(line, 0), process_line(line, 1)) for line in data if line.rstrip()])) hey, did not ways your answer, was working in the same myself, +1 Here comes a solution A test file: In[19]: f = ["{} {}".format(i,j) for i,j in zip(xrange(10), xrange(10, 20))] In[20]: f Out[20]: ['0 10', '1 11', '2 12', '3 13', '4 14', '5 15', '6 16', '7 17', '8 18', '9 19'] One liner using comprehension, zip and map: In[27]: l, l2 = map(list,zip(*[(tuple(map(int, x.split())), tuple(map(int, x.split()))[::-1]) for x in f])) In[28]: l Out[28]: [(0, 10), (1, 11), (2, 12), (3, 13), (4, 14), (5, 15), (6, 16), (7, 17), (8, 18), (9, 19)] In[29]: l2 Out[29]: [(10, 0), (11, 1), (12, 2), (13, 3), (14, 4), (15, 5), (16, 6), (17, 7), (18, 8), (19, 9)] Explaining, with [(tuple(map(int, x.split())), tuple(map(int, x.split()))[::-1]) for x in f] we build a list containing a pair tuple with the pair tuples and its reversed forms: In[24]: [(tuple(map(int, x.split())), tuple(map(int, x.split()))[::-1]) for x in f] Out[24]: [((0, 10), (10, 0)), ((1, 11), (11, 1)), ((2, 12), (12, 2)), ((3, 13), (13, 3)), ((4, 14), (14, 4)), ((5, 15), (15, 5)), ((6, 16), (16, 6)), ((7, 17), (17, 7)), ((8, 18), (18, 8)), ((9, 19), (19, 9))] Applaying zip to the unpack form we split the tuples inside the main tuple, so we have 2 tuples containing the tuples pairs in the first and the reversed in the others: In[25]: zip(*[(tuple(map(int, x.split())), tuple(map(int, x.split()))[::-1]) for x in f]) Out[25]: [((0, 10), (1, 11), (2, 12), (3, 13), (4, 14), (5, 15), (6, 16), (7, 17), (8, 18), (9, 19)), ((10, 0), (11, 1), (12, 2), (13, 3), (14, 4), (15, 5), (16, 6), (17, 7), (18, 8), (19, 9))] Almost there, we just use map to transform that tuples into lists. EDIT: as @PadraicCunningham asked, for filtering empty lines, just add a if x in the comprehension [ ... for x in f if x] Try it with a file with empty lines just filter the empty lines with filter or in the comprehension @PadraicCunningham
7,741
FxK8qDR3iSc_1
Youtube-Commons
Open Web
CC-By
null
John Lipsky
None
English
Spoken
368
453
John Levski, former deputy manager and director of the IMF and a big viewer and I think agent in the whole economic scene, the Peterson Center at the moment. What is your view of the impact of the Trump presidency on the world economics? I'm thinking in terms of currency exchanges, protections and so on. Well, the easy answer is it's too soon to tell. First of all, for one thing, I'm not sure everybody recognizes the current U.S. economic expansion is currently the third longest in U.S. history and if consensus views are close to right that there's not going to be a recession in the near term, for sure it is going to be at least the second longest expansion in U.S. history. So despite the grumbles about relatively slow growth, about falling labor force participation, about slow wage growth, about inequality, the economy continues to move ahead. The unemployment rate is the lowest now since the 90s and could go lower. The asset values the stock market at record highs. So Trump's own appeal to those left behind, I put it in inverted commas, was actually fake news during the campaign or is a real issue? No, I think there's a sense of a real issue and certain areas have been much slower to recover. Manufacturing jobs are now recovering, but they're far below where they were. Certainly there are issues that explain the appeal of the Trump candidacy, but also and I think particularly a sense of immobility in Washington to deal with issues that are widely recognized as necessary for one tax reform. There has been for decades a consensus that tax reform is needed. An obvious need to reform our immigration policies and put some order into something that is incoherent. Third, clearly the long-term U.S. fiscal picture is clouded by entitlements that have to be addressed and among that I think there was a consensus that the health care initiative under President Obama, so-called Obamacare, may have dealt with one problem with this universality of coverage, but certainly has not dealt in a meaningful way with the very structure of health care and its linkage to the long-term problem of entitlement.
34,171
https://eo.wikipedia.org/wiki/Virina%20masko%20de%20Uruk
Wikipedia
Open Web
CC-By-SA
2,023
Virina masko de Uruk
https://eo.wikipedia.org/w/index.php?title=Virina masko de Uruk&action=history
Esperanto
Spoken
152
335
La Virina masko de Uruk estas virina kapo pretigita el marmoro. Ĝi altas 20,1 cm kaj estis trovita en Varka en suda Irako. Ĝi estiĝis dum la Uruk-periodo en fino de la 4-a jarmilo a.K.. Hodiaŭ ĝi estas videbla en la Nacia Muzeo de Irako en Bagdado. La artaĵo reprezentas unikaĵon en tiu periodo, kiel reprezentado de la homa vango. Ĝi estas glatigita sur la dorso, por ke ĝi eble estis ligita al muro aŭ lokita en lingan skulptaĵon. Ĉe la supro estas fendo, en kiu la haro de la figuro estis alfiksita. Ĉi tio verŝajne estis farita el ora folia metalo. La okuloj kaj brovoj estis faritaj de alia materialo kaj enmetitaj. Ĉi tiuj ne konserviĝis. Ĝi estis malkovrita en 1939, ŝtelita dum usona invado de Irako 2003, sed rapide trovita ĉe iraka bienisto, sen damaĝo. Uruk Sumero Verkoj de la 4-a jarmilo a.K. Arkeologio en Irako Nacia Muzeo de Irako
13,202
https://stackoverflow.com/questions/9360651
StackExchange
Open Web
CC-By-SA
2,012
Stack Exchange
Chris, Marten, Richard Obouo, https://stackoverflow.com/users/21265019, https://stackoverflow.com/users/21265020, https://stackoverflow.com/users/21265021, https://stackoverflow.com/users/21266956, https://stackoverflow.com/users/21277997, https://stackoverflow.com/users/265712, https://stackoverflow.com/users/864150, john griffin, meze, newbgrammer, shaik arifa
English
Spoken
164
300
Add request parameter to request I need to put a flag in an kernel.event_listener at stage kernel.controller in order to do something in an kernel.response-listener. I thought about adding a parameter to the $request object, however have not found any method or this: http://api.symfony.com/2.0/Symfony/Component/HttpFoundation/Request.html What is the best practice to pass some informatino from an kernel.controller-listener to an kernel.response-listener? Use-case: We want to set a cookie based on a validation of a specific request attribute (must be in kernel.controller-stage, since based on the result of the validation, the view may behave different). The cookie can only be set in the kernel.response-listener, since it has the Response-instance. Don't get your question. Why can't you just use a simple object that will store the cookies that you'll need to send before response is sent? Thx, I have updated the question to make it more clear. You can use $request->attributes to pass around information. In your controller listener: $request->attributes->set('mykey', 'myvalue'); In your response listener: $myvalue = $request->attributes->get('mykey');
49,206
https://en.wikipedia.org/wiki/Mountainaire%2C%20Arizona
Wikipedia
Open Web
CC-By-SA
2,023
Mountainaire, Arizona
https://en.wikipedia.org/w/index.php?title=Mountainaire, Arizona&action=history
English
Spoken
408
686
Mountainaire is a census-designated place (CDP) in Coconino County, Arizona, United States. The population was 1,119 at the 2010 census. Geography Mountainaire is located at (35.091096, -111.660193). According to the United States Census Bureau, the CDP has a total area of 10.2 square miles (26.5 km2), all land. Mountainaire CDP includes Kachina Hills and Mountainaire subdivisions, and nearby areas. Climate This region experiences warm (but not hot) and dry summers, with no average monthly temperatures above 71.6 °F. According to the Köppen Climate Classification system, Mountainaire has a warm-summer Mediterranean climate, abbreviated "Csb" on climate maps. Demographics As of the census of 2000, there were 1,014 people, 417 households, and 246 families living in the CDP. The population density was . There were 556 housing units at an average density of . The racial makeup of the CDP was 86.1% White, 0.3% Black or African American, 7.7% Native American, 0.3% Asian, 0.1% Pacific Islander, 3.1% from other races, and 2.5% from two or more races. 6.6% of the population were Hispanic or Latino of any race. There were 417 households, out of which 31.4% had children under the age of 18 living with them, 46.8% were married couples living together, 8.2% had a female householder with no husband present, and 41.0% were non-families. 26.6% of all households were made up of individuals, and 4.1% had someone living alone who was 65 years of age or older. The average household size was 2.43 and the average family size was 3.04. In the CDP, the age distribution of the population shows 24.7% under the age of 18, 8.5% from 18 to 24, 39.6% from 25 to 44, 23.5% from 45 to 64, and 3.7% who were 65 years of age or older. The median age was 33 years. For every 100 females, there were 110.4 males. For every 100 females age 18 and over, there were 107.6 males. The median income for a household in the CDP was $41,250, and the median income for a family was $49,355. Males had a median income of $32,406 versus $27,125 for females. The per capita income for the CDP was $23,625. About 5.3% of families and 7.4% of the population were below the poverty line, including 10.9% of those under age 18 and none of those age 65 or over. References External links Beekeeping in Mountainaire Mountainaire, AZ Weather Station Highlands Fire District Census-designated places in Coconino County, Arizona Census-designated places in Arizona
34,390
https://he.wikipedia.org/wiki/%D7%A9%D7%9C%D7%99%D7%98%D7%94%20%D7%A2%D7%95%D7%9C%D7%9E%D7%99%D7%AA
Wikipedia
Open Web
CC-By-SA
2,023
שליטה עולמית
https://he.wikipedia.org/w/index.php?title=שליטה עולמית&action=history
Hebrew
Spoken
1,957
6,560
שליטה עולמית (נקראת לעיתים גם כיבוש עולמי או קוסמוקרטיה) הוא שמו של מבנה שלטוני היפותטי, שבו רשות פוליטית אחת שולטת על כל תושבי כדור הארץ או לחלופין כמעט על כל תושבי כדור הארץ. אף ששליטה עולמית מופיעה לרוב באמנות, כמו בסרטים, מחזות, סדרות, ספרים וכו' בהם על פי רוב הרשע מנסה להגיע למצב של שליטה עולמית, היו גם לא מעט מנהיגים או משטרים שונים אשר ניסו להשיג מטרה זו לאורך ההיסטוריה, אולם היא מעולם עוד לא הושגה. שליטה עולמית נפוצה בספרות, בקולנוע ובתיאטרון, וכן בתיאוריות קונספירציה (שעשויות לטעון כי אדם או קבוצה כלשהי כבר השיגו שליטה עולמית בסתר), ובעיקר בקרב אלו אשר מביעות דאגה מפני "סדר עולמי חדש" של ממשלה עולמית בעלת אופי טוטליטרי. היסטוריה בעת העתיקה וימי הביניים מבחינה היסטורית, הרעיון של שליטה עולמית במונחים של אומה המרחיבה את כוחה עד כדי כך שכל שאר העמים כפופים לה אינה חדשה וקיימת מאות שנים. בהגדרה הרחבה ניתן להשיג שליטה עולמית מסוג זה על ידי ביסוס הגמוניה קיסרית בה ההגמון (השליט) מנצח על הארצות הכפופות לו באמצעות כוחה המרומז של ההגמוניה - על ידי איום בכוח, ולא על ידי פעולה צבאית ישירה. אף על פי כן, ניתן באופן היפותטי להשיג שליטה עולמית גם באמצעות כוח צבאי ישיר. כבר במאה הרביעית לפני הספירה הביע אלכסנדר הגדול את רצונו לכבוש את העולם. האגדה מספרת כי לאחר שהשלים את כיבושיו הצבאיים בכל רחבי העולם העתיק שהיה ידוע באותה תקופה, הוא בכה כי "לא היו לו עולמות נוספים לכבוש". למעשה, מכיוון שלא ידע על קיומו של המזרח הרחוק שמעבר לאסיה התיכונה (כלומר לסין, הודו וסיביר), אוקיאניה או יבשת אמריקה הדרומית והצפונית, מבחינתו של אלכסנדר הוא אכן כבש את כל העולם. רעיון השליטה העולמית אומץ בעת העתיקה על ידי קבוצות שונות: מהאימפריות המזרחיות הקדומות ועד האימפריה הרומית. בתקופת שלטונה של האחרונה ברחבי הים התיכון ואירופה, נהגה במפורש המושג "שליטה רומית מוחלטת" (imperium sine fine) שנתן לגיטימציה לנכונות האימפריה לשלוט בעולם כולו. בעת העתיקה המאוחרת שולב המושג עם רעיון האחדות הנוצרי, שהיה מרכיב חשוב בשליטת הכנסייה באירופה בימי הביניים. קיסרי האימפריה הרומית הקדושה תפסו את עצמם כ"שליטי העולם" וטענו לשלטון אוניברסלי. אולם הכנסייה זנחה את אידאולוגיית השליטה העולמית וזו נשארה לא ממומשת עד סוף המאה ה-14. אימפריה נוספת שהביעה רצון להגיע לשליטה עולמית הייתה האימפריה העות'מאנית. מאז המאה ה-15 העלו סולטאני האימפריה את הנושא מספר פעמים, לרוב בהשראת האסלאם. הסולטאן סולימאן הראשון, למשל, תיאר את תפיסתו לגבי שליטה של אדם אחד בעולם כולו בזמן המשא ומתן עם אנשי וינה בעת המצור על וינה בשנת 1529: במחקר ההיסטורי, אימפריות עולמיות שונות או מעצמות הגמוניות מתוארות לעיתים כמחזיקות ב"שליטה עולמית", כמו האימפריה הרומית, האימפריה המונגולית תחת ג'ינגיס חאן או האימפריה הספרדית בזמן שליטתה באמריקה. הכוונה בתואר זה אינה בשליטה פיזית על העולם כולו, אלא בשליטה תודעתית לפחות חלקית על התפתחות האנושות ככלל והשפעה מסיבית על ההיסטוריה של העולם כולו. בעת המודרנית גם האימפריה הבריטית, עליה נאמר באופן סמלי כי השמש לא שוקעת בה לעולם, נחשבת לשָׁלִיטָה עולמית תודעתית, אשר תחת שלטונה בשנת 1922 נמנו כ-458 מיליון תושבים (שהיוו רבע מאוכלוסיית העולם באותה עת) ושטח של כ-33.67 מיליון קמ"ר (שמהווים כרבע משטח היבשות בכדור הארץ כולו). מבחינה זו, האימפריה הבריטית הייתה הקרובה ביותר להשיג שליטה עולמית מוחלטת, ונחשבה בחוגים מסוימים כשולטת הלכה למעשה בעולם כולו, משום שהחזיקה בשטחים רבים בכל אחת מן היבשות. מאז שגודלו האמיתי של כדור הארץ נחשף, נטען על פי רוב כי כיבוש טוטאלי של כל חלקי העולם הוא בלתי אפשרי. אולם, היו גם שטענו אחרת. אבי הריאליזם הבינלאומי הנס מורגנטאו אמר בשנת 1948 כי ההתפתחות המכנית של כלי נשק, תחבורה ותקשורת "מאפשרת את כיבוש העולם מבחינה טכנית, ואף נותנת אפשרות לשמור את העולם במצב הכיבוש שלו". לטענתו, היעדר תשתית מסוג זה במהלך ההיסטוריה היא הסיבה שאימפריות עצומות וחזקות במהלך ההיסטוריה לא צלחו במשימתן לכבוש את העולם כולו. "כיום שום מכשול טכנולוגי אינו עומד בפני אימפריה חובקת עולם", אמר, "הטכנולוגיה המודרנית מאפשרת להרחיב את השליטה לכל פינה ברחבי העולם ללא קשר לגאוגרפיה או לעונה". בפוליטיקה ובאידאולוגיה יישום השליטה העולמית בתחילת המאה ה-17, המשורר ומגלה הארצות וולטר ראלי טען כי ניתן להשיג שליטה עולמית באמצעות שליטה באוקיינוסים, וכתב כי "מי שולט בים שולט בסחר; מי ששולט בסחר העולמי שולט על העושר העולמי, וכתוצאה מכך גם על העולם עצמו". מאוחר יותר, בשנת 1919, הציע הוגה הדעות הלפורד מקינדר תיאוריה נוספת על הדרך להגיע לשליטה עולמית, וכתב: אף שתורת "לב היבשה" של מקינדר זכתה בתחילה לתשומת לב מועטה מחוץ לחוגי העוסקים בגאוגרפיה, דעותיו בנושא החלו להניב השפעה מסוימת על מדיניות החוץ של מעצמות העולם ככל שחלפו השנים, ובייחוד כאשר קמו מעצמות ששמו את כיבוש העולם כמטרה, כמו גרמניה הנאצית וברית המועצות. בהתרשמות מהפריצה המהירה של מלחמת העולם השנייה, כתב הגאוגרף האמריקאי דרוונט ויטלסי בשנת 1942: חלק מהאידאולוגיות הנפוצות במאה ה-20 (אנרכיזם, קומוניזם, פשיזם, נאציזם וקפיטליזם) שואפות, באופן פעיל יותר או פחות, להקמת צורת ממשל עולמית העולה בקנה אחד עם אמונותיהם הפוליטיות, או טוענות כי העולם נע "באופן טבעי" לקראת אימוץ צורה מסוימת של משטר ממשלתי, סמכותי או אנטי-סמכותי. הצעות אלה אינן עוסקות באומה מסוימת שתשיג שליטה עולמית, אלא בכלל העמים שיתאחדו תחת מודל חברתי או כלכלי מסוים, ולעיתים, כמו בנאציזם למשל, חלק מהעמים יושמדו על ידי השאר כדי להגיע לשליטה עולמית מוחלטת. הנאציזם מתאפיין גם באירוניה מה, שכן על פי עיקרון באנטישמיות של האידאולוגיה הנאצית, היהודים הם דווקא אלו שמנסים להגיע למצב של שליטה עולמית. מטרת השליטה העולמית עשויה להיות גם הקמת סמכות פוליטית משותפת אחת לכל האנושות. מקרה ידוע כזה היה קיים בתקופת המלחמה הקרה, אשר נחשבת לתקופה של קיטוב אידאולוגי אינטנסיבי, לאור קיומם של שני גושים יריבים - המערב הקפיטליסטי והמזרח הקומוניסטי - אשר כל אחד מהם הביע תקווה לנצח את יריבם אידאולוגית. הסוף האולטימטיבי של ניצחון מסוג זה יהיה כאשר אידאולוגיה כלשהי תהפוך לאידאולוגיה היחידה בעולם, שלמעשה תהווה שליטה עולמית אידאולוגית. בדת ביהדות ביהדות אין קריאה להחיל את הדת על כלל העולם, אך כן קיימים אזכורים למלכים ושליטים שהעולם היה נתון לשליטתם. בתלמוד בבלי מובא כי שלושה מלכים "מלכו בכיפה": אחאב, אחשוורוש ונבוכדנצר; שלמה הוחרג מהרשימה כיוון "שמלך על העליונים ועל התחתונים". החיבור 'תוספות' מוסיף כי חז"ל לא החשיבו את אלכסנדר מוקדון לאחד ממלכים אלו משום שלא הוזכר בתנ"ך. בפרקי דרבי אליעזר מובאת רשימה של עשרה מלכים אשר "משלו מסוף העולם ועד סופו: [...] אלוהים, נמרוד, יוסף, שלמה, אחאב, נבוכדנצר, כורש, אלכסנדר והמשיח". על המלך העשירי נוסף כי "חוזרת המלוכה לבעליה, מי שהיה המלך הראשון הוא המלך האחרון", כאשר הכוונה היא לאלוהים אשר שולט בכל העולם. בתנ"ך, בכתבי חז"ל ובתפילות, מוזכר לרוב אלוהים בעצמו כשולט בעולם ואשר כל בני האדם שרים למרותו. חז"ל טענו כי "בריאת האדם היא התחלתה של מלכות ה' בעולמו"; כלומר, שליטתו, או מלכותו, של אלוהים בעולם החלה עם היווצרות האדם ביום השישי לבריאת העולם. גם בברכות ובתפילות מוזכר לעיתים קרובות אלוהים כ"מלך העולם", כמו בחנוכה, תפילת שחרית, קבלת שבת ועוד. באסלאם האלמנט של שליטה עולמית אינו מופיע מפורשות בקוראן או בסונה, אולם אכן קיימים אזכורים ופסיקות שעלולות להתפרש כמצווה לכפיית הדת המוסלמית על עמי העולם. הידועה בפסקות אלו היא הדעוה. בכלאם מטרת הדעוה היא להזמין אנשים, מוסלמים ולא מוסלמים כאחד, להבין את עבודת האל כפי שהיא באה לידי ביטוי בקוראן ובסונה ולהתאסלם. הדעוה כ"קריאה לאלוהים" הוא האמצעי שבו החל מוחמד להפיץ את המסר של הקוראן לאנושות. לאחר מותו, קיבלו לכאורה מאמיניו את החובה להפיץ את הדת ולשכנע כמה שיותר אנשים להמיר את דתם ולהתקרב לאסלאם ולמונותאיזם. על כן, יש המפרשים קריאה זו להפצת האסלאם כביטוי של שאיפה לשליטה מוסלמית עולמית. היו שלקחו את דת האסלאם לשאיפה גלויה וחדורת מטרה להשתלטות עולמית. התנועה הבולטת מבין תנועות אלו היא המדינה האסלאמית (דאעש), ששמה לה למטרה באופן ברור להחיל את חוקי השריעה על כלל עמי העולם, ולהנהיג את חוקי האסלאם; או במילים אחרות, לכבוש את העולם כולו ולשלוט עליו באמצעות מערכת חוקים אחת ויישות מדינית אחת. ארגון המדינה האסלאמית מבוסס על כמה זרמים באסלאם ומשלב פרשנות קיצונית ביותר לסלפיה, הג'יהאד הסלפי ואסלאמיזם, הפוסלת כל דת שהיא מלבד האסלאם הסוני. אמונה מסוג זה מובילה למטרת־על שבה כל תושבי העולם ימירו את דתם לאסלאם הסוני, ומי שלא יעשה כן ייהרג. בנצרות גם בנצרות קיים אלמנט של שליטה נוצרית בעולם כולו. כבר בימי הביניים ראו את עצמם הנוצרים כשליטי העולם כולו, כאשר שעבדו תחת חוקי הכנסייה את אירופה כולה. גם כיום, ישנן קבוצות נוצריות קיצוניות שתומכות בשליטה עולמית נוצרית מלאה. בסוף שנות השמונים החלה הסוציולוגית שרה דיימונד לפרסם מאמרים בנושא תאולוגיית השליטה הנוצרית, שנוגעת בין היתר גם לשליטה עולמית של חוקי הנצרות כפי שהם מופיעים בתנ"ך ובברית החדשה. דיימונד טענה כי "החשיבות העיקרית של אידאולוגית השחזור היא תפקידה לשמש תמריץ למה שמכונה באופן רופף 'תאולוגיית שליטה' [...] התפיסה לפיה נוצרים מחויבים לכבוש את כל המוסדות החילוניים הפכה לאידאולוגיה המאחדת המרכזית של הימין הנוצרי". אף על פי כן, לרוב תאולוגיית השליטה מתייחסת רק לארצות הברית ולהחזרתה של אמריקה להגדרת המדינה הנוצרית. הכומר השנוי במחלוקת ד. ג'יימס קנדי, מייסד הכנסייה הפרסביטריאנית של קורל רידג' , התייחס בעבר לשליטה עולמית נוצרית, ואמר כי "לנוצרים מוטלת החובה, המנדט, המחויבות והאחריות הקדושה להחזיר את האדמה למשיחנו ישו - לשלוט במבנים אזרחיים, בדיוק כמו בכל היבט אחר של החיים והאלוהות. אבל זוהי שליטה שאנו רודפים אחריה. לא רק קריאה. זוהי שליטה שאנו רודפים אחריה. לא רק השפעה. זוהי שליטה שאנו רודפים אחריה. לא רק זמן שווה. זו שליטה שאנחנו רודפים אחריה. כיבוש עולמי. זה מה שהמשיח הורה לנו להשיג". באמנות בספרות ובשירה שליטה עולמית מופיעה רבות באמנויות השונות, לרוב כחלק ממזימה או תוכנית להשתלטות עולמית של דמות הרשע. נוולים ואנטגוניסטים כאלה ניתן למצוא רבות בשירה, במחזות ובספרות הקלאסית. כך למשל, במחזה ריצ'רד השלישי של ויליאם שייקספיר, מלך האנגליה העולה לכס המלכות, ריצ'רד השלישי כשם המחזה, מביע את רצונו להגיע למצב של שליטה עולמית. גם בסדרת הספרים שר הטבעות מאת ג'ון רונלד רעואל טולקין, שנחשבת לאחת מיצירות המופת בספרות הפנטסטית, מובע בקרב האנטגוניסט המוחלט, סאורון, רצון עז להשתלט על העולם. גם בספרו המהפכני של ג'ורג' אורוול, "1984", מתואר עולם שבו שליטה עולמית היא מאפיין בולט של המשטר. בספר, ישנן שלושה מעצמות השולטות בכל חלקי העולם; אוקיאנה, אירואסיה ואיסטאסיה, אשר כל אחת מהן מנסה לתקוף את השנייה ולהשתלט על כמה שיותר שטח, בשאיפה לשליטה עולמית. גם המעצמה בה מתרחשת העלילה, אוקיאנה, מקיימת מאפיינים של שליטה עולמית - שליטה טוטלית, גורפת, של שליט יחיד על אוכלוסייה עצומה שמצייתת לה כולה כאחד. האלמנט של רשע המנסה להשתלט על העולם הוא מושא לעג בסדרת האנימציה הפופולרית פיניאס ופרב, כאשר דמות הרשע המגוחך, דופנשמירץ, מנסה מדי פרק להמציא המצאה בזויה אחרת שמטרתה להביא אותו לשליטה עולמית. אולם, הוא לעולם אינו מצליח ומהווה סאטירה על דמות הרשע הקלאסית. בספרים "מחזור כישור הזמן" מאת רוברט ג'ורדן מתבטאת השליטה העולמית בצורה יוצאת דופן: במקום שהרשע ינסה לכבוש את העולם, זהו דווקא גיבור הספר אשר מנסה להשתלט על העולם, בכדי לאחד אותו למלחמה מול השטן. במהלך הסדרה הקלישאה של נער פשוט שהופך ל"נבחר" משמשת בצורה בלתי רגילה באופן ההפוך, בו הוא נאלץ לכבוש מדינות כדי לאחד אותן לפני המאבק האפוקליפטי באדון האופל. בקומיקס במדיום הקומיקס מופיע רבות אלמנט של שליטה עולמית בקרב הקבוצה המרשעת. אלמנט זה מתבטא באופן מובהק בארגון הטרור הסודי שמופיע בסדרת הקומיקס של קפטן אמריקה, "הידרה". שליטה עולמית מופיעה גם בקומיקסים נוספים מבית מארוול קומיקס, כמו מנדרין בסדרת איירון מן או אולטרון באירועי "מצור". הסיבה לשכיחות הגבוהה של שליטה עולמית בקומיקס, ובייחוד בקומיקס גיבורי על, טמונה בתפיסתו כז'אנר קבוע מאוד, ובו כמעט תמיד הרשע מנסה להשתלט על העולם בעוד שהגיבור מונע זאת ממנו. אף שאמנים שונים ניסו לשבור את המוטיב הקבוע הזה, עדיין מרבית קומיקס גיבורי העל עוסק בנושאים דומים: רשע בעל כוחות מיוחדים מנסה להגיע לשליטה עולמית וגיבור העל הוא היחיד שיכול לעצור בעדו. בהקשר של שליטה עולמית אצל דמות האנטגוניסט שלו, דוקטור דום, כתב עורך הקומיקס המוערך סטן לי כי "מה באמת רצה דוקטור דום? הוא רצה לשלוט בעולם. עכשיו, תחשבו על זה. כשאתה חוצה ברמזור אדום אתה יכול לקבל על זה זימון לבית משפט, אבל אתה יכול ללכת אל שוטר ולהגיד לו "אני רוצה להשתלט על העולם", ואין שום דבר שהוא יכול לעשות בקשר לזה, כי זה לא פשע. כל אחד יכול לרצות לשלוט בעולם. אז אף על פי שהוא היה האיום הגדול ביותר על ארבעת המופלאים, בעיני הוא מעולם לא היה פושע!". לקריאה נוספת מייקל גוס, "Plans for World Domination", הוצאת Independently, ינואר 2020. סנטנה גוהה ריי, "The Diamond Trail: How India Rose to Global Domination", הוצאת Harper Collins, יולי 2019. הערות שוליים אידאולוגיות גלובליזציה
5,350
https://id.wikipedia.org/wiki/Grand%20Prix%20Sepeda%20Motor%20Portugal
Wikipedia
Open Web
CC-By-SA
2,023
Grand Prix Sepeda Motor Portugal
https://id.wikipedia.org/w/index.php?title=Grand Prix Sepeda Motor Portugal&action=history
Indonesian
Spoken
58
110
Grand Prix sepeda motor Portugal adalah ajang balap sepeda motor yang merupakan bagian dari musim balap motor Grand Prix. Acara tersebut diadakan satu kali pada tahun 1987 di Jarama. Itu kembali ke Portugal pada tahun 2000 setelah Sirkuit Estoril dihomologasi untuk balap motor internasional, dan terakhir diadakan pada tahun 2012, dengan acara kembali pada tahun 2020. Referensi Portugal
40,370
https://sv.wikipedia.org/wiki/Deinopis%20bucculenta
Wikipedia
Open Web
CC-By-SA
2,023
Deinopis bucculenta
https://sv.wikipedia.org/w/index.php?title=Deinopis bucculenta&action=history
Swedish
Spoken
34
72
Deinopis bucculenta är en spindelart som beskrevs av Schenkel 1953. Deinopis bucculenta ingår i släktet Deinopis och familjen Deinopidae. Artens utbredningsområde är Venezuela. Inga underarter finns listade i Catalogue of Life. Källor Spindlar bucculenta
43,663
https://cy.wikipedia.org/wiki/Garner%2C%20Iowa
Wikipedia
Open Web
CC-By-SA
2,023
Garner, Iowa
https://cy.wikipedia.org/w/index.php?title=Garner, Iowa&action=history
Welsh
Spoken
29
76
Dinas yn , yn nhalaith Iowa, yw . Poblogaeth ac arwynebedd Pobl nodedig Ceir nifer o bobl nodedig a anwyd yn Garner, gan gynnwys: Cyfeiriadau Dinasoedd Hancock County, Iowa
47,644
https://ceb.wikipedia.org/wiki/Tenuipalpus%20pagesae
Wikipedia
Open Web
CC-By-SA
2,023
Tenuipalpus pagesae
https://ceb.wikipedia.org/w/index.php?title=Tenuipalpus pagesae&action=history
Cebuano
Spoken
40
84
Kaliwatan sa murag-kaka ang Tenuipalpus pagesae. Una ning gihulagway ni Rimando ni adtong 1962. Ang Tenuipalpus pagesae sakop sa kahenera nga Tenuipalpus, ug kabanay nga Tenuipalpidae. Walay nalista nga matang nga sama niini. Ang mga gi basihan niini Murag-kaka Tenuipalpus
30,531
https://stackoverflow.com/questions/69992871
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
English
Spoken
999
2,728
Refactoring instanceof On my current project, I need to convert values between types that are only known at runtime: the input type is the JSON type of the input, and the output type is defined in a configuration file loaded at runtime. I came up with a generic solution, but I'm not quite happy with it, because supporting new input types means you need to change existing supported output type classes (which goes against the Open/Closed Principle), and I use a lot of instanceof and a lot of casting. Are there better solutions than what I did in terms of maintainability? I tried to get a kind of minimal example of my code, so here it is: package org.example.scratch; import static java.lang.Float.*; import static java.lang.Integer.*; import java.time.LocalDate; import java.time.ZonedDateTime; import lombok.Value; class Scratch { public static void main(String[] args) { // runtime values final FieldValue value = StringValue.of("3.14"); // input value final Converter<?> converter = FloatConverter.of(); // output type Mapper<?> mapper = Mapper.of(converter); FieldValue converted = mapper.convert(value); System.out.println(converted); } @Value(staticConstructor = "of") static class Mapper<T extends FieldValue> { Converter<T> converter; public T convert(FieldValue value) { return converter.apply(value); } } interface Converter<T extends FieldValue> { T apply(FieldValue value); } @Value(staticConstructor = "of") static class IntegerConverter implements Converter<IntegerValue> { @Override public IntegerValue apply(FieldValue value) { if (value instanceof IntegerValue) { return (IntegerValue) value; } if (value instanceof FloatValue) { return IntegerValue.of(((FloatValue) value).getValue().intValue()); } if (value instanceof StringValue) { return IntegerValue.of(parseInt(((StringValue) value).getValue())); } throw new IllegalArgumentException("Impossible to convert a " + value.getClass().getName() + " to a " + IntegerValue.class.getSimpleName()); } } @Value(staticConstructor = "of") static class FloatConverter implements Converter<FloatValue> { @Override public FloatValue apply(FieldValue value) { if (value instanceof FloatValue) { return (FloatValue) value; } if (value instanceof IntegerValue) { return FloatValue.of(((IntegerValue) value).getValue().floatValue()); } if (value instanceof StringValue) { return FloatValue.of(parseFloat(((StringValue) value).getValue())); } throw new IllegalArgumentException("Impossible to convert a " + value.getClass().getName() + " to a " + FloatValue.class.getSimpleName()); } } @Value(staticConstructor = "of") static class DateConverter implements Converter<DateValue> { @Override public DateValue apply(FieldValue value) { if (value instanceof DateValue) { return (DateValue) value; } if (value instanceof StringValue) { return DateValue.of(LocalDate.parse(((StringValue) value).getValue())); } throw new IllegalArgumentException("Impossible to convert a " + value.getClass().getName() + " to a " + DateValue.class.getSimpleName()); } } @Value(staticConstructor = "of") static class TimestampConverter implements Converter<TimestampValue> { @Override public TimestampValue apply(FieldValue value) { if (value instanceof TimestampValue) { return (TimestampValue) value; } if (value instanceof StringValue) { return TimestampValue.of(ZonedDateTime.parse(((StringValue) value).getValue())); } throw new IllegalArgumentException("Impossible to convert a " + value.getClass().getName() + " to a " + TimestampValue.class.getSimpleName()); } } interface FieldValue {} @Value(staticConstructor = "of") static class IntegerValue implements FieldValue { Integer value; } @Value(staticConstructor = "of") static class FloatValue implements FieldValue { Float value; } @Value(staticConstructor = "of") static class DateValue implements FieldValue { LocalDate value; } @Value(staticConstructor = "of") static class TimestampValue implements FieldValue { ZonedDateTime value; } @Value(staticConstructor = "of") static class StringValue implements FieldValue { String value; } } If maintainability is your goal, then I think you could group some things together to keep things simple and easy to change. Please note - I removed Lombok, as I have trouble getting it to work on my machine. I also removed static functionality, as that doesn't seem necessary for your use case. GenericValue<T> public abstract class GenericValue<T> { private T value; public GenericValue(T value) { this.value = value; } public GenericValue(GenericValue<?> value) { this.value = convert(value); } public T getValue() { return this.value; } public abstract T convert(GenericValue<?> inputType); public static void main(String[] args) { GenericValue<String> input = new StringValue("123"); // input value { GenericValue<Float> output = new FloatValue(input); Float result = output.getValue(); System.out.println(result); } { GenericValue<Integer> output = new IntegerValue(input); Integer result = output.getValue(); System.out.println(result); } } } ~ IntegerValue public class IntegerValue extends GenericValue<Integer> { public IntegerValue(Integer value) { super(value); } public IntegerValue(GenericValue<?> value) { super(value); } public Integer convert(GenericValue<?> inputType) { if (inputType instanceof IntegerValue) { IntegerValue temp = ((IntegerValue) inputType); return (temp.getValue()); } else if (inputType instanceof StringValue) { StringValue temp = (StringValue) inputType; return (Integer.parseInt(temp.getValue())); } else if (inputType instanceof FloatValue) { FloatValue temp = (FloatValue) inputType; return (temp.getValue().intValue()); } else { throw new IllegalArgumentException("Impossible to convert a " + inputType.getClass().getName() + " to " + this.getClass().getSimpleName()); } } } ~ FloatValue public class FloatValue extends GenericValue<Float> { public FloatValue(Float value) { super(value); } public FloatValue(GenericValue<?> value) { super(value); } public Float convert(GenericValue<?> inputType) { if (inputType instanceof IntegerValue) { IntegerValue temp = (IntegerValue) inputType; return Float.valueOf(temp.getValue().floatValue()); } else if (inputType instanceof StringValue) { StringValue temp = (StringValue) inputType; return Float.parseFloat(temp.getValue()); } else if (inputType instanceof FloatValue) { FloatValue temp = (FloatValue) inputType; return temp.getValue(); } else { throw new IllegalArgumentException("Impossible to convert a " + inputType.getClass().getName() + " to " + this.getClass().getSimpleName()); } } } ~ StringValue public class StringValue extends GenericValue<String> { public StringValue(String value) { super(value); } public StringValue(GenericValue<?> value) { super(value); } public String convert(GenericValue<?> inputType) { if (inputType instanceof IntegerValue || inputType instanceof FloatValue || inputType instanceof StringValue) { String string = String.valueOf(inputType.getValue()); return (string); } else { throw new IllegalArgumentException("Impossible to convert a " + inputType.getClass().getName() + " to " + this.getClass().getSimpleName()); } } } ~ DateValue import java.time.LocalDate; public class DateValue extends GenericValue<LocalDate> { public DateValue(LocalDate value) { super(value); } public DateValue(GenericValue<?> value) { super(value); } public LocalDate convert(GenericValue<?> inputType) { if (inputType instanceof StringValue) { StringValue temp = ((StringValue) inputType); return LocalDate.parse(temp.getValue()); } else if (inputType instanceof DateValue) { DateValue temp = (DateValue) inputType; return temp.getValue(); } else { throw new IllegalArgumentException("Impossible to convert a " + inputType.getClass().getName() + " to " + this.getClass().getSimpleName()); } } } ~ TimestampValue import java.time.ZonedDateTime; public class TimestampValue extends GenericValue<ZonedDateTime> { public TimestampValue(ZonedDateTime value) { super(value); } public TimestampValue(GenericValue<?> value) { super(value); } public ZonedDateTime convert(GenericValue<?> inputType) { if (inputType instanceof StringValue) { StringValue temp = ((StringValue) inputType); return ZonedDateTime.parse(temp.getValue()); } else if (inputType instanceof TimestampValue) { TimestampValue temp = (TimestampValue) inputType; return temp.getValue(); } else { throw new IllegalArgumentException("Impossible to convert a " + inputType.getClass().getName() + " to " + this.getClass().getSimpleName()); } } }
12,539
https://tr.wikipedia.org/wiki/Corrado%20Olmi
Wikipedia
Open Web
CC-By-SA
2,023
Corrado Olmi
https://tr.wikipedia.org/w/index.php?title=Corrado Olmi&action=history
Turkish
Spoken
508
1,208
Corrado Olmi (24 Ekim 1926, Jesi – 29 Aralık 2020, Roma, İtalya), İtalyan aktör ve komedyen. Yaşamı ve kariyeri Olmi 24 Ekim 1926'da Jesi, Ancona'da doğdu. Genç yaşta memleketinde bazı yerel amatör tiyatro topluluklarında sahneye çıktı. Roma'ya taşındı ve burada hukuk bölümünden mezun oldu. Eğitimi devam ederken Peter Sharoff Tiyatro Akademisi'nde oyunculuk eğitimi aldı. Nesir, avanspettacolo, kabare, operet tarzında yüzlerce eserde öne çıkan üretken bir tiyatro oyuncusuydu. Ayrıca televizyonda (televizyon filmleri, dizilerde ve çeşitli şovlarda) en çok tercih edilen oyunculardan birisi oldu. Otobiyografisini, Oltre la scena ve Oltre lo schermo adlı iki kitap halinde yayınladı. Ölümü Olmi 29 Aralık 2020'de Roma, İtalya'da 94 yaşında COVID-19 sonucunda öldü. Seçme filmografi Peccato di castità (1956) Chiamate 22-22 tenente Sheridan (1960) – Pat – journalist Un mandarino per Teo (1960) – Il signore in bianco A Girl... and a Million (1962) – Visonà's Friend L'amore difficile (1962) – Carabiniere (segment "Il serpente") Adultero lui, adultera lei (1963) – L'avvocato dell'accusa Shivers in Summer (1964) – Furricchio I maniaci (1964) – The husband (segment "Il week-end") Clémentine chérie (1964) I due pericoli pubblici (1964) – Vigile (segment "Una domenica d'agosto") Slalom (1965) – Italian Embassy Official Wake Up and Die (1966) – Bobino, riccetatore I nostri mariti (1966) – Monsignor Petrarca (segment "Il marito di Olga") Sex Quartet (1966) – Aldini's Friend (segment "Fata Armenia") The Devil in Love (1966) – Innkeeper A Stranger in Paso Bravo (1968) – Jonathan The Vatican Affair (1968) – Lentini Ace High (1968) Bandits in Rome (1968) Colpo di sole (1968) Satyricon (1969) – Seleuco 12 + 1 (1969) – Waiter (uncredited) The Archangel (1969) – Commissario Monteforte The Cat o' Nine Tails (1971) – Morsella Joe Dakota (1957) Armiamoci e partite! (1971) – German soldier Il merlo maschio (1971) – Violin teacher Four Flies on Grey Velvet (1971) – Porter A Girl in Australia (1971) – Don Anselmo Il provinciale (1971) Decameroticus (1972) – Ciacco My Darling Slave (1973) – A passenger Anno uno (1974) – Di Vittorio Professore venga accompagnato dai suoi genitori (1974) – Mr. Novelli L'uomo della strada fa giustizia (1975) – (uncredited) Scandal in the Family (1975) – don Erminio Apache Woman (1976) – Jeremy The Cricket (1980) Madly in Love (1981) – Sindaco Bollenti spiriti (1981) – Doctor (1981) – Agente di viaggi Porca vacca (1982) Rich and Poor (1983) – S.O.F.R.A.M. Manager Il petomane (1983) Sfrattato cerca casa equo canone (1983) – Commissario Due strani papà (1984) Bonnie and Clyde Italian Style (1984) – Bonetti – negoziante di giocattoli Il ragazzo del Pony Express (1986) – Father of Agostino Missione eroica – I pompieri 2 (1987) Il coraggio di parlare (1987) – Milan worker Rimini Rimini – Un anno dopo (1988) – Flaminia's Husband ("La scelta") Don Bosco (1988) Italian Restaurant (1994, TV Mini-Series) The Dinner (1998) – Arturo Si fa presto a dire amore (2000) – Padre Enrico Kaynakça Dış bağlantılar İtalyan erkek sinema oyuncuları İtalyan komedyenler 1926 doğumlular 2020 yılında ölenler İtalyan erkek dizi oyuncuları İtalyan erkek tiyatro oyuncuları İtalya'da COVID-19 pandemisinden ölenler Gümüş Kurdele Ödülü sahipleri
25,238
https://stackoverflow.com/questions/36793831
StackExchange
Open Web
CC-By-SA
2,016
Stack Exchange
Pietro, https://stackoverflow.com/users/1301180, https://stackoverflow.com/users/1794918, https://stackoverflow.com/users/4221083, theblindprophet, user1794918
English
Spoken
310
722
How to sense when a javascript loads a value change I am trying to create an alert when a java script changes a value in a hidden input field. How the page that I am trying to modify works is that when clicking on the name box a popup window appears to pull a name from the database table and that name is then placed in the name box along with a hidden id box. On page load the hidden field is empty. I need to sense when the field value changes from empty to a value. What I have so far is I am using the onblur to trigger the alert. I have tried onchange also. <input type='hidden' name='form_pid' value='<?php echo attr($patientid) ?>' onblur='alertpriorauth(this)'/> function alertpriorauth(field){ if(field.value != '') { alert("box is filled"); } } Have you tried this http://www.w3schools.com/jsref/event_onchange.asp Use comments to ask for more information or suggest improvements. Avoid answering questions in comments. Hidden Fields does not Trigger on change event.So whenever you set the value of any hidden input element & want the change to be tracked, you explicitly have to tell jQuery to trigger change event on that hidden input element. $('#status').change(function() { alert($(this).val()); }) $('button').click(function() { $('#status').val("Tushar").trigger('change'); }) <script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script> <input type='hidden' val='' id="status" /> <button>Changed hidden value</button> <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.12.0/jquery.min.js"></script> <script> $(document).ready(function(){ alert("hi"); $('#new_id').change(function(){ if($('#new_id').val() != '') { alert("box is not empty"); } }); }); </script> <input type='hidden' name='form_pid' id="new_id" value='<?php echo attr($patientid) ?>'/> Excuse me, why onBlur if it's a hidden field? Why not onChange ? I have tried the script above and it does not produce the results that I am looking for. When the page loads the hi pops up but when the value is changed via the other java script. The second alert is not triggered. I found the answer here http://stackoverflow.com/questions/4067372/change-event-of-html-hidden-field. It can't be done is the short version.
7,389
https://stackoverflow.com/questions/58074285
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
Bhavneet Singh, https://stackoverflow.com/users/8342418
English
Spoken
85
123
Is there any way to implement the mathematical deconvolution(which exactly reverse the convolution) using tensorflow? Please let me know if there is I'm trying to make a software in which I need to reverse the convolution process. I haven't found anything useful. Yes, it is called Transposed Convolution in Tensorflow and also in PyTorch. Here is the link for TF1.14. Here is for TF2.0. It will not give us the original layer which was before convolution. Transposed Convolution will not exactly reserve the convolution operation.
3,965
https://da.wikipedia.org/wiki/141.%20l%C3%A6ngdegrad
Wikipedia
Open Web
CC-By-SA
2,023
141. længdegrad
https://da.wikipedia.org/w/index.php?title=141. længdegrad&action=history
Danish
Spoken
11
35
141. længdegrad kan henvise til: 141. vestlige længdekreds 141. østlige længdekreds
28,237
https://tg.wikipedia.org/wiki/%D0%9A%D0%B0%D0%B1%D0%BA%D0%BF%D0%B0%D0%BB%D0%B0%D0%B2
Wikipedia
Open Web
CC-By-SA
2,023
Кабкпалав
https://tg.wikipedia.org/w/index.php?title=Кабкпалав&action=history
Tajik
Spoken
95
345
Кабкпалав - як намуди палав аст. Тарзи тайёр кардани Кабкпалав Кабкро пар канда, тоза мекунанд ва дар оби ҷӯш мешӯянду ба дарунаш қимаю кабудӣ меандозанд. Барои қима гӯшти лаҳмро бо пиёзу сир аз гӯштқимакунак гузаронда, кабудӣ, намак, адвиёт андохта, хуб меомезанд. Дар равғани доғ аввал кабк, сипас пиёз, сабзӣ андохта, бирён мекунанд. Ба дег об рехта, зирбакро 20-30 дақиқа дар оташи паст меҷӯшонанду аввал намаку адвиёт ва баъд биринҷро андохта, то обро ҷаббиданаш дар оташи баланд меҷӯшонанд ва пас аз он дам мепартоянд. Палавро ба табақ кашида, ба рӯяш кабкро пора карда мемонанд. Эзоҳ Ғизоҳо
16,710
https://war.wikipedia.org/wiki/Euryischia%20unfasciatipennis
Wikipedia
Open Web
CC-By-SA
2,023
Euryischia unfasciatipennis
https://war.wikipedia.org/w/index.php?title=Euryischia unfasciatipennis&action=history
Waray
Spoken
39
84
An Euryischia unfasciatipennis in uska species han Hymenoptera nga ginhulagway ni Girault hadton 1915. An Euryischia unfasciatipennis in nahilalakip ha genus nga Euryischia, ngan familia nga Aphelinidae. Waray hini subspecies nga nakalista. Mga kasarigan Mga sumpay ha gawas Euryischia
42,421
https://stackoverflow.com/questions/55677225
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
Some code wizard, Trace, charlietfl, https://stackoverflow.com/users/10509053, https://stackoverflow.com/users/1175966, https://stackoverflow.com/users/917467
English
Spoken
240
613
Fetch method put with React.js and Node server I want to update my data in my MySQL database. I have React front-end and I'm using node server as back-end. I am getting nothing with body when I try to update data with fetch put method. Why is that? Why does "body" in fetch method with JSON.stringify(req.body) give me an empty object server-side? React code(button click event): handlePrioDown(a) { sessionStorage["id"] = a["id"]; sessionStorage["priority"] = a["priority"]; fetch('http://localhost:3001/TeacherPri/'+a["id"], { method: 'PUT', body: JSON.stringify({priority: a["priority"]+1}) }) } Node (server.js): //CORS middleware var allowCrossDomain = function(req, res, next) { res.header('Access-Control-Allow-Origin', '*'); res.header('Access-Control-Allow-Methods', 'GET,PUT,POST,DELETE'); res.header('Access-Control-Allow-Headers', 'Content-Type'); next(); } app.use( bodyParser.json()) app.use(bodyParser.urlencoded({ extended: true })) app.use(allowCrossDomain) app.use(express.json()) app.route("/TeacherPri/:id") .put(controller.changePriority) Node (controller.js): changePriority: (req ,res) => { let v = req.body; let key = req.params.id; console.log(JSON.stringify(v) + " ::::: id="+key) CONN.query('UPDATE teacher SET priority=? WHERE id=?', [v.priority, key], (err, results, fields) => { if(err) { console.log(err) res.json(err) } else { console.log("Done") res.statusCode = 204 res.send(); } }) } I'm excpecting that I get something like { priority: 4 } as req.body object on server side. I get empty object atm. Can you check in the network tab of chrome if what you're sending is what you want to send and take a look at the details of headers, response etc? Try setting Content Type header in fetch() request @charlietfl I tried to set header in fetch and nothing changed. I also already have headers set in node also
19,453
https://stackoverflow.com/questions/63022829
StackExchange
Open Web
CC-By-SA
2,020
Stack Exchange
English
Spoken
137
191
Is there a way to use variables inside a Botkit dialog? I'm trying to make a dialog which shows a dynamic carousel with botkit. I want the items in this carousel to change according to data on a JSON, I already have a function which creates and updates an "attachmentJSON" variable in the correct format using the data from the original JSON, so it should look something like this: dialog.ask({ "attachment": attachmentJSON } The function that updates attachmentJSON is called by several different 'bot.hears' on runtime. Is there a way to do what I'm trying to do? I really doubt it's the best solution, but what I ended up doing is creating a function which overwrites the dialog using the updated JSON, and call this "updateConversation" function everytime I need it. It works at the very least.
26,549
https://apple.stackexchange.com/questions/208679
StackExchange
Open Web
CC-By-SA
2,015
Stack Exchange
John K, Taychowder, https://apple.stackexchange.com/users/121023, https://apple.stackexchange.com/users/149897
English
Spoken
293
388
How can I reset my user account password on OS X? My MacBook keeps saying that my password is wrong. I haven't changed it in a year. I have tried to reboot it, but I have no idea how to do it. I have my laptop in recovery mode. A plausible way of resetting the password of your login on your OS X is to: Go to Single-user mode (CMD + S on boot) Type: /sbin/mount -uw / and press Enter Type rm /var/db/.applesetupdone and press Enter Type reboot and press Enter. On boot, you will be prompted to setup like if your mac was new. Don't panic, as your data is not lost (I would backup just in case though). Skip all unnecessary options, and later you will be prompted to create a new admin account. Once your setup finishes, from the new account, go to System Preferences > Users and Groups, click on your previous username and click Reset Password. Now type in the new password and login as your old account. This did not work all it did was reboot my computer back to the password screen If CMD+S did not work, it might be because of FileVault. You can disable it from Recovery. Also, try doing step 2 and 3 in the Recovery command line since it is a root command line just like single-user mode It worked it was just me being dumb, when I got into my settings to change my password, I kept trying to remember my password to change it but didn't realise I had to leave the old password box blank Thank you for your help @Taychowder Im happy that it worked :) You can now tick my answer to mark question as solved
48,244
https://id.wikipedia.org/wiki/Malacoscylus%20cinctulus
Wikipedia
Open Web
CC-By-SA
2,023
Malacoscylus cinctulus
https://id.wikipedia.org/w/index.php?title=Malacoscylus cinctulus&action=history
Indonesian
Spoken
59
148
Malacoscylus cinctulus adalah spesies kumbang tanduk panjang yang tergolong famili Cerambycidae. Spesies ini juga merupakan bagian dari genus Malacoscylus, ordo Coleoptera, kelas Insecta, filum Arthropoda, dan kingdom Animalia. Larva kumbang ini biasanya mengebor ke dalam kayu dan dapat menyebabkan kerusakan pada batang kayu hidup atau kayu yang telah ditebang. Referensi TITAN: Cerambycidae database. Tavakilian G., 25 Mei 2009. Malacoscylus
23,677
https://en.wikipedia.org/wiki/Titia%20van%20der%20Tuuk
Wikipedia
Open Web
CC-By-SA
2,023
Titia van der Tuuk
https://en.wikipedia.org/w/index.php?title=Titia van der Tuuk&action=history
English
Spoken
325
662
Titia Klasina Elisabeth van der Tuuk (27 November 1854 – 7 May 1939), commonly known as Titia van der Tuuk, was a Dutch feminist and socialist. She was born in 't Zandt, Groningen to a preacher and a writer of children's literature. She initially worked as a teacher, but had to give up her profession due to deafness and hostility toward her because she was an avowed atheist. From 1885 onward, she started translating foreign literature into Dutch (such as Leo Tolstoy's War and Peace) and writing children's literature and historic novels. She was passionate in her activism for atheism, teetotalism, vegetarianism and pacifism. She often used the pseudonym Vitalis (adj. of vita, meaning life in Latin). She was never married and lived openly with her female partner. She died in Zeist, age 84. See also List of peace activists Publications Lieve Aleida in: De Tolk van den Vooruitgang, Derde en Vierde Bundel, 1878, 262-265; De noodzakelijkheid van 't socialisme' in: De Tolk van den Vooruitgang, Vijfde en Zesde Bundel (?), 1879, 177-182; Bijdrage tot oplossing der sociale kwestiën (Assen 1891); Een betere toekomst (Amsterdam 1897); Mensch of voorwerp? (Arnhem 1898); Het litteken van het dogma in: De Dageraad 1856-1906 (Amsterdam 1906) 232-236; De vrouw in haar seksueele leven. Een physiologisch-maatschappelijke studie met geneeskundige en hygiënische wenken (Almelo 1915); M. Cohen Tervaert-Israëls, dr. J. Rutgers, G. Kaptein-Muysken, Wilhelmina Drucker, Ch. Carno-Barlen, Est. H. Hartsholt-Zeehandelaar, Titia van der Tuuk, Martina G. Kramers, C. C. A. De Bruine-Van Dorp, Lodewijk van Mierop, Mr. S. Van Houten, J. C. De Bruijne - Moederschap: sexueele ethiek (Brochure uitgegeven door het Nationaal Comité voor Moederbescherming en Sexueele Hervorming) Twee geschiedenissen van vrede'' in: Gedenkboek ter gelegenheid van den 70sten verjaardag van F. Domela Nieuwenhuis (Amsterdam 1916) 139-142. Notes External links 1854 births 1939 deaths Atheist feminists Dutch writers Dutch activists Dutch women activists Dutch feminists Dutch pacifists Dutch atheists Pacifist feminists People from Loppersum Socialist feminists 19th-century atheists 20th-century atheists
31,506
https://uk.wikipedia.org/wiki/%D0%9C%D0%BE%D1%80%D0%B8%D0%BD%D1%86%D1%96
Wikipedia
Open Web
CC-By-SA
2,023
Моринці
https://uk.wikipedia.org/w/index.php?title=Моринці&action=history
Ukrainian
Spoken
17
65
Села: Моринці — Черкаська область, Звенигородський район (місце народження Тараса Шевченка) Моринці — Черкаська область, Корсунь-Шевченківський район
36,144
https://pt.wikipedia.org/wiki/Mor%C3%B6ns%20Bollklubb
Wikipedia
Open Web
CC-By-SA
2,023
Moröns Bollklubb
https://pt.wikipedia.org/w/index.php?title=Moröns Bollklubb&action=history
Portuguese
Spoken
43
94
O Moröns Bollklubb, ou simplesmente Moröns BK, é um clube de futebol da Suécia. Sua sede fica localizada em Skellefteå. Ligações externas Página oficial do Moröns BK Clubes de futebol da Suécia Clubes de futebol fundados em 1935 Fundações na Suécia em 1935
2,957
https://lij.wikipedia.org/wiki/Anni%20880
Wikipedia
Open Web
CC-By-SA
2,023
Anni 880
https://lij.wikipedia.org/w/index.php?title=Anni 880&action=history
Ligurian
Spoken
7
32
Fæti Euröpa Àzia Àfrica Âtri progètti decennio09
4,807
https://uz.wikipedia.org/wiki/Kumush%20to%CA%BBy
Wikipedia
Open Web
CC-By-SA
2,023
Kumush toʻy
https://uz.wikipedia.org/w/index.php?title=Kumush toʻy&action=history
Uzbek
Spoken
88
305
Kumush toʻy — er-xotinning oila qurganlariga 25 yil toʻlishi munosabati bilan oʻtkaziladigan toʻy marosimi. Bunga er-xotinning urugʻ-avlodi, yaqinlari va mahalla ahli taqlif etiladi. Kumush toʻyga keluvchilar toʻy qiluvchilarga sovgʻalar va sarpolar olib kelishadi. Oʻgʻil-qizlar, imkon boʻlsa, ota-onasiga kumush buyumlar sovgʻa qiladilar. Er-xotin eshik oldida mehmonlarni shaxsan koʻtib oladi. Mehmonlarga ziyofat beriladi. Kechada er-xotin davraning toʻridan joy oladi. Mehmonlar 25 yoshga toʻlgan oilaga, erxotinga, ularning farzandlariga eng yaxshi tilaqlarini izhor qiladilar. Kumush toʻy oʻzbeklar uchun yangi odat boʻlib, Yevropa xalqlaridan oʻtgan. Shahar joylarda ziyolilar orasida urf boʻlib bormoqda. Manbalar
40,383
https://pt.wikipedia.org/wiki/Nadji%20Jeter
Wikipedia
Open Web
CC-By-SA
2,023
Nadji Jeter
https://pt.wikipedia.org/w/index.php?title=Nadji Jeter&action=history
Portuguese
Spoken
359
659
Nadji Anthony Jeter (18 de outubro de 1996) é um ator, dublador, dançarino e músico americano. Ele é mais conhecido por interpretar Miles Morales/Homem-Aranha em Marvel's Spider-Man e por fornecer a captura de voz e movimento para Sam no jogo de videogame de ação e aventura The Last of Us (2013) e Miles Morales na série de animação Spider-Man (2017) e os videogames Spider-Man (2018), Marvel Ultimate Alliance 3: The Black Order (2019) e Spider-Man: Miles Morales (2020). Vida pregressa Nadji Anthony Jeter nasceu em Atlanta, Geórgia, em 18 de outubro de 1996. Ainda jovem, seus pais perceberam que ele era talentoso em dança, atuação e comédia. Aos 9 anos, ele se apresentou como dançarino no New Look Foundation Gala de Usher. Ele também se apresentou como um mascote de dança para o Atlanta Hawks da NBA. Ele se mudou para Los Angeles em 2007 para seguir carreira. Carreira Ao lado de seus papéis mais populares como a voz de Sam no videogame de ação e aventura The Last of Us (2013) e Miles Morales na série de animação Spider-Man (2017) e os videogames Spider-Man (2018), Marvel Ultimate Alliance 3: The Black Order (2019) e Spider-Man: Miles Morales (2020), Jeter foi creditado em live-actions, como papéis convidados em episódios da série de drama médico Grey's Anatomy (2007) e na sitcom Todo Mundo Odeia o Chris (2008). Ele apareceu nos filmes de comédia Grown Ups (2010) e Grown Ups 2 (2013), bem como na sitcom Reed Between the Lines (2011-2015). Ele também estrelou vários comerciais nos Estados Unidos e foi o rosto da Coca-Cola em 2011. Vida pessoal Jeter é um Embaixador Star Power da Starlight Children's Foundation. Ele está envolvido na New Look Fundation de Usher desde os seis anos de idade, recebendo o Prêmio Global de Liderança Juvenil de 2013 por seu trabalho com a fundação. Em janeiro de 2015, Jeter foi preso aos 18 anos por supostamente dirigir sob a influência de intorpecentes em Burbank, Califórnia. Segundo relatos, ele passou uma noite na prisão antes de ser libertado. Filmografia Filmes Televisão Videogames Ligações externas Nadji Jeter no Twitter Pessoas vivas Nascidos em 1996 Atores dos Estados Unidos
48,783
https://diy.stackexchange.com/questions/138277
StackExchange
Open Web
CC-By-SA
2,018
Stack Exchange
awm, https://diy.stackexchange.com/users/18575, https://diy.stackexchange.com/users/46330, https://diy.stackexchange.com/users/76730, user76730, virtualxtc
English
Spoken
608
777
I want to be able to time my in wall air conditioner. Can I update the controller? I have an old in wall AC/heater (brand McQuay, Now known as AMANA) in my rented Apt, which cannot be time-programmed. Also it is not possible use an outlet timer because the AC must be turned on and off via the controller as you can see in the pic. The controller can be unplugged and taken out which made me think I could possibly change the controller with something newer that have that ability. Is this possible? Otherwise, any ideas on how to time-program it would be much appreciated. Dos it have a remote control? No It does not not but I wonder if it supports one I would seriously doubt if there is anything actually made to do what you are asking. It is however really just a thermostat and fan control so it could be rewired but would probably require a transformer and relays to make it work with an ordinary thermostat. I am assuming that you loose your settings when you unplug it? Otherwise a plug in timer would work. Coming back to this. Strange enough the my LG tv remote could turn this AC on and off and do other things by hitting 2 to switch on/off and other keys for other settings...very strange but weird How I hacked my window unit for IOT control: This (admittedly slightly janky) setup allows me to easily undo the modification in case I need warranty service or I'm going to resell it. I didn't have to use a soldering iron or spend all weekend trying to hack into the control board; I just hijacked the code the AC already runs by lying to the program's inputs. My window AC had a thick solid copper "wire" centrally behind the intake filter that connected to the thermostat. It's usually placed there so as to sense the temp of the incoming room air more than the outgoing cold air. If that sensor gets hot enough, the AC turns on. This is typical and common. You might have to remove the plastic face of the unit to get to the probe, but you don't have to deeply disassemble the whole thing. I first cranked the AC thermostat up to 85F, making so that it almost never comes on, unless it gets really hot in the room. I then taped a small heater to the AC's exposed copper temp probe. you can use a strip from electric socks, a USB drink warmer, or if handy with electronics, use a simple ~150 ohm resistor to short a 5v power supply. You don't need/want more than 1/4 watt of heat. Wrap the heater and probe tightly with gorilla tape. You should be able to smush it all in-place and keep the cover as expected. The thermostat is almost useless at this point, so it doesn't even need to stay in the air flow, you can tuck it all to the side if needed for the fit. You might tell where this is going. To turn on the AC, my smart home system applies 5v to the heater from an arduino-like box. This raises the temp on the sensor above 85 and turns on the compressor. My smart home uses an external temp sensor to monitor the temp and tell probe heater when to turn on and off. The AC on/off state will be the opposite of the small heater on/off state. This mod isn't for everyone, but it's probably more approachable for many than splicing into the AC's wiring or trying to clone an IR remote control.
14,683
https://stackoverflow.com/questions/77526062
StackExchange
Open Web
CC-By-SA
2,023
Stack Exchange
English
Spoken
148
919
site reports issue in multibranch pipeline job for spring boot application Failed to execute goal org.apache.maven.plugins:maven-site-plugin:3.7.1:site (default-site) on project test: SiteToolException: The site descriptor cannot be resolved from the repository: Jenkins job is failing in site reports stage , even though there is a maven site plugin configuration is there pom.xml and in jfrog the location of maven site plugin is there in plugins release , but it is not searching and throwing not found Pom.xml </plugin>--> <plugin> <groupId>org.apache.maven.plugins</groupId> <artifactId>maven-site-plugin</artifactId> <version>3.7.1</version> <dependencies> <dependency> <groupId>org.apache.maven.wagon</groupId> <artifactId>wagon-webdav-jackrabbit</artifactId> <version>3.5.1</version> </dependency> </dependencies> </plugin> <plugin> settings.xml <profile> <id>springboot</id> <repositories> <repository> <id>central</id> <name>libs-release</name> <url>https://tentjnks01.aaa-bcg.net:8543/artifactory/libs-release</url> <snapshots> <enabled>false</enabled> </snapshots> </repository> <repository> <id>snapshots</id> <name>libs-snapshot</name> <url>https://tentjnks01.aaa-bcg.net:8543/artifactory/libs-snapshot</url> </repository> </repositories> <pluginRepositories> <pluginRepository> <id>plugin-central</id> <name>plugins-release</name> <url>https://tentjnks01.aaa-bcg.net:8543/artifactory/plugins-release</url> <snapshots> <enabled>false</enabled> </snapshots> </pluginRepository> <pluginRepository> <id>plugin-snapshots</id> <name>plugins-release</name> <url>https://tentjnks01.aaa- bcg.net:8543/artifactory/plugins-release</url> </pluginRepository> </pluginRepositories> </profile> </profiles> <activeProfiles> <activeProfile>springboot</activeProfile> command executing in jenkins export MAVEN_OPTS=-Xmx2048m MAVEN_OPTS=-Xmx2048m mvn -P springboot -fae site-deploy -Dmaven.main.skip=true -Dbuild.number=15 -Dgit.branch=ft-kalakala -Dartifact_server_id=JFROG -Dsite_report_url=dav:https://nexus.prd.itmgt.aws.aaa-acg.net/repository/maven-site/HiMarley/ft-kalakala/15-4316d8d1/ -Drevision=ft-kalakala-15-4316d8d1-SNAPSHOT -Dartifact_release_url=https://art-stg.aaa-acg.net:8543/art/libs-release-local -Dartifact_snapshot_url=https://art-stg.aaa-acg.net:8543/art/libs-snapshot-local
4,268
https://war.wikipedia.org/wiki/Aenictus%20brevicornis
Wikipedia
Open Web
CC-By-SA
2,023
Aenictus brevicornis
https://war.wikipedia.org/w/index.php?title=Aenictus brevicornis&action=history
Waray
Spoken
40
80
An Aenictus brevicornis in uska species han Formicidae nga syahan ginhulagway ni Mayr hadton 1879. An Aenictus brevicornis in nahilalakip ha genus nga Aenictus, ngan familia nga formicidae. Waray hini subspecies nga nakalista. Mga kasarigan Mga sumpay ha gawas Aenictus
8,715
https://stackoverflow.com/questions/63895033
StackExchange
Open Web
CC-By-SA
2,020
Stack Exchange
Daniel Langr, R Sahu, https://stackoverflow.com/users/14091616, https://stackoverflow.com/users/434551, https://stackoverflow.com/users/580083, mana
English
Spoken
416
678
The default constructor in an child of std::runtime_error I have two exception classes that inherit from std::runtime_error. The first one, AError, works just fine. class AError : public std::runtime_error { public: const char* what() const noexcept { return "Error of type A!"; } }; The second one, BError, does not compile because std::runtime_error does not have a default constructor. class BError : public std::runtime_error { public: const int num_; BError(int n) : num_(n) {}; // ERROR: no default constructor for runtime_error const char* what() const noexcept { return "Error of type B!"; } }; It seems to me that AError should not compile because the default constructor of AError should call the default constructor of std::runtime_error in the default constructor AError. What is happening in the default constructor of AError that allows that example to compile? You haven't posted any code that constructs an object of type AError. Please post code that can be used to test your concerns. I have made a terrible mistake. This post should be closed. @mana Then, simply delete it. It seems to me that AError should not compile because the default constructor of AError should call the default constructor of std::runtime_error in the default constructor AError. The default ctor of AError is deleted because it inherits from a class that has no default ctor. try the following and the code won't compile AError er; The definition of AError compiles because it doesn't have a default constructor (one that accepts no arguments). Implicit generation of the default constructor is suppressed because std::runtime_error doesn't have one. The class definition, in itself, has no diagnosable errors, since it doesn't create any instances of the class. There is a diagnosable error on any attempt to create an instance of AError using a default constructor AError an_error; // error since AError cannot be default constructed In BError, the definition of the constructor (within class BError) BError(int n) : num_(n) {}; // ERROR: no default constructor for runtime_error attempts to implicitly construct the base std::runtime_error, even though it is not listed in the initialiser list. So this definition is functionally equivalent to BError(int n) : std::runtime_error(), num_(n) {}; and is a diagnosable error, due to the attempt - clearly visible to the compiler - to use the (non-existent) default constructor of std::runtime_error. You can make this compile by simply using an appropriate constructor from std::runtime_error, such as BError(int n) : std::runtime_error(""), num_(n) {}; which will call the constructor of std::runtime_error that accepts a const char *.
24,298
https://stackoverflow.com/questions/19989371
StackExchange
Open Web
CC-By-SA
2,013
Stack Exchange
Adrian P, Otto G, https://stackoverflow.com/users/1303896, https://stackoverflow.com/users/2416627
English
Spoken
360
469
iPhone 5 connected to Mac, Develop menu option says "Use for development" for device I've used Safari's developer tools for iOS before and haven't had any problems. In the "Develop" dropdown, it shows the device, and then the website that safari is on. This is how it currently works for my iPhone 4s. I'm trying to test on an iphone 5 now, and the device shows up in the Develop menu, but the nested dropdown says "Use for Development". I've tried clicking it and nothing happens. Has anyone run into this problem before? I've tested in Safari 7.0 and the Nightly Build, and same thing on both. iOS 7 and Safari Inspector are treated very differently than I was used to. You have to click "Trust this computer" on your phone, and use Xcode (Window menu > Organizer > Devices) to find it and click the button "Use for Development". One problem is you need to belong to a Developer Program in order to use it. 1 for answering your own question.:) Exactly what does it mean that I need to belong to a developer program? Where must I be logged in with an Apple ID connected to an active developer subscription? On the iOS device? On the Mac? On both? Where should I log in? In iCloud? In iTunes? Because it is not the same thing to log in to iCloud as to the iTunes Store, is it? Obviously, if I only had one private Apple ID with a subscription, I would simply log in with it everywhere, but in this case, I believe my employer has a subscription, but I am generally logged in with a private Apple ID. You need to enable Web Inspector in Safari of the device you want to test (Settings -> Safari -> Advanced). No developer subscription or whatsoever is needed. When your phone asks you if you want to trust the computer that you are connected to you have to click Trust in order for the Safari Inspection to work. I think this just has to do with saying that you are okay with the computer pulling data in from your phone.
1,629
https://cy.wikipedia.org/wiki/Normandy%20Park%2C%20Washington
Wikipedia
Open Web
CC-By-SA
2,023
Normandy Park, Washington
https://cy.wikipedia.org/w/index.php?title=Normandy Park, Washington&action=history
Welsh
Spoken
30
76
Dinas yn , yn nhalaith Washington, yw . Poblogaeth ac arwynebedd Pobl nodedig Ceir nifer o bobl nodedig a anwyd yn Normandy Park, gan gynnwys: Cyfeiriadau Dinasoedd King County, Washington
26,396
https://stackoverflow.com/questions/70881326
StackExchange
Open Web
CC-By-SA
2,022
Stack Exchange
English
Spoken
197
361
Kotlin collection operations effectiveness I would like to create an extension function for a collection to check if one collection contains any item of defined set. I think about two implementations: infix fun <T> Iterable<T>.containsAny(values: Iterable<T>): Boolean = any(values::contains) or infix fun <T> Iterable<T>.containsAny(values: Iterable<T>): Boolean = intersect(values).isNotEmpty() The question is which way is more efficient and why? And is there any better solution? The first way with any is O(n*m) unless the parameter Iterable is a Set, in which case it's O(n). The second way with intersect is O(n). So the second way is much faster unless the parameter is already a Set or both inputs are so tiny that it's worth iterating repeatedly to avoid copying the receiver Iterable to a MutableSet. The O(n) way could be improved to allow the early exit behavior of any by doing this: infix fun <T> Iterable<T>.containsAny(values: Iterable<T>): Boolean = any(values.toSet()::contains) and further to avoid an unnecessary set copy: infix fun <T> Iterable<T>.containsAny(values: Iterable<T>): Boolean = any((values as? Set<T> ?: values.toSet())::contains) And if the receiver Iterable is usually bigger than the parameter Iterable, you might want to swap which one is the set and which one is being iterated.
31,740
https://pa.wikipedia.org/wiki/%E0%A8%B2%E0%A8%B9%E0%A8%BF%E0%A8%B0-%E0%A8%95%E0%A8%A3%20%E0%A8%A6%E0%A8%B5%E0%A9%88%E0%A8%A4%E0%A8%A4%E0%A8%BE
Wikipedia
Open Web
CC-By-SA
2,023
ਲਹਿਰ-ਕਣ ਦਵੈਤਤਾ
https://pa.wikipedia.org/w/index.php?title=ਲਹਿਰ-ਕਣ ਦਵੈਤਤਾ&action=history
Punjabi
Spoken
60
480
ਇਸ ਨੂੰ ਤਰੰਗ+ਕਣ ਦੋਹਰਾਪਣ ਜਾਂ ਅੰਗਰੇਜ਼ੀ ਵਿੱਚ ਵੇਵ ਪਾਰਟੀਕਲ ਡਿਊਲਟੀ ਕਹਿੰਦੇ ਹਨ । ਭੌਤਿਕ ਵਿਗਿਆਨ ਦੀ ਦੁਨੀਆ ਵਿੱਚ ਵਿਗਿਆਨੀਆਂ ਵਿੱਚ ਇਸ ਵਿਸ਼ੇ ਤੇ ਬਹੁਤ ਮੱਤ ਸਾਹਮਣੇ ਆਏ ਜਿਹਨਾਂ ਵਿੱਚੋਂ ਅਜੇ ਤੱਕ ਕੋਈ ਵੀ ਇਹ ਫੈਸਲਾ ਨਹੀਂ ਕਰ ਪਾਇਆ ਕਿ ਪ੍ਰਕਾਸ਼ ਦਾ ਕੋਈ ਕਣ ਹੈ ਜਾਂ ਤਰੰਗ ਹੈ। ਇਸਦੇ ਲਈ ਡਬਲ ਸਲਿੱਟ ਪ੍ਰਯੋਗ ਕੀਤਾ ਗਿਆ। ਕੁਆਂਟਮ ਭੌਤਿਕ ਵਿਗਿਆਨ ਹਵਾਲੇ ਬਾਹਰੀ ਲਿੰਕ
29,906
https://hr.wikipedia.org/wiki/Vinko%20Pallotti
Wikipedia
Open Web
CC-By-SA
2,023
Vinko Pallotti
https://hr.wikipedia.org/w/index.php?title=Vinko Pallotti&action=history
Croatian
Spoken
10,124
23,240
Sveti Vinko Pallotti je utemeljitelj Družbe katoličkog apostolata: Palotinci. Vinko Pallotti - Utemeljitelj Družbe katoličkog apostolata Sveti svećenik Vinko Pallotti (Vincenzo Pallotti) bio je nadahnut uzvišenim i plemenitim idealom oživljavanja i promicanja vjere i djela milosrđa među katolicima diljem svijeta. Živeći u samom središtu Crkve, te kroz svoje mnogobrojne apostolske aktivnosti, duboko je uvidio težinu problema s kojima se kršćanstvo suočavalo u doba velikih promjena. Intuitivnom je vizijom shvatio kako ti problemi mogu biti riješeni samo onda, kada će svaki kršćanin postati svjestan svoje vjerničke odgovornosti i surađivati u apostolatu Crkve. To ga je dovelo do utemeljenja jedne zajednice koju je nazvao „Družba katoličkog apostolata“ kojoj na jednak način pripadaju i svećenici i redovnici i laici. Kasnije je na toj jezgri osnovao dvije vjerske zajednice, jednu za muškarce, a drugu za žene. Bio je to predivan ideal, veoma potreban u vrijeme njegova življenja. No on je još potrebniji danas, kada su vjera i djela milosrđa suočeni s još većim preprekama od onih nastalih nakon Francuske revolucije. Pogledajmo povijesni kontekst njegova vremena. Vinko Pallotti je rođen u Rimu 1795. u vrlo nemirno doba za taj grad i svijet. Tko god proučava posljednje desetljeće 18. stoljeća, uočit će neobičnu sličnost s današnjim vremenom. Bilo je to vrijeme ratova, revolucija i pohoda velikih vojski. Stare su države propadaju, nastaju novi vladalački oblici i pojavljuju se nova društvena gibanja. Tisuću godina je središnjim dijelom Italije vladao Vrhovni crkveni poglavar koji je ujedno bio i gospodar Papinske države. Zajedničko nasljeđe svih vladavina papa bili su sreća i blagostanje sve do Francuske revolucije. Tada su nezadovoljnici željni promjena, koji su stanovali s druge strane Alpa, ubrzo stupili u zavjeru s vođama revolucije. Kada se ukazao za to pogodan trenutak, članovi su pariškog vodstva poslali u Italiju vojsku pod zapovjedništvom Napoleona Bonapartea. Papa Pio VI. bio je primoran potpisati dva prijateljska ugovora s revolucionarima koji su mu oduzeli dio zemlje i zahtijevali isplatu velike svote novca. Naravno, nisu bili zadovoljni tim djelomičnim ustupcima. Uskoro su pronašli izgovor da okupiraju cijelu Papinsku državu, svrgnu i prognaju papu, te proglase Rimsku republiku, posvema uređenu po uzoru na Francusku. U ovako burnom svijetu, rođen je Vinko Pallotti, treće od desetero djece od kojih je samo četvero doživjelo zrelu dob. Njegovi su roditelji bili iznimno pobožan bračni par, te je stoga njihova glavna briga bila odgojiti svoju djecu u ljubavi i strahu Božjem. Bezvjernički zahtjevi i način života onog vremena nisu uspjeli zahvatiti dom Pallottijevih. Poziv Vinko je još od djetinjstva osjećao jaku želju za svećeništvom, a kada je kazao svojim roditeljima da je to njegov poziv, silno su se obradovali njegovu izboru. Neko je vrijeme razmišljao o tome treba li postati dijecezanski svećenik ili se pridružiti nekom redu. Na koncu su ga njegovi savjetnici uvjerili da će najbolje služiti Bogu kao dijecezanski svećenik. Studij filozofije započeo je na Rimskom kolegiju, a 1811. kao šesnaestogodišnjak, primio je kleričku tonzuru. Zlokobni politički uvjeti, koji su se poput sjena nadvili nad rani dio Vinkova života, nisu imali pozitivnog pomaka ni tijekom njegova studija. Naprotiv, postajali su sve ozbiljniji. Napoleon Bonaparte, tada već okrunjen za cara Francuske, proglasio je 1809. potpuno ukinuće Papinske države, a papu je nazvao samo gostom francuskih vlasti u Rimu. Protiv ovog kršenja papinskih prava, Pio VII. izdao je bulu Quum Memoranda kojom je izopćio uzurpatore iz Crkve. Napoleon je bio jako ozlojeđen na papu i zatvorio ga u Fontainebleau. Kada je Vinko Pallotti studirao na Rimskom sveučilištu, Papinska je država bila prezrena i izrugivana čak i u samom Rimu. Svećenici nisu nosili kleričku odjeću na ulicama zbog straha od uvreda nanošenih od strane vojnika i svjetine. Bogoslovije i sjemeništa u gradu su bili zatvoreni. Nekolicina svećeničkih kandidata je bila prisiljena živjeti u roditeljskim kućama. Na sreću, Rimsko sveučilište gdje su bogoslovi mogli imati filozofsko-teološko obrazovanje, bilo je još uvijek otvoreno. Mladi je svećenik Vinko, živeći kod kuće, uspio nadići čak i strogoću samostanskog života. Navikao se spavati na podu; bio je discipliniran do te mjere da su njegovi roditelji obavijestili njegova ispovjednika kako bi on utjecao na smanjenje tih trapljenja. No ispovjednik je odgovorio da je Vinkovo mrtvljenje božanskog izvora. „Prst Božji je na djelu“, kazao je. Na kraju redovnog studija, Vinko je zaređen za svećenika 1818. Njegovo visoko školovanje je bilo izvrsno i okrunjeno doktoratom filozofije i teologije. Njegov završni ispit je bio toliko izvrstan da je dobio stipendiju u svrhu daljnjeg školovanja. Postao je član Teološke akademije na sveučilištu, a nakon deset godina po završetku studija postao je voditelj njezinih sjednica. Vinkovo oduševljenje nije moglo biti zadovoljeno samo intelektualnim postignućima. Gorljiva želja da pridobije duše za Krista izrastala je iz dubine njegova duhovnog života, tako da je unatoč svojim profesorskim dužnostima vršio aktivan apostolat među svojim učenicima i prijateljima. Nekoliko je godina bio predsjednik bratovštine mladića, a kasnije je preuzeo brigu o jednoj ubožnici. Također je bio usrdan promicatelj Svetog instituta za prvu pričest, značajne institucije koja i danas postoji u Vječnom Gradu. U tom institutu zatvorenog tipa priprema se djecu za prvu pričest. Revnost i apostolska aktivnost oca Vinka privukla je pozornost njegovih nadređenih koji su dobili njegovu podršku u obnovi rimskih bratovština i ustanova koje se brinu za siromašne. Mnogo je njihovih članova bilo maknuto s dotadašnjih položaja tijekom francuske vladavine, a preostali članovi bili su okuženi liberalnim vjerskim stavovima. Takvo je bilo i „Zanatsko sveučilište“, u kojem su obućari, izrađivači kočija, pekari i ostale zanatlije bili ujedinjeni radi dobrotvornih i vjerskih ciljeva. Svako je „sveučilište“ imalo svoju crkvu u kojoj je, po starom običaju, zajednica bila duhovno vođena i jednom godišnje obavljala duhovne vježbe. Mnogo su godina, nažalost, duhovne vježbe bile bezuspješne, sve dok crkveni poglavari u Rimu nisu pronašli oca Pallottija, instrument dan providnošću, kao obnovitelja izvornih ciljeva tih „sveučilišta“. Otac Pallotti je reorganizirao vijeća „sveučilišta“, postavio nove upravitelje, vodio duhovne vježbe i u kratko vrijeme vratio ovim uglednim institucijama, baštini iz doba vjere, izvorni sjaj. Istaknut ćemo jednu bratovštinu čija je svrha bila duhovno pomagati onim zločincima, koji su bili osuđeni na smrt. Ta je bratovština imala vlastitu crkvu posvećenu sv. Ivanu Krstitelju. Mnogo joj je godina otac Pallotti služio, a dio njegove dužnosti bio je ostati sa zatvorenikom i dati mu duhovnu pomoć tijekom zadnjih nekoliko sati života, te ga dopratiti do vješala. Neki su rezignirali pred svojom sudbinom, dok drugi nisu. Pallotti je mnoge nesretnike, čija srca drugi svećenici nisu uspjeli omekšati, uspio izmiriti s Bogom in extremis. Njegova je ljubav prema ovom teškom apostolatu postala toliko velika, da je čak nekoliko puta izrazio želju da jednoga dana bude pokopan u društvu onih, čije je spasenje, kao i onom „dobrom razbojniku“ Dizmi, bilo obećano u zadnjem trenu. Njegovi su mu nadređeni povjerili službu duhovnika u nekim rimskim bogoslovijama i samostanima. Pozivi da bude ispovjednik i propovjednik dolazili su iz tolikih izvora da je smatrao potrebnim dati ostavku na mjesto profesora Rimskog sveučilišta kako bi se potpuno posvetio aktivnom apostolatu. Među rimskim bogoslovijama bilo je i nekoliko vrlo poznatih, drevnih ustanova od kojih je najpoznatiji Kolegij Propaganda. Upravitelji i studenti tih ustanova običavali su dolaziti ocu Pallottiju po savjet, utjehu i duhovno usmjerenje. Kako su godine prolazile, ti su studenti završavali studij i odlazili kao misionari diljem svijeta. Nosili su sa sobom uspomenu na svetog svećenika koji je usmjeravao njihove prve korake prema Kristovoj službi. Neki su od njih kasnije postali i biskupi, te su rado svjedočili po svojim sjećanjima o Pallottijevoj svetosti kada bi se za to ukazala prilika. Molbe za njegovu beatifikaciju pristizale od njih posebno tijekom zasjedanja I. vatikanskog sabora. I bio je to znak Božje providnosti, da je ovaj apostol proglašen svetim početkom II. vatikanskog sabora, kada su oči cijeloga svijeta bile uprte u Rim. Otac Pallotti je veoma jasno uvidio da se svetost prije svega sastoji u izvršavanju Božje volje koja se očituje u volji nadređenih. Poznatom profesoru Svetog pisma, koji se zaželio umirovljenja i kontemplativnog života, napisao je sljedeće: „Bog ne traži od Vas da postanete svetac u tišini i strogosti La Trappea, Charterhousea ili pak Hermitagea (klauzurnih samostana, op. prev.). Bog traži od Vas da postanete svetac u svijetu, svakodnevnom životu, tijekom Vašeg odmora i ugodnih trenutaka. Svetost se sastoji u vršenju Božje volje. Možete koristiti razgovor kao put k svetosti. Započnite razgovor o nekoj temi koja zanima Vašeg sugovornika, ali ga dovršite s temom koja zanima Vas. Možete postati svetac jednako lako tijekom kakove književne rasprave, znanstvene akademije, za katedrom među obrazovanima, kao i među bludnicima i grešnicima. U svijetu možete biti svetac postajući sve svima, kako biste svakog pridobili za Krista.“ Crkveni su poglavari u potpunosti shvatili vrijednost Pallottijevog djelovanja i njegovih velikih darova. Za nagradu i kao poticaj ponudili su mu mjesto kanonika koju je s poštovanjem odbio. Nakon kratkog vremena, ponudili su mu svećeničku službu u velikoj i bogatoj Župi sv. Marka. Ponovo je odbio. Početkom 1835. napisao je u svoj duhovni dnevnik: „Moj Bože, još uvijek nisi izlio svoje milosrđe na mene, no vjerujem da ćeš sada započeti. Za prvi pokaz tvoga milosrđa molim da me neko tvoje stvorenje, s tvojim odobrenjem prezre, kazni, povrijedi i ponizi kako bi zauzdao moje zle strasti, a pogotovo moj ponos. Neka se sva stvorenja okome na mene, moju neodlučnost. To neka bude na moju štetu i poniženje...“ U prošlosti je crkva Duha Svetoga bila nemarno vođena, pa je rektorstvo bilo ponuđeno Pallottiju 1834. godine u nadi da će ju oživiti. Ovoga je puta pristao s puno nadanja, ali se jad prijašnjih upravitelja mogla osjetiti na određene načine. Perfidno su organizirali progon, zanemarivali su ga u razgovoru i ignorirali ga u susretima, a to se nastavilo kroz sljedećih deset godina, no Vinko je to podnosio ne mrmljajući i s milosrđem do začuđujućih i zadivljujućih razmjera. Tako su smatrali svi oni koji su poznavali okolnosti. Ali sam Vinko Pallotti nije bio začuđen, bilo je to ono za što je i molio. Povijest reda Osnivanje Družbe U vršenju svog apostolskog služenja, otac Pallotti je okupio oko sebe priličnu skupinu pobožnih duša iscrtanu svim životnim pozivima. Bili su to svećenici, redovnici i bogoslovi koji su pod Pallottijevim vodstvom običavali propovijedati, ispovijedati i poučavati nauk Crkve u zanemarenim dijelovima Rima i njegovim predgrađima. Pobožni su mu laici pomagali i novčanim prilozima i konkretnim služenjem. Redovnice su u tišini svojih samostana i vjerskih zajednica upućivale molitve Bogu za pomoć u žetvi. Otac Pallotti je bio zahvalan Bogu za toliko mnoštvo revnih i velikodušnih suradnika, ali je ipak jedna stvar manjkala da njegova radost bude potpuna. Njegovi su suradnici služili samo kratkoročno i nisu bili s njime vezani trajnom svezom. Promišljao je o tome kako ujediniti te volontere u jedno i trajno tkivo, sve dok se nije zbio jedan „događaj“ koji nije previše značio drugima, ali je za njega bio prst Božji. Pri kraju 1834. otac Pallotti, na prijedlog Arapske katoličke misije, odlučuje tiskati izdanje Vječnih maksima sv. Alfonza na arapskom jeziku. Pošto nije imao novca za izdavanje, obratio se svom prijatelju i pokorniku Giacomu Salvatiju i zamolio ga da skupi potrebnu svotu. Skupiti novac nije nikada bio ugodan zadatak. Giacomo Salvati je bio poslovan čovjek s malo slobodnog vremena na raspolaganju. Osim toga bio je bojažljiva osoba i imao malo povjerenja u svoje sposobnosti za ovaj zadatak. „Ljudi će me odbijati sa svojih pragova bez da mi daju priliku za objašnjenje“, rekao je ocu Pallottiju. No on nije svraćao pozornost na te molbe te je na kraju Salvati odlučio dati sve od sebe. „Barem mi daj potvrdu s tvojim potpisom koja će me očuvati u bona fides.“ Čudnovato li! Otac Pallotti je odbio ovaj, naizgled, veoma razuman zahtjev i kazao: „Idi u ime Isusa raspetoga!“ Može se jasno zamisliti kako je bilo Giacomu Salvatiju započeti zadatak s veoma pomješanim osjećajima. Kako će ga ljudi primati i što će im reći? Bio je jako iznenađen što mu je prva osoba kojoj je prišao, neki mesar, dao bez oklijevanja stotinu rimskih kruna. Druga, jedan pekar, dao mu je podjednaku svotu. Na kraju prvog dana sakupio je 550 kruna, a na kraju akcije prikupljena svota novca pokazala je jako dobru uspješnost. Nakon što je tiskanje bilo plaćeno, uviđeno je da je preostala pozamašna svota novca. Očito je Božja providnost upućivala na to da treba osnovati neku redovničku zajednicu koja bi trajno osiguravala karitativno djelovanje. Na listovima papira svoga duhovnog dnevnika, nađenima nakon njegove smrti, dokaza velike duhovne dubine, nastojao je Pallotti zabilježiti najintimnije odnose svoje duše s njezinim Stvoriteljem. Započinje s uputstvima svoga duhovnika, zatim sadrži njegove refleksije, odluke i opis pojedinih milosti koje mu je Bog davao s vremena na vrijeme. Zanimljivo je zapaziti kako je kratko nakon tek zapisanog „događaja“, Pallotti opisao veliku i jedinstvenu milost dobivenu od Boga nakon što je odslužio misu drugog petka u siječnju 1835. godine: „Moj najmilosrdniji Bože, ti si mi darovao zadatak pokretanja i osnivanja sljedećeg na sigurnim temeljima, promičući, usavršujući i ovjekovječujući posljednju želju tvog Presvetog Srca: 1. Sveopćeg apostolata među katolicima za promicanje vjere i Kristovih načela među nevjernicima i nekatolicima; 2. Apostolata za oživljavanje, očuvanje i povećanje vjere u samih katolika; 3. Instituciju sveopćeg milosrđa koja se treba uvježbavati u duhovnim i tjelesnim djelima milosrđa, tako da bi ti, koji si beskrajno milosrđe, mogao biti znan cijelom svijetu na sve načine.“ Bio je to Božji poziv koji je Pallotti morao izvršiti. Nakon savjetovanja s duhovnikom, odlučio se za put koji mu je Bog pokazivao. Zatražio je crkveno odobrenje za zajednicu laika, svećenika i redovnika koji su već bili djelovali pod njegovim vodstvom, s prijedlogom da nova družba nosi naziv „Družba katoličkog apostolata“ pod patronatom Marije, Kraljice apostola. Kardinal vikar Rimske biskupije odmah je dao odobrenje novoj družbi. Bilo je to 4. travnja 1835., a tri je mjeseca kasnije Njegova Svetost Grgur XVI. poslao blagoslov ocu Pallottiju i njegovoj Družbu napisavši: „Neizmjerno mnogo blagoslova Družbi katoličkog apostolata, te pobožnom i predanom radu kojeg će izvršavati.“ Družba katoličkog apostolata Narav i ustroj Družbe katoličkog apostolata opisao je sam Vinko Pallotti na sljedeći način: „Družba katoličkog apostolata, osim što treba doprinijeti širenju vjere u nevjerničkim zemljama, treba oživljavati i očuvati vjeru u kršćanskim zemljama, te surađivati sa svim već postojećim vjerskim zajednicama. Koristan je i dobrovoljni rad njezinih članova u vlastitoj profesiji, na radnom mjestu, u industriji, jednako kao i u molitvi i žrtvi. Družba dakle nije ograničena samo za određenu skupinu ljudi. Mogu joj pripadati svi vjernici, bili oni laici ili klerici, muškarci ili žene, obrazovani ili neobrazovani, bogati ili siromašni, plemeniti ili ubogi, pozvani ili slučajno pridošli. Oni koji nisu klerici, mogu surađivati u ovoj apostolskoj zadaći radeći u svojoj profesiji, na radnom mjestu, u umjetnosti ili pak kroz svoje žrtve, isto kao što i svi mogu pomoći molitvom.“ Prema tome, članstvo Družbe katoličkog apostolata može biti iscrtano svim društvenim slojevima, a sama je Družba bila stavljena pod hijerarhijsku vlast Crkve. To je dakle, prvi primjer katoličke akcije u novije vrijeme, kao što je naznačio Pio XI., u sudjelovanju laika u hijerarhijskom apostolatu Crkve. „Kada je Vinko Pallotti“, kazao je Pio XI., „utemeljio Družbu katoličkog apostolata, prorekao je ne samo naziv, nego također i narav moderne katoličke akcije, njezinu bît u apostolatu laika pod hijerarhijskom upravom. Lijepog li nauma Družbe! U njemu prepoznajemo ruku i srce samoga Boga, uvijek pripravnog u ostvarenju dobrih djela. Gdje god katolička akcija činila dobro, ona neće zaboraviti na trenutke zahvale Bogu za mogućnost djelovanja i za dobru priliku. I urodit će dobrim plodom od svoga, tako lijepog i vrijednog nauka svoga preteče.“ U namjeri za usmjeravanjem djelovanja Družbe, otac Pallotti je okupio oko sebe, u svojoj rezidenciji pored crkve Duha Svetoga, grupu svećenika koji su sačinjavali jezgru Družbe. Družba katoličkog apostolata je odmah započela s velikim djelovanjem u Crkvi. Stotine tisuća knjiga, listića i brošura tiskano je i poslano u mnoge zemlje; mnoštvo je medaljica, škapulara, ružarija i ostalih vjerskih predmeta bilo darovano. Misionari su, posjećujući Rim, običavali namirivati potrebe svojih misija obraćajući se Družbinom uredu. Po povratku u misionarske krajeve, širili su glas o dobrotvornoj zajednici kojoj je misionarski rad veoma drag, tako da su Družbu preplavljivale molbe za brevijarima, misalima, misničkom odjećom i novčanom pomoći iz najudaljenijih dijelova svijeta – Amerike, Australije i Azije. U samom su Rimu, članovi Družbe pomagali ocu Pallottiju u vođenju večernjih škola i sirotišta, o čemu će kasnije biti više riječi. Također im je bilo povjereno skupljanje novca namijenjenog Udruzi za promicanje vjere. Družba je rasla, a njezin je ugled rastao kao i broj suradnika. Otac Pallotti je gorljivo čeznuo za danom kada će moći osnovati veliki misionarski kolegij u Rimu. No uslijedio je težak udarac njemu i Družbi, udarac za koji je bio i molio. Družba se suočavala s velikim neprijateljstvom koje je dolazilo iz dva smjera. Naziv „Družba katoličkog apostolata“ činio se nekim pojedincima preuveličanim, prezirući činjenicu da je otac Pallotti dobio crkveno odobrenje za nj. Nakon Pallottijeve smrti izborili su se za promjenu naziva Pallottijeve Družbe, koja je postala poznata kao Pobožna misijska družba, a to ime je nosila gotovo stotinu godina. Sveta je stolica 1947. odgovorila na molbe Pallottijeve duhovne djece i dopustila vraćanje izvornog naziva ustanove. No puno ozbiljniji izvor protivljenja dolazio je od nekih članova iz Udruge za promicanje vjere, izvanrednog misionarskog društva koje je osnovala Pauline Jaricot. Ovo se društvo proširilo po cijelom svijetu počevši od svojih četvrti u Lyonu. No kada su odlučili rasprostraniti svoju aktivnost u Rim, shvatili su da je otac Pallotti već bio osnovao zajednicu koja pokriva slično polje rada u Vječnome Gradu. Lijonsko je društvo osjetilo kako bi najbolja metoda u provođenju svojih ciljeva bila izboriti se za ukinuće Družbe. Predložili su i uvjerili kardinala-prefekta Propagande da sastavi dekret o njezinom ukinuću. Sve je bilo obavljeno u tajnosti i sve što je još trebalo napraviti bilo je priopćiti izrijek osnivaču Družbe. Jednog je dana otac Pallotti imao sastanak s nekolicinom svećeničkih suradnika Družbe u župnom dvoru koji je bio tik uz crkvu sv. Krševana. Dok su se bavili pitanjima apostolata bila im je najavljena vizitacija. Bio je to tajnik Propagande koji je dostavio pismo kardinala-prefekta. Otac Pallotti je otvorio pismo i pročitao smrtnu presudu Družbi katoličkog apostolata. „I tada, čitajući to pisamo“, piše njegov prvi biograf, „Vinko nije bio uznemiren ili oneraspoložen. Nije se jadao i žalio. Jedino je podigao oči prema nebu kako bi se zahvalio Gospodinu, a potom ih je spustio prema zemlji, poštujući najslađu mu volju. Bez prekidanja započetog posla, nastavio je sastanak s jednakom nepokolebljivošću i mirnoćom.“ General Reda sv. Kamila, koji je prisustvovao ovom događaju, ovako je prokomentirao: „Već sam prije mnio da je Vinko Pallotti svetac, a sada sam potpuno siguran u to.“ Slijedeći savjete svojih prijatelja, otac Pallotti je dogovorio audijenciju kod Svetog oca, na kojoj je s velikom ponizošću razložio cijeli slučaj i pravu svrhu svoje Družbe. Papa Grgur XVI. je već bio svjestan Pallottijevih vrlina i revnosti, te je pozorno slušao njegovo razlaganje. „Nismo bili primjereno obavješteni o onomu što se događalo“, kazao je. Ishod je bio očuvanje Družbe katoličkog apostolata od ukinuća. Ne smije se ni pomisliti da je otac Pallotti imao ikakav neprijateljski osjećaj prema Udruzi za promicanje vjere. Naprotiv, počeo je sudjelovati u njezinom radu u Rimu i predao im popis potpisnika Foreign Missionsa koji su dotada surađivali s Družbom katoličkog apostolata. Apostolske aktivnosti Ustanovljenje Družbe omogućilo je ocu Pallottiju u ostvarenju jedne od svojih najdražih zamisli: proslavu oktave Bogojavljenja. Ta velika svetkovina ima sveopće liturgijsko značenje koje nažalost, uglavnom, nije dokraja shvaćeno. To je očitavanje našeg Gospodina nevjernicima, poziv na obraćenje kojeg je Krist uputio poganskom svijetu. Gdje bi li ovaj poziv mogao biti prikladniji nego u Rimu? Obraćenje Rima bio je najveći uspjeh apostola. Rim je središte Crkve. On je težišna točka svih euharistijskih obreda u cijelom kršćanstvu. Jedna od glavnih Pallottijevih dužnosti nakon ustanovljenja Družbe, bila je organizacija veličanstvene proslave oktave Bogojavljenja. Prva proslava, koja je zapravo imala misijski zadatak, održana je u crkvi Duha Svetoga 1836. godine, a sadržavala je svečane liturgije grčkog, kaldejskog, etiopskog, armenskog, staroruskog i sirijskog obreda. Propovijedi su držane na glavnim europskim jezicima, a svake su večeri svečanom završetku prisustvovali i kardinali. Sada se već u Rimu oktava Bogojavljenja slavi više od jednog stoljeća i to točno po uputama i nacrtu koje je dao otac Pallotti. Ovo je jedan od većih crkvenih događaja u godini, a prostrana crkva sv. Andrije svakodnevno je ispunjena mnoštvom ljudi koji revno obavljaju duhovne vježbe i obogaćuju se slušajući besjede. Nedaće koje je donijelo doba industrije, dugo radno vrijeme u nehigijenskim uvjetima, honorarni ugovori i učestalost rada djece, osjećale su se kako u Rimu, tako i u svim velegradovima diljem svijeta. Uvečer je Pallotti odlazio u apostolske dužnosti po Rimu, te susretao mladiće i dječake koji su se vraćali iz tvornica i radionica. Ti su mladi ljudi u potpunosti bili zanemarili obrazovanje jer se nastava održavala istodobno kada je bilo i njihovo radno vrijeme. Što li se moglo učiniti za njih? Njegovo je rješenje bila večernja škola. Godinama kasnije, jedan je drugi talijanski svećenik iz Torina, Ivan don Bosco, u sličnim uvjetima iznašao slično rješenje. Otac Pallotti je osnovao nekoliko večernjih škola u Rimu i angažirao nastavnike koji su bili aktivni u radu Družbe. No i prije samog otvorenja škole, učionice su bile prepune učenika, njih čak pet stotina. Godine 1837. Rimom je harala smrtonosna epidemija kolere, jedno od zadnjih većih pustošenja u Europi. Smrću roditelja, mnoga su djeca ostala siročad koja su lutala i prosila po gradu. Postojeće su dobrotvorne ustanove bile preopterećene, tako da je otac Vinko kupio jednu veliku kuću, poznatu pod nazivom Pia casa della Carità, koja još i dan danas postoji, a koju je trebalo osposobiti te je zamolio svoje prijatelje za pomoć u nabavi hrane, odjeće, namještaja i novca. Nakon kratka vremena otvorio je i drugo sirotište, Dom Presvetog Srca, za čija su vremenita dobra brinula dva člana bogatih rimskih obitelji, a na područje duhovnosti pazila je Družba katoličkog apostolata. Nije bilo lako pronaći prikladne odgojitelje za ove i mnoge druge ustanove s kojima je Pallotti surađivao. Poseban je problem bio pronaći odgojitelje koji bi stanovali u Pia casa della Carità, a što je bilo prijeko potrebno. Otac Pallotti je odlučio osnovati Družbu sestara koja bi imala pravila Družbe katoličkog apostolata i koja bi se posvetila sličnom polju rada. Dok je razmišljao kako to ostvariti, jedna se djevojka, kojoj je on bio duhovnik dugi niz godina, nadahnuta time ponudila za pomoć. Otac Pallotti je vidio u tome Božji prst te je 30. ožujka 1884. Benedetta Gabrielli, kako joj je bilo ime, primila habit Družbe katoličkog apostolata iz Pallottijevih ruku. Ona je bila prva sestra palotinka. Tri su joj mjeseca kasnije pridružile još četiri djevojke. Danas su palotinske sestre raširene po čitavom svijetu. Indijski ogranak sestara palotinki je Svjetovni institut sa središtem u pokrajini Raipur, a nazivaju ih službenicama Kristovim. Godine političkih previranja Godina 1846. bila je važna u životu oca Pallottija, obilježena papinim dodjeljivanjem Družbi katoličkog apostolata crkve i rezidencije u Rimu San Salvatore in Onda, drevnog zdanja gotovo na samoj obali Tibera u kojem je nekoć stanovao poznati Siksto V. prije nego što je postao papa. Na taj je način bilo rješeno pitanje sjedišta Družbe koje je prije bilo podosta udaljeno od crkve Duha Svetoga. Broj novih članova Družbe je rastao, prvi misionari su već bili otišli u Englesku i konačno je bio omogućen cjelovit i uređen život zajednice kojeg je osnivatelj i priželjkivao. Drugi je veliki događaj bila smrt pape Grgura XVI. i izbor Pija IX. Prethodni je vladao čvrstom rukom tako da su politički protivnici i tajna društva bili potisnuti policijskim i vojnim snagama. No snaga tajnih društava nije se slomila. Dapače, mnogi misle da je Grgur upravo svojom surovom politikom doprinio njihovom jačanju. Pio IX. se pokušao suočiti s njima na drugačiji način. Pokušao ih je razoružati svojom politikom provođenja liberalnih reformi u načinu vladanja Papinskom državom. Politički ustupci, koje je usvojio Pio IX., nisu imali dobre učinke koje je dobronamjerni papa s povjerenjem očekivao. Kroz osobne susrete s ljudima, otac Pallotti je postao svjestan huškanja, te je u nekoliko prigoda iskazao svoju zabrinutost papi koji ga je iskreno i duboko cijenio. Upozorenja svetog svećenika imala su jak utjecaj na papu. Sveti je svećenik navukao na sebe mržnju liberala i revolucionara. Optužili su ga da je nazadni konzervativac čiji utjecaj na papu škodi njihovim namjerama, te su učinili sve kako bi spriječili pristup Pallottija Svetom Ocu. No Pio IX. je bio svjestan njegovih vrsnoća, te je odlučio službeno posvjedočiti o Vinkovoj privrženosti i pohvaliti ga. Godine 1847. Družba katoličkog apostolata je organizirala zaista krasnu proslavu oktave Bogojavljenja. Pričestilo se šest tisuća ljudi, a dva je puta i papa sudjelovao predvodeći misno slavlje s kojim je bila i njegova dvorska pratnja. To je bila tako rijetka privilegija da je u crkvi sv. Andrije čak podignuta mramorna spomen-ploča na ovako rijedak događaj. Na kraju cijele proslave, papa je pozvao oca Pallottija i šaljivo mu kazao: „Dakle, don Vinko, jeste li konačno zadovoljni?“ Otac Pallotti je blagonaklono odgovorio: „Vaša Svetosti, još uvijek ima mnogo toga što treba učiniti, pred nama je još dug put.“ Političke su tenzije rasle. Sveti Otac je pokušao smiriti mnoštvo donoseći demokratski ustav Papinske države. Bila je to taktička greška. Papin je ustupak protumačen kao slabost, pa su se bune povećavale i postale učestalijima. Sela i gradovi oko Rima postali su žarištima revolucije, te su Crkva i njezine institucije postale metom teških napada, a tradicionalna vjera seljaka bila je u velikoj krizi. Otac Pallotti i njegova Družba dali su svoj doprinos u sprečavanju otpada od vjere. U proljeće 1848. održao je pet duhovnih vježbi u malim gradovima po brežuljcima oko Rima, te su njegov primjer slijedili i mnogi drugi svećenici, tako da je opasnost u tim mjestima bila uklonjena. U gradu se situacija samo pogoršavala. Sveti je Otac imenovao prvim ministrom novoosnovane države grofa de Rossija, slavnog državnika i dičnog katolika. No Rossija su mrzila tajna društva i odlučila ga se riješiti. Priliku koju su odabrali za to bilo je prvo zasjedanje sabora kada je ubojica odjeven kao stražar zadao de Rossiju smrtnu ranu dok je išao na zasjedanje. Moć je prešla u ruke urotnika, papa se zatvorio u palaču Quirinal i nakon nekog vremena pobjegao u svećeničkoj reverendi, te potražio utočište u Napuljskom kraljevstvu. Nakon papinog bijega grad Rim je pao u pobjedničke ruke neprijatelja koji su progonili sve pristaše papinske politike, a posebno su tragali za onim svećenicima koji su imali veliki ugled u narodu. Prema ocu Pallottiju su se odnosili s osobitom surovošću. Naredili su mu da se u potpunosti povuče iz vojne bolnice gdje je on zajedno sa svojom subraćom svećenicima proveo dugi niz godina nesebično služeći bolesnim i umirućim vojnicima. Prolazeći po posljednji put kroz vrata velike vojne bolnice, pokazao je nenavezanost duha, iskreno zahvaljujući svemogućem Bogu na nanesenom poniženju. Jedne večeri, dok je revolucija bila na vrhuncu, prolazio je trgom Quirinal. Okupljene su ga skitnice na velikom trgu prepoznale i počele vrijeđati. Jedan je vojnik na dužnosti podigao svoju pušku i pucao prema ocu Vinku. Njegovi su pratioci smatrali da ga je u toj prigodi samo čudo spasilo od smrti. Pallottijeva su se subraća bojala za njegov život i konačno ga nagovorili da se povuče iz javnog djelovanja. Sklonio se u Irskom kolegiju gdje je živio nekoliko mjeseci tijekom najgoreg razdoblja revolucije. Jednog su dana vojnici pretražili kolegij, kako se pretpostavlja, s namjerom da uhvate bilo koga tko je tamo našao utočište. Otac Pallotti je sjedio za stolom i pisao, ali ga oni nisu mogli vidjeti i kazali su njegovoj subraći kako u sobi nema nikoga. Što li se zbilo? Ne znamo, ali su njegovi drugovi smatrali da je to bilo još jedno čudo. U lipnju 1849. francuske su trupe obnovile red u Vječnom Gradu i istjerale revolucionare. Tako se otac Pallotti mogao vratiti u kuću San Salvatore. Posljednji dani života sv. Vinka Palottija Sjene smrti nadvile su se nad časnog svećenika. Jednom ga je posjetio stari prijatelj otac Bernard Clausi iz Reda manje braće sv. Franje, također svet čovjek. Opraštajući se jedan od drugog, otac Clausi je rekao: „Vinko, za nekoliko mjeseci srest ćemo se u nebu.“ Posjetio je samostan Trinità dei Monti sestara Presvetog Srca. Opraštajući se s časnom majkom, kazao je: „Neću ponovo doći.“ Razgovarajući sa svećenicima Družbe, dao je jasno naslutiti kako ga više neće biti i s njemu svojstvenom poniznošću nadodao: „Rad dolazi od Boga. Moji grijesi i moj nehaj stajali su mu na putu, no napredovat će nakon mog odlaska.“ Obično je otac Pallotti sve sam pripremao za proslavu Bogojavljenja. Bilo je tako sve do 1850. godine kada su njegova subraća uvidjela da je ovoga puta odabrao drugog svećenika za organizaciju. Kada su ga upitali za objašnjenje, otvoreno im je kazao: „Dogodine ćete imati proslavu oktave bez mene.“ Kao i obično, proveo je mnoge sate ispovijedajući tijekom oktave. Jedan od njegovih penitenata bio je slabo odjeven i drhtao od hladnoće, pa je otac Pallotti skinuo svoj plašt, kojeg su nosili svi rimski klerici tijekom zime, i dao ga njemu. Toga je dana bilo iznimno hladno, a i sam Pallotti je bio slabo odjeven. Jako se prehladio i trebao je odmirovati barem jedan dan, ali je idućeg dana ponovo otišao ispovijedati. Njegova se prehlada pogoršala i pretvorila u upalu pluća. Subraća su pozvala liječnika koji ih je upozorio da je slučaj vrlo ozbiljan. Superior kuće je smatrao svojom dužnošću priopćiti Pallottiju stanje stvari i nadodao: „Moli za svoje ozdravljenje.“, a Pallotti je odgovorio: „Ne, sluga sam beskorisni! Moja će smrt bit blagodat Družbi.“ Nakon što se Pallotti pričestio, Družbini su se svećenici okupili i kleknuli oko njegova ležaja. Bila je nedjelja. Ležeći na samrti Pallotti se sjetio da u crkvi puno ljudi čeka na ispovijed. Posljednji titraj apostolskog plamena, kojim je izgarao čitavog života, obasjao je njegovo umiruće lice. „Ljudi čekaju, a ja ne mogu k njima. Idite vi i ispovijedite ih,“ kazao je. Te je večeri primio bolesničko pomazanje. Jedan je od svećenika gorko zaplakao i rekao: „Oče, što će se dogoditi s Družbom?“ Pallotti je odgovorio: „Živjet će i bit će blagoslovljena od Boga.“ Više od stotinu godina postojanja palotinaca to i dokazuje. Te je večeri otac Vaccari, najdraži mu učenik, ostao s njime, te shrvan emocijama i tugom zbog pomisli o skorom odlasku njegova duhovnog oca, rekao: „Moli oče, da te Bog ostavi malo duže s nama.“ Pallotti je odgovorio: „Pustite me da odem kada me Bog pozove.“ Preminuo je u noći 22. siječnja 1850. godine. Silno se mnoštvo ljudi došlo pomoliti kraj njegova lijesa koji je bio izložen tri dana. Tisuće je dijelića odjeće ovog blagog, svetog i poniznog svećenika, kojeg su ljudi još za života štovali kao sveca, odneseno kao relikvije. Ubrzo su započeti kanonski procesi za beatifikaciju, te uspješno završeni točno na stotu obljetnicu njegove smrti 22. siječnja 1950. Postupak je konačno dovršen, kako je već spomenuto, na početku II. vatikanskog sabora kada je papa Ivan XXIII., dne 20. siječnja 1963., svečano i javno proglasio Vinka Pallottija svetim. Napisao: P. John S. Gaynor SAC Palotinske župe u Hrvatskoj Župa Blažene Djevice Marije, Kraljice apostola u Zaprešiću Osnutak župe Župa B. D. Marije, Kraljice apostola u Zaprešiću osnovana je u ljeto, 1995. g. dijeljenjem župe sv. Petra apostola na dva dijela. Sjeverni dio grada Zaprešića, od nogometnog stadiona kluba Inter i ulice Ljudevita Gaja pripao je novoosnovanoj župi koja je u trenutku osnivanja imala točno 20 ulica, a danas, nakon 13 i pol godina postojanja ima 33 ulice. U internom dogovoru poglavara Družbe Palotinaca i tadašnjeg Zagrebačkog Nadbiskupa i kardinala, dr Franje Kuharića, preuzimanje župe je dogovoreno u srpnju, 1995. g., kada je dogovoren i titular župe: Marija, Kraljica apostola, a dekret o osnivanju izdanje od Nadbiskupskog duhovnog stola tek 03. 11. 1995. g. dva dana prije nego što je župa zaživjela. Za prvog upravitelja novoosnovane župe imenovan je P. Mijo Šibonjić SAC (palotinac) koji u Zaprešić dolazi 01. 09. 1995. g. u pratnji delegata, P. Joze Ivića SAC koji se javljaju tadašnjem župniku župe sv. Petra Apostola, vlč. Ivanu Bošnjak, koji upravitelja nove župe P. Miju upoznaje s vjernicima na sv. misi u nedjelju, 03. 09. 1995. i čita obavijest Nadbiskupskog duhovnog stola o osnivanju nove župe u Zaprešiću. Od tog dana P. Mijo počinje upoznavati svoje nove župljane i s njima tražiti odgovarajući prostor za liturgijska okupljanja vjernika i sebi mjesto za stanovanje. Traženje je potrajalo gotovo cijeli mjesec dana jer na području nove župe i nema nekakvih industrijskih pogona koji bi imali neku veću halu za ustupanje župi, nego su službenici još tada općine Zaprešić župniku, P. Miji predložili nekorišteni prostor jednog velikog atomskog skloništa koji se nalazi 4,7 metara ispod zemlje. Sklonište ima veliku dvoranu od 100 m2, jednu manju dvoranu od 30 m2, još jednu manju od 8 m2 i dva spremišta. Iako taj prostor nije bio baš najprikladniji za liturgijska slavlja jer nije imao prozore, dakle danjeg svijetla i zraka, nismo imali ništa bolje pa smo u listopadu s upravom Zagrebačke policije, u čijoj nadležnosti su tada bila sva skloništa u Zagrebu i okolici, sklopili ugovor o korištenju tog prostora, najprije na dvije godine, a kasnije smo ga produžavali u dva navrata, tako da smo punih pet godina ostali u njemu. Slijedilo je uređenje skloništa: čišćenje, krečenje zidova, stavljanje linoleuma na betonski pod, nabava odgovarajućeg namještaja koji se sastojao od 100 stolica, drvenog oltara, ambona, stalaka za svetohranište i dva kipa: sv. Antuna Padovanskog i Gospe Lurdske te oltarne slike koja predstavlja Mariju okruženu apostolima prilikom silaska Duha Svetoga na Pedesetnicu. Manju prostoriju od 8 m2 smo također uredili kao sakristiju i nabavili tri prikladna ormara s jednim radnim stolom. Na ulazu u sklonište s velikog parkirališta za aute nalazi se manja prostorija od 12 m2 koju smo također dobili na raspolaganje s telefonskom linijom, tako da smo od prvog radnog dana imali uređeni prostor s namještajem za župni ured sa svim potrebnim knjigama i formularima, u kojem je sjedila gospođica Slavica Hiršberger, naša umirovljena župljanka koja se, uz malu novčanu nagradu stavila na raspolaganje župljanima četiri sata na dan, dva sata prije i dva sata poslije podne. Župnik je početkom listopada unajmio jedan stan od 75 m2 koji se nalazi blizu skloništa na trećem katu, u ulici Ferde Livadica 5/111, gdje je živio punih 5 godina. Uređenje atomskog skloništa za liturgijski prostor bilo je završeno prije kraja listopada 1995. g. tako da se moglo početi s liturgijskim slavljima. No, čekali smo da stigne dekret o osnivanju župe što smo dobili 03. 11. 1995. i u nedjelju, 05. 11. 1995. služena je prva sveta misa ujutro u 8 sati. Sklonište je bilo puno vjernika koji su putem prvog župnog lista bili upoznati s osnutkom župe, s novim župnikom i terminima u kojima će se služiti sv. mise u tom prostoru. Na drugu sv. misu u 10 sati došao je i delegat palotinaca, p. Jozo Ivić SAC koji je sa župnikom p. Mijom koncelebrirao, o čemu postoje fotografije. Iznenađenje je došlo nakon te sv. mise, kada je nekoliko muškaraca došlo župniku i požalilo se da od mnoštva vjernika nisu mogli prići ni blizu skloništu, a kamo li prisustvovati sv. misi pa su odmah zatražili od župnika da se ova župna sv. misa pro-populo mora organizirati u predvorju osnovne škole Ljudevit Gaj koja se nalazi na području župe. Tako je i bilo. Idućih dana jedna delegacija odraslih muškaraca sa župnikom otišli su tadašnjem ravnatelju škole i zamolili ga da možemo koristiti sportsku dvoranu u liturgijske svrhe. Nakon što smo razgledali tu dvoranu, prihvatili smo prijedlog ravnatelja i prionuli nabavci potrebnog namještaja za ovaj drugi liturgijski prostor. Ubrzo smo dali načiniti još jedan prenosni oltar i ambon, kao i dva ormara za malu sakristiju u školi, a za sjedenje smo koristili izvlačene tribine u dvorani i plastično-metalne stolice koje smo svake subote navečer iznosili iz skladišta i poredali za sjedenje, a nakon sv. mise morali smo te stolice vraćati u skladište. Za taj posao odmah se javila jedna grupa umirovljenih župljana koji su revno i redovito subotom u večernjim satima uređivali dvoranu za nedjeljnu sv. misu u 10 sati. U njoj smo slavili i veće blagdane, kao Božić, Uskrs, slavlja Prve sv. Pričesti i Krizme. Nakon jedne godine dana, morali smo se ipak preseliti u predvorje škole, gdje smo ostali još pune četiri godine, sve dok se nismo uselili u prostorije našeg novog župnog centra. U prostoru atomskog skloništa i predvorja škole ubrzo se okupila cijela župna zajednica koja je s oduševljenjem prihvatila osnivanje nove župe u Zaprešiću koji zapravo i nije imao niti jednu „pravu“ izgrađenu crkvu i prikladan prostor za liturgijska slavlja iako je tada imao 20-ak tisuća vjernika. Naime, župa sv. Petra apostola u Zaprešiću bila je u izgradnji prave velike župne crkve i tek je za Uskrs 1995. g. počela koristiti veći prostor u kripti crkve koja je bila u izgradnji, ali još ne dovršena, od samog betona, bez prozora, bez grijanja. Župljani su, naime, ubrzo i sami shvatili potrebu za podjelom sada već grada Zaprešića na dvije župe kao i potrebu za gradnjom još jedne župne crkve. Stoga su se rado odazvali pozivu svog župnika da je uz osnivanje nove župe i gradnju nove crkve potrebno pokrenuti i još jednu živu crkvu u Zaprešiću, a to znači uključiti se od najmlađih do najstarijih u aktivnosti koje jednu župnu zajednicu čine vidljivom i prepoznatljivom u nekom mjestu. Nakon prvih sv. misa 05. 11. 1995. koji se ujedno smatra danom rođenja ove župe, počeli su se župljani okupljati u župni zbor što ga je preuzela gđa. Ivančica Mohović, profesorica glazbe uz pomoć gđa. Janje Čorušić, liječnice koja je svirala orgulje. Javili su se odmah i mladi koji su osnovali pjevački zbor mladih koji će nešto kasnije dobiti ime „Apostoli“ i koji su pjesmom i svirkom pratili nedjeljnu misu u večernjim satima, pa ubrzo nastaje i dječji pjevački zbor pod vodstvom časne sestre Smilje Čirko, članice Družbe Kćeri Božje ljubavi koje djeluju u Zaprešiću od 1994. god. Već iduću nedjelju za oltarom su bili prisutni i prvi ministranti – dječaci i djevojčice od 3. do 8. razreda osnovne škole, iako još nisu imali ministrantske haljinice, ministrirali su u civilnom odijelu sve dok ubrzo nisu bile sašivene nove duge bijele haljine s pojasom u boji. Nakon što je župnik upoznao znatan broj župljana, neke odabire i poziva za bliže suradnike u župnom Pastoralnom vijeću koje od samog početka ima dvadesetak članova od kojih će neki nakon godinu dana biti članovi Građevinskog vijeća koje će sa župnikom početi pripremanje župne zajednice za gradnju nove župne crkve i župnog centra. Gradnja crkve i župnog centra Za gradnju nove župne crkve u sjevernom dijelu Zaprešića, zemljište je određeno još 1986. g. GUP-om građa Zagreba, jer je Zaprešić tada pripadao Zagrebu. Zemljište od 5400 m2 nalazi se u ulici Dragutina Domjanića i smješteno je točno u sredini područja koje zahvaća nova župa B. D. Marije, kraljice apostola. Zemljište, međutim, nije bilo u vlasništvu crkve, a bilo je podijeljeno na tri dijela i imalo je tri vlasnika: grad Zaprešić, Državni ured za javne površine RH (bivši SIZ za ceste) i Fond za privatizaciju RH. Trebalo je ujediniti ove parcele u jednu i riješiti vlasništvo zemljišta što nam je i uspjelo nakon dvogodišnjih napora i pregovora s državnim institucijama koje nisu bile „voljne“ predmetno zemljište darovati župi pa smo ga u dogovoru s Nadbiskupijom Zagrebačkom pretvorili u zamjensko zemljište, kao obeštećenje dugovanja Republike Hrvatske prema katoličkoj Crkvi. Već u 1996. god. župnik, P. Mijo počinje na papir stavljati idejne skice buduće crkve i župnog centra u želji da budući prostori odgovaraju novijim zahtjevima pastoralnih potreba svih slojeva župne zajednice. Međutim, taj prvi idejni plan je odbačen od većine članova Hrvatske delegature Palotinaca, a zbog toga i od uprave njemačke provincije u Friedbergu, kojoj pripada hrvatska Delegatura, s obrazloženjem da je projekt prevelik i da predložimo neki manji, privremeni. Tada smo načinili idejni plan jedne veće dvorane s malim stanom za župnika. Međutim i taj „privremeni“ projekt je odbijen na provincijalnoj skupštini u Freisingu, u siječnju 1997. g. i zatraženo novo, treće rješenje koje je bilo napravljeno u proljeće 1997. te prihvaćeno od svih članova hrvatske Delegature i provincijalne konzulte. Taj idejni projekt povjerili smo projektnom birou L. T. iz Zagreba, a nositelj projekta je bila arhitektica, gđa. Lea Bošnjak-Horak iz Zagreba. Ubrzo je načinjen glavni projekt uz pomoć kojega smo tražili sve potrebne suglasnosti koje su bile ishođene u proljeće 1999. god. Ostalo je srediti imovinsko-pravne odnose s nosiocima vlasništva zemljišta na kojem treba graditi crkvu i centar što nam je konačno uspjelo početkom srpnja, 1999. god. Sa svom potrebnom dokumentacijom za gradnju predali smo zahtjev za izdavanje građevinske dozvole koju smo imali u rukama točno 23. 08. 1999. U međuvremenu su načinjeni i izvedbeni projekti pa smo mogli raspisati natječaj za gradnju crkve i župnog centra. Od sedam velikih građevinskih tvrtki u Hrvatskoj, na natječaju je pobijedila tvrtka Tempo iz Zagreba koja je bila najpovoljnija. Ugovor o gradnji bio je sačinjen za oba objekta: i crkvu i centar. Međutim, na sastanku hrvatske Delegature i uprave Provincije 08. i 09. 10. 1999. odlučeno je da se razdvoji izgradnja ova dva objekta zbog financiranja koje tih dana još nije u potpunosti moglo biti točno definirano pa se na inzistiranje župnika, P. Mije odlučilo za gradnju župnog centra, a nakon toga će se graditi župna crkva, što je uz protivljenje nekoliko članova hrvatske Delegature na kraju prihvaćeno, jer se time rješavamo i skloništa, i predvorja škole i unajmljenog stana za svećenike. Ugovor o gradnji centra je potpisan 11. 10. 1999. g., a s gradnjom istoga počelo se 18. 10. 1999. Sam tijek izgradnje tekao je bez većih poteškoća, osim što je tvrtka Tempo kasnila s rokovima izgradnje 1. etape (rohbau) tako da smo neke završne radove morali raditi paralelno što nije u skladu sa zakonima gradnje, no termin završetka izgradnje i otvorenje centra bili su definirani već krajem svibnja 2000. god. Bilo je radosno gledati kako iz zemlje „niče“ zgrada župnog centra koji u podrumu ima pet što manjih, što većih dvorana za razne aktivnosti djece, mladih i odraslih župljana. U prizemlju je velika župna dvorana od 216 m2 u koju stane više od 200 stolica i ima malu binu za razne namjene. Tu je pored glavnog ulaza u župni centar prostrani župni ured sa svom potrebnom opremom. Pored njega manja prostorija za biblioteku i dvije prostorije za kreativne radionice s dva spremišta i sanitarnim čvorovima. Na katu i u potkrovlju iznad ovog dijela centra su sobe za svećenike i njihove goste s dnevnim boravkom i kuhinjom. Ovdje bi bilo zanimljivo spomenuti različite reakcije župljana kada su vidjeli zgradu župnog centra koja im se u prvi mah učinila „prevelikom“ i čak nepotrebnom. Zašto? Zato što vjernici u našoj domaćoj crkvi nemaju predodžbu o župnom centru. Taj im je pojam sasvim nov. Njima je pred očima uvijek samo župnikova kuća ili „farof“, kako se to u ovom kraju kaže, u kojoj živi župnik i njegov kapelan, jedna prostorija za župni ured te dnevni boravak i kuhinja u koju za vjernike nema pristupa, osim ureda. Da i oni imaju svoje prostorije kamo mogu doći i družiti se u dogovoreno vrijeme, to im se činilo gotovo nemogućim. Stoga su i najveći „skeptici“ ubrzo prihvatili ovaj župni centar kao svoj „drugi dom“ u kojeg mogu slobodno doći i djeca, i mladi i odrasli i provoditi svoje slobodno vrijeme u raznim igraonicama kao što su mali sportovi ili razni oblici gimnastike, folklora i plesa ili kreativnim radionicama te obiteljskim svečanostima prilikom slavlja rođendana, prve pričesti i krizme pa čak organizirati i karmine nakon sprovoda. Naravno, tu se okupljaju i razne molitvene grupe (poput neokatekumena i karizmatika), veći susreti mladeži na razini dekanata ili arhiđakonata; razne izložbe i prezentacije, sajmovi za Uskrs i Božić i td…. Danas su prostorije centra u punom pogonu svakog dana i to posebno u večernjih satima, na radost i zadovoljstvo svih koji u nj navraćaju. Posebnu radost doživjela je župa 28. listopada, 2000. god. kada je uz mnoštvo vjernika i uzvanika pomoćni zagrebački biskup, mons. dr Vlado Košić blagoslovio dovršeni župni centar u kojem su se odvijale sve aktivnosti. Dobili smo prekrasnu veliku župnu dvoranu u kojoj se služile sv. mise i sva druga liturgijska događanja; dvije skromno opremljene učionice za župni vjeronauk s 30 i 40 sjedećih mjesta; dvoranu za mlade u koju i danas rado navraćaju i druže se u večernjim satima; veliku dvoranu s kuhinjom za druženja za četrdesetak osoba; prostoriju za probe župnih zborova s orguljama te nekoliko spremišta za hranu i piće s potrebnim sanitarnim čvorovima. S pravom se može reći da je otvorenjem ovog župnog centra župa doživjela novi zamah u svojem poslanju što su osjetili i gosti koji su prisustvovali činu posvete, a na poseban način je to izrazio provincijal Palotinaca, P. Fritz Kretz SAC koji nije mogao sakriti svoje sumnje od prošle godine, kada smo obećali da će centar biti dovršen krajem 2000. god. Pošto je vodstvo provincije Palotinaca bilo zadovoljno s izgradnjom župnog centra, na redovitom jesenskom susretu hrvatske Delegature i uprave provincije, odlučeno je da se idućeg proljeća može početi i s gradnjom župne crkve pošto su planovi i dozvole za taj objekt bile gotove. Trebalo je samo provesti novi natječaj i naći novog izvođača radova, pošto je građevinsko vijeće sa župnikom odlučilo da izgradnju crkve povjeri drugom izvođaču, a ne tvrtki Tempo iz Zagreba. Ovaj put smo se odlučili za privatne tvrtke i pozvali na natječaj pet poznatijih tvrtki iz Zagreba i okolice. Na natječaju je prošla privatna tvrtka Kamgrad iz Zagreba, vlasništvo gosp. Dragutina Kamenskog s kojim smo 05. ožujka, 2001. god. potpisali ugovor o izgradnji crkve, a radovi na izgradnji počeli su 01. travnja iste godine. Ugovorena je samo prva faza izgradnje (rohbau), a unutarnje uređenje, sve instalacije, podovi, obloge zidova i namještaj ugovarali smo pojedinačno s manjim privatnim tvrtkama koje su svoj posao obavljali na vrijeme i savjesno, tako da je crkva bila dovršena krajem ožujka 2004. god. s dijelom najnužnijeg namještaja. Kamen temeljac posvetio je i položio zagrebački pomoćni biskup, mons. Josip Mrzljak 14. 05. 2001. na svečanoj večernjoj sv. misi na samom gradilištu nove crkve. Veliku radost doživjeli su župljani kada su na cvjetnicu, 04. travnja, 2004. god. iz velike dvorane župnog centra mogli u procesiji s maslinovim grančicama u rukama ući u novu, prostranu župnu crkvu koja je odisala lijepom jednostavnošću s puno svijetla i topline koju joj daje drvena obloga zidova u boji bijelog javora. Nakon pune tri godine, među nama je opet pomoćni zagrebački biskup, mons. Josip Mrzljak koji na svečanoj sv. misi u nedjelju, 23. svibnja, 2004.g. blagoslivlja novu crkvu i svu muku i višegodišnje odricanje vjernika i drugih donatora koje su u nju ugrađene. Nakon toga župljani se ne predaju. Ovo slavlje daje im još više odlučnosti da dovrše i ono što još nedostaje novoj crkvi. Odlučuju samo skupljati dobrovoljne priloge kako bi na tornju nove crkve što prije zazvonila prava, klasična zvona. U tu svrhu sakupljaju u ljeti 2004. g. točno 20.000 € nakon čega naručujemo zvona u Zagrebu u ljevaonici Tržec koja su bila postavljena u dogovoreno vrijeme i na blagdan sv. Lucije, 13. 12. 2004. su počela zvoniti. Već početkom lipnja iste godine gosp. Jure Žaja iz Zaprešića postavlja na prozor prvi vitraj s likom Duha svetoga kao osobni dar povodom primanja sakramenta sv. Potvrde njegove kćeri Marije. Nakon njega, mnoge obitelji iz župe se dobrovoljno javljaju i daruju po jedan vitraj, tako da crkva već u proljeće 2005. god. ima svih 28 vitraja koji krase unutrašnjost crkve i daju joj poseban ugođaj svetog prostora. Još u jesen 2004. god. obitelj Ljube Puljića iz Zaprešića daruje svojoj crkvi veliku oltarnu sliku – ulje na platnu od 10 kvadratnih metara, koja prikazuje Mariju koja lebdi iznad župne crkve ispred koje su prikazani ljudi, vjernici svih uzrasta i zvanja, koji predstavljaju Isusove učenike i apostole, pošto želimo u ovoj župi kod svih župljana razviti tu svijest da su i oni, po krštenju Isusovi apostoli koji moraju živjeti to svoje poslanje i drugima ga naviještati i svjedočiti. Iste godine, pred Božić uspjeli smo u crkvi napraviti 12 dugačkih klupa s klecalima, a pred Uskrs 2008. god. dovršene su i ostale klupe, njih 16, tako da u crkvi ima oko 500 sjedećih mjesta. Tako je i crkva u velikoj mjeri bila dovršena da smo mogli kao velika vjernička obitelj pozvati našeg uzoritog kardinala i nadbiskupa, mons. dr. Josipa Bozanića da nam posveti našu prekrasnu crkvu, što je i učinjeno 07. svibnja, 2005. god. na svečanoj sv. misi. Tog su dana župljani bili posebno radosni i ponosni na svoju novu župnu crkvu koja ostaje mnogim generacijama iza nas kao dokaz da je i u ovo vrijeme, početkom novog tisućljeća, u Zaprešiću bilo dovoljno ljudi koji su iz svoje vjere i ljubavi prema Bogu smogli snage da naprave ovakvu crkvu. Župa Svetog Vinka Pallottija u Vinkovcima OSNIVANJE ŽUPE - KUPOVANJE KUĆE - ADAPTACIJE • Prije izdavanja samog dekreta osnivanja župe, Provincijal Palotinaca o. Martin Juritsch SAC još je nekoliko puta morao doći u našu zemlju. 12. travnja 1977. u Đakovu u biskupijskom ordinarijatu su prisutni o. provincijal Martin Juritsch SAC, o. Jo de Brant SAC, delegat južno-Njemačke Provincije Družbe katoličkog apostolata (nadležan za poslove Družbe u Jugoslaviji), o. Marin Plum SAC kapelan u Ivankovu i g. župnik iz Ivankova vlč. Vladimir Mikrut. Taj dan je napisan dekret osnivanja župe Vinkovci IV. • Župa je po dekretu osnovana 15. travnja 1977. g. Detaljni tekst ovog dekreta nalazi se u arhivu ove župe. Kupnja kuće i kamionske garaže • Nakon izdavanja dekreta odmah se počinje tražiti kuća koja bi služila za pastoralne potrebe do izgradnje crkve i pastoralnog centra. Između više opcija najbolja je bila kuća s okućnicom u ulici Maršala Tita 69 (H. D. Genschera). Uz tu trošnu kuću u dvorištu se nalazila i kamionska garaža. Nakon nekoliko mjeseci adaptiranja i preuređenja, kuća je bila spremna za stanovanje svećenika i održavanje vjeronauka, a kamionska garaža je pretvorena u kapelicu. Adaptacija kuće i kapelice • Poslije ovoga je prošlo još koji mjesec dana, a tada smo počeli s adaptacijom garaže i ljetne kuhinjice u kapelicu. Radove je izvodio Ante Kelava, zidar iz naše ulice. Radilo se preko cijele zime. Koncem travnja je i kuća i bivša garaža posve drukčije izgledala. U kuću je uveden vodovod. Napravljena kanalizacija sa septičkom jamom. Presađena je monofazna struja. Cijela je kuća krečena i svi podovi preuređeni. Jedino su ostavljeni sitni parketi u kancelariji i kapelanovoj sobi. U ostalim prostorijama su postavljeni posve novi podovi. Tako je kuća bila kako-tako prilagođena za stanovanje. Otvorenje župe 28. svibnja 1978. • Otvorenje župe je bilo 28. svibnja 1978. Za samo otvorenje su već aktivirani župljani. Odazvali su se više nego lijepo. Posvetu kapelice je obavio Preč. p. Mato Bešlić generalni vikar. Propovjedao je vlč. g. Ivan Šešo - duhovnik u Đak. bogosloviji. U asistenciji je bio p. Jo De Brant. Nakon mise na kojoj je sudjelovalo oko 350 osoba u dvorištu smo pod šatorima imali ručak za svećenike i ostale uzvanike. Uglavnom razne suradnike za vrijeme adaptacije i neke starije ugledne župljane. Atmosfera je bila vesela i pjevalo se za stolom. Među uzvanicima je jedini nedostajao inž. Vladimir Pruzinac prema čijim idejama je kapelica i napravljena. Već za ručkom su mi župljani sugerirali da bi trebalo pozvati na večeru još neke župljane koji su navodno uvrijeđeni. Radilo se o komšiji Kiš. Poslije su pozvani jošneki drugi. Večera je bila u posebnoj atmosferi. Pod šatorom za jednim stolom su sjedili odrasli, a za ostalim djeca. Pjevalo se i sviralo uz gitaru. Mnogi su kasnije pričali da im je to ostalo u nezaboravnoj uspomeni. Nakon otvorenja i rast župe • Nakon otvorenja polako su župljani počeli dolaziti i upoznavati se. Među prvim obiteljima koji su nam se pridružili bile su sljedeće: Kelave, Mesići, Rajkovići, Boškovići, Previšići Pero i Božica prvi susjedi koji su od samoga početka za puno toga bili «desna ruka». Zatim Tustonjići, Šlezakovi, Vidinovići i drugi. Od prilike istih dana kada je naša župa otvorena, došao je u staru Vinkovačku župu, bivši župnik iz Zemuna dr. Đuka Marić. Protestirao je protiv naše župe i ignorira ju i ometa gdje god može i danas nakon 5 i pol godina. Nikad nisam shvatio njegove razloge i motive za tako nešto, ali on valjda misli da ih ima. Rast župe • Pokušat ću sada u kraćim crtama navesti još neke događaje koji su se zbivali s vremenom kako je župa rasla. • Odmah iza otvorenja župljani su davali priloge u novcu da bi otplatili troškove adaptacije. U prosjeku su bili uvijek velikodušniji nego što se tražilo. Do danas se na to ne mogu potužiti. • 6. VI. 1978. imali smo radnu akciju. Nasipali smo zemljom dvorište i betonirali prostor između traka za ulaz automobila. Također smo razvezli jedan dio zemlje koja je stajala iza kapelice od kako je kopana septička jama. Kasnije je ostatak zemlje buldoživom Tomislava Dujića, našeg župljanina razgurao naš župljanin Ivan Majstorović. • 10.VI.1978. pokrenuli smo akciju skupljanja novca da se za kapelicu nabavi jedan veći broj stolica. Stolice su odmah tih dana i kupljene. Od onoga što su skupili vratili smo provinciji novac za stolice koji smo posudili. Vjerski tisak • 24.VI. pokrenuli smo naručivanje vjerskog tiska. Najviše se župljana javilo kao pretplatnici Glasa Koncila. • 8.VII.1978. Pranje crkvenog rublja su preuzele naše župljanke Božica Bošković, Anka Tomašević i Katica Gadžić. • 15.VII.1978. Počela je redovito dolaziti vjerska štampa. Bili su to listovi: Glas Koncila, Kana, Mali Koncil, Radosna vijest, Naša ognjišta, Glasnik Srca Isusova i Marijina. • 22.VII.1978. Uvodimo LUKNO koje iznosi 100 ND po odrasloj zaposlenoj osobi. Nakon «pobune» se pomirujem sa 150 ND po domaćinstvu ili «paru». • Tih dana je jedna časna sestra iz «Marijinog Doma» obnovila bojama kip sv. Antuna Padovanskog. I kad smo već kod toga, već prije je trebalo spomenuti, u drvu rezani kip Majke Božje s djetetom Isusom, gipsani kip sv. Antuna Padovanskog, i križni put smo dobili od župe sv. Duha u Nuštru. Početak raznih pastoralnih aktivnosti: • 24.06. 1978. počinje redovito dolaziti Vjerski tisak: Glas Koncila, MAK, Kana, Naša ognjišta, Radosna vijest, Glasnik SIM. • 12.08. uvođenje treće nedjeljene mise u 9:00 (do tada su bile samo u 7:30 i 19:00) • 25.09. Započinje redovito održavanje vjeronaučnih susreta u župi. • 22.05.1979. vjeronauk za mlade. Osniva se veliki župski zbor 2.11.1980. • Sestra Hijacinta prihvatila se rada sa zborom. Nakon probe glasova, oformljen je zbor i probe zbora se održavaju redovito. Izdan prvi župski list. • Prvi broj župskog lista izašao je 28.11.1982. To je bio listić na dvije stranice umnožen vlastitim ciklostilom. Sastojao se od: Uvodna riječ, Izviješće s roditeljskih sastanaka, Raspored liturgijskih događanja, Rubrika mladih, Rubrika starih, i novosti iz župe. Naziv župskog lista je «VINKO» Župska biblioteka • Biblioteka je počela s radom 13.03.1983. Na početku je imala tek 300-ak knjiga uglavnom duhovnog sadržaja. Biblioteku je u početku vodila djevojka Maja Šlezak. Biblijska Grupa i vjeronauk za mlade • mladi i ambiciozni kapelan p. Jozo Ivić pokreće i vodi biblijsku grupu, koja se svaki tjedan sastaje radi druženja s Božjom Riječi, te vjeronauk za mlade. Instukcije iz jezika • Kapelan Jozo daje instrukcije školarcima iz stranih jezika: talijanskog, francuskog, njemačkog i engleskog. Gradnja crkve i samostana 05.02.1985. konačno je «Komitet za urbanizam i komunalne djelatnosti» izdao građevinsku dozvolu za crkvu, ali ne i za pastoralni centar. 16.12.1984. Dostavljena kompletna dokumentacija projekta crkve i pastoralnog centra. Projektnu dokumentaciju izradio ing. Srećko Lovrinčević iz Osijeka. Na građevinsku dozvolu se još čeka. 17.03.1985. potpisan ugovor o gradnji između Župe sv. Vinko Pallotti i «IGP Graditelj» • Dana 10.04.1985. dolaze teški strojevi počinju kopanje na mjestu gdje će niknuti nova crkva. Građevinska dozvola za pastoralni centar - samostan. • nakon dužih natezanja, prepravaka i odbijanja, «Komitet za urbanizam i komunalne djelatnosti» 01. 02. 1986. izdaje dozvolu za gradnju. Ugovor s građevinskom poduzećem i početak radova • Za izvođača radova na izgradnji samostana izabran je opet «IGP Graditelj» iz Vinkovaca. Prva polnoćka u novoj crkvi 1986 • Za Božić 1986. u netom dovršenoj crkvi okupilo se veliko mnoštvo na misi polnoćki. Čak je nekoliko stotina ostalo izvan crkve jer ne mogaše od gužve ući. Završena gradnja samostana • 20.07.1987. je preseljeno iz sare kuće u novu zgradu samostana. Posveta crkve 24.09.1989. • Najsvečaniji dan jedne župske zajednice. Nakon pet godina traženja dozvole i gotovo pet godina gradnje napokon je posvećena župna crkva svetog Vinka Pallottija. Crkvu je posvetio biskup Ćiril Kos uz nazočnost mnogih uglednih gostiju i oko 5.000 vjernika iz cijelih Vinkovaca i šire. Srušena stara kuća • Ujesen 1989 srušena je trošna stara kuća koja je služila kako župna kuća i vjeronaučna dvorana. Dok je kapelica (bivša kamionska garaža) pretvorena u dvoranu za različite namjene. Župa u ratu Počinje rat u Vinkovcima • 19.07.1991. dogodio se prvi minobacački napad na Vinkovce iz pravca Mirkovaca. Nakon toga napadi su učestaliji. Padaju sela u istočnoj Slavoniji i stižu prognanici u Vinkovce. Granata pogodila našu crkvu • 15.09.1991. topovska granata pogodila našu crkvu s istočne strane. Grad porušen i prazan • listopad 1991. grad je gotovo napušten. Žene i djeca su otišli u sigurnija mjesta, na obalu i u Zagreb, ostali su samo branitelji i pokoja obitelj. Polnoćka 1991. • p. Mijo Šibonjić slavi misu polnoćku s braniteljima u naselju «Mala Bosna» Priznanje R. Hrvatske i povratak izbjeglica • nakon međunarodnog priznanja ratno stanje u Vinkovcima se smiruje i granate padaju sve rjeđe. Obitelji se polako vraćaju u župu. Gađana crkva, razrušena susjedova kuća • u noći 15.04.1992. četnici iz sela Mirkovaca gađali crkvu, a pogodili obiteljsku kuću susjeda Jerka Grubišića s tri rakete «Orkan». Ratna djelovanja, granatiranje i pucnjava postaju sve rjeđi, • ali obnova života i skrb o izbjeglicama, prognanicima i povratnicima teče mukotrpno Poratna obnova i dovršenje interijera crkve Postavljen križni put • Umjetnik iz naše župe g. Branko Bazina izradio je križni put koji je 03.03.1996. postavljen u crkvi. Postavljeno raspelo u središtu crkve • raspelo koje je izradio također župljanin Branko bazina postavljeno je iznad oltara. Raspelo je izrađeno iz jednog komada od debla trešnje. Postavljen «Križ umrlih» • 1.12.1996. na dnu crkve kod ulaza na galeriju postavljen je veliki drveni križ na kojeg će se stavljati mali križići s imenima pokojnika. Križići na velikom križu ostaju od smrti pokojnika sve do Dana mrtvih kao podsjetnik da molimo za naše pokojne. A na dan mrtvih kada na poseban način molimo za naše pokojne župnik predaje obiteljima pokojnika križiće s imenima pokojnika. Uvedena misa za djecu • 01.12.1996. uvedena misa za djecu svake nedjelje u 11:00. Na toj misi pjeva dječji zbor podvodstvom sestre Jelene, uzima se misni kanon koji je prilagođen za misu s djecom, propovijed je također prilagođena djeci. Postavljene Oltarne slike • 27.03.1997. postavljene dvije velike oltarne slike koje je naslikao župljanin Branko bazina. Slike prikazuju «Silazak Duha Svetoga» i «Svetog Vinka Pallotti» Sliku sv. Vinka Pallotti darovala je Udruga dragovoljaca Domovinskog rata Lenije 1991. Predstavljen Zbor mladih • 03.03.1997. nakon dvomjesečnih priprema mladi pod vodstvom s. Jelene na Uskrs zbor mladih prvi puta svojom pjesmom i svirkom uljepšavaju večernju svetu misu. Probe se i dalje nastavljaju, a svake nedjelje sudjeluju pjesmom i sviranjem na večernjoj svetoj misi. Digitalizacija župne kartoteke - 12.06.1997. • Nabavljeno je računalo i program za vođenje župske administracije i započet je unos podataka koji će potrajati neko vrijeme ali će olakšati administrativni dio posla na župi. Obnova dvorane za mlade • bivša kapelica (kamionska garaža) se obnavlja. Mijenja se krov i stavlja nova fasada. Dvorana služi za susrete mladih, vjeronauk, ali i za druge potrebe. Nova dvora u potkrovlju (22.1.2003) • U potkrovlju samostana bilo je mnogo neiskorištenog prostora, a župi za pastoralne potrebe trebala je još jedna veća dvorana. Uz pomoć župljana vičnih majstorluku dvorana je uređena. Nakirbaj 22.1.2003. je svečano otvorena. HRT prijenosi misu iz naše crkve 02.03.2003. • vrlo lijep prijenos mise u 11:00. na misi su sudjelovala sva tri pjevačka zbora. Zeleni cvijet za uređenje župskog dvorišta • 23. 11.2003. u Sisku je u sklopu akcije «Zeleni cvijet» Ministrastva turizma našoj župi dodijeljena diploma sa srebrnim znakom za najuređeniju župu i župni dvor. Župnici, kaplani, časne sestre i sakristani Župnici: • P. Marin Plum SAC od početka do 15.11.1984. • p. Jozo Ivić SAC od 15.11.1984. do 28.08.1995. • p. Franjo Spajić SAC od 28.08.1995. do 28. 01. 1996. • p. Jo de Brant SAC od 28. 01. 1996 do 01.08.2000 • p. Ilija Sudar SAC od 01.08.2000 - Kapelani: • p. Đuro Međed SAC. Od 09.09.1979. do 1. kolovoza 1981. • p. Franjo Spajić SAC. Od 1. kolovoza 1981. do 23.05.1983. • p. Jozo Ivić SAC. Od 23.05.1983 do 15.11.1984. • p. Mijo Šibonjić SAC od 15.11.1984. do 28.08.1995. • p. Ilija Sudar SAC od lipnja 1996. do 01.08.2000 • p. Jozo Ivić SAC od 01.08.2000 do 1.5.2004. • p. Željako Lemaić SAC 1.5.2004. do Časne sestre: • Sestra Robertina Zorić. Od 10.09.1977. do 1.10.1980. • Hijacinta Hoblaj. Od 1.10.1980. do 16.09.1984. • Bernardeta Mihaljević. Od 16.09.1984. do 10.09.1995 • sestra Jelena Kovačević od 10.09.1995. do • sestra Deodata Kovačević • sestra Karolina Pitinac Sakristani: g. Ilija Tomašević od 1978 do 20.09.1998. g. Mato Čeko od 20.09.1998. - Vanjske poveznice Palotinci Župa u Zaprešiću Župa u Vinkovcima Palotinci - Hrvatski redovnici "Autobiografija s neba".pps Talijanski sveci Talijanski katolički svećenici
26,526
https://stackoverflow.com/questions/69989333
StackExchange
Open Web
CC-By-SA
2,021
Stack Exchange
English
Spoken
145
416
Gitlab pipeline stuck at pending state Gitlab runner not assigned I have registered gitlab-runner with the following command sudo gitlab-runner register \ --non-interactive \ --url "https://gitlab.com/" \ --registration-token "########" \ --executor "docker+machine" \ --docker-image "docker:stable"\ --description "docker-runner" \ --run-untagged="true" \ --locked="false" \ --access-level="not_protected" Then run sudo gitlab-runner verify here is the result: sudo gitlab-runner verify Runtime platform arch=amd64 os=linux pid=7162 revision=4b9e985a version=14.4.0 Running in system-mode. Verifying runner... is alive runner=pD2Prt75 At the project level, I see the following image (1) At the Group-level, I see the following image (2) Problem: When I trigger a pipeline it gets stuck in a pending state. The solution was to use docker executor instead of docker+machine since docker machine was deprecated by docker https://docs.docker.com/machine/ sudo gitlab-runner register \ --non-interactive \ --url "https://gitlab.com/" \ --registration-token "########" \ --executor "docker" \ --docker-image "docker:stable"\ --description "docker-runner" \ --run-untagged="true" \ --locked="false" \ --access-level="not_protected"
28,235
https://sh.wikipedia.org/wiki/Sedoheptulozna%20bisfosfataza
Wikipedia
Open Web
CC-By-SA
2,023
Sedoheptulozna bisfosfataza
https://sh.wikipedia.org/w/index.php?title=Sedoheptulozna bisfosfataza&action=history
Serbo-Croatian
Spoken
40
190
Sedoheptulozna bisfosfataza (, SBPaza, sedoheptuloza 1,7-difospatna fosfataza, sedoheptulozna 1,7-difosfataza, sedoheptulozna difosfataza, sedoheptulozna 1,7-bisfosfataza) je enzim sa sistematskim imenom sedoheptuloza-1,7-bisfosfat 1-fosfohidrolaza. Ovaj enzim katalizuje sledeću hemijsku reakciju sedoheptuloza 1,7-bisfosfat + H2O sedoheptuloza 7-fosfat + fosfat Reference Literatura Spoljašnje veze EC 3.1.3
20,536
https://stackoverflow.com/questions/44990357
StackExchange
Open Web
CC-By-SA
2,017
Stack Exchange
BentCoder, JB Nizet, Pankaj Parkar, Simon Poole, https://stackoverflow.com/users/1251684, https://stackoverflow.com/users/2435473, https://stackoverflow.com/users/5109107, https://stackoverflow.com/users/571407
English
Spoken
471
1,049
Unable to load controller within $routeProvider in AngularJS This is my very first AngularJs app and created it after going through many examples on the web but I am doing something wrong here. It is highly likely because files are stored in dedicated folders. The HomeView.html template gets loaded fine but the controller doesn't. I mean I cannot get greetingMessage printed in the template. All I see is {{ greetingMessage }} instead of "Welcome!". What am I missing? Error Error: [$controller:ctrlreg] http://errors.angularjs.org/1.6.4/$controller/ctrlreg?p0=HomeController App Structure app conponents home HomeView.html HomeController.js ... ... index.js index.html index.html <body ng-app="myApp"> <h3>AngularJS</h3> <hr /> <p><a href="#!">Home</a></p> <div ng-view></div> <script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.6.4/angular.min.js"></script> <script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.6.4/angular-route.min.js"></script> <script src="index.js"></script> </body> index.js var module = angular.module('myApp', ['ngRoute']); module.config(function($routeProvider) { $routeProvider .when('/', { templateUrl : 'components/home/HomeView.html', controller: 'HomeController' // I tried -> controller: 'components/home/HomeController' }) .otherwise({ redirectTo: '/' }); }); HomeView.html <div ng-controller="HomeController"> <h4>Home</h4> <p>{{ greetingMessage }}</p> </div> HomeController.js var module = angular.module('myApp', []); module.controller('HomeController', [ '$scope', function( $scope ) { $scope.greetingMessage = 'Welcome!'; }]); Also, don't use minified files (min.js files) during development. Those are for production. Using the non-minified files during development will allow you to have much clearer and readable error messages. @JBNizet I'll remember that in future! Thanks The main reason is you haven't referred homeController.js on index.html, it should place right after index.js. This will not solve your issue. The other thing I'd like to mention is, you shouldn't be creating myApp module again while registering your controller with your myApp module. By declaring new module will flush out former registered component. So just use module getter like angular.module('myApp') and append further components to it. <script src="components/home/HomeController.js"> Code angular.module('myApp') .controller('HomeController', [ '$scope', function($scope) { $scope.greetingMessage = 'Welcome!'; } ]); @PankajParkar I updated the controller as per your answer however I am getting Error: [$controller:ctrlreg] The controller with the name 'HomeController' is not registered. I also moved all three <script src= ... lines in <head> block to see what happens but no luck. @BentCoder you should be providing correct path there.. please check update answer. and error still persists, let me know the what error you're getting in the console? @PankajParkar If I had 10 more controllers, that would mean 10 more <script src="components/home/.....js"> lines. How do I solve this issue? What practise I should use? @BentCoder best practice would be, bundled all reference files in to single file(bundle) and refer that single file on page.. otherwise you have to refer each and every file separately on the page.. Got it. I shall do some research on that and see how it it done then. Thanks Best practice varies based on whether you're serving from HTTP 1/* or HTTP2. Worth 10 minutes research. You must be attach app file and next attache your controller file in your hoem page or master page. This example helped you Angular js routing
14,186
https://nl.wikipedia.org/wiki/Janet%20Vida%20Watson
Wikipedia
Open Web
CC-By-SA
2,023
Janet Vida Watson
https://nl.wikipedia.org/w/index.php?title=Janet Vida Watson&action=history
Dutch
Spoken
552
894
Janet Vida Watson (Londen, 1 september 1923 - Oxshott, 29 maart 1985) was een Brits geoloog en lid van de Royal Society. Biografie Janet Vida Watson werd geboren op 1 september 1923 in Londen. Ze was de dochter van David Meredith Seares Watson en Katherine Margarite. Ze groeide op in South Hampstead en ging daar naar school. Vervolgens ging ze naar de Universiteit van Reading waar ze in 1943 afstudeerde in de biologie en geologie. Ze kreeg daar les van H.L. Hawkins die haar die haar hielp bij het verkrijgen van een plaats aan Imperial College. Ze studeerde daar in 1947 af in de geologie. Daarna werd ze door Herbert Harold Read gevraagd voor zijn nieuwe onderzoeksteam. De onderzoeksstudenten verbonden aan dit team focuste hun onderzoek op harde gesteentes. Aan het begin van haar onderzoekscarrière onderzocht ze het gesteente migmatiet in Sutherland. Een jaar later begon ze samen met John Sutton aan een onderzoek naar het Lewisian complex in het noordwesten van Schotland. Ze ontdekten dat dit er twee fasen onderscheiden kunnen worden binnen het complex. Eerst ontwikkelde de Scourian gneis zich. Na de vorming van dikes ontwikkelde het Laxfordian zich. Ze presenteerde hun bevindingen in 1951 bij de Geological Society of London. Hun bevindingen werden gezien als een doorbraak. Later werd bevestigd dat het Laxfordian honderden miljoenen jaren jonger is dan de Scourian gneis. In 1949 promoveerden Watson en Sutton. Kort erna trouwde Watson met Sutton en verhuisden ze samen naar Chelsea. Van 1949 tot en met 1952 had ze een beurs van de Royal Commission for the Exhibition of 1851 waardoor ze samen met haar man - die inmiddels een baan als docent had - onderzoek kon blijven verrichten. Daarna was ze tot 1974 werkzaam als de assistent van Read. Read was verbonden aan het Imperial College. Samen publiceerde ze een aantal boeken. Te beginnen met Beginning geology in 1966, gevolgd door Introduction to Geology: Volume 1 Principles. Deze werken werden gevolgd door Introduction to geology Volume 2 Earth history: Part 1 Early Stages of Earth History (1968) en het vervolg Introduction to geology Volume 2 Earth history: Part 2 Later Stages of Earth History (1975). Van 1974 tot en met 1980 was ze hoogleraar geologie aan het Imperial College. Van 1982 tot 1984 was ze de eerste vrouwelijke president van de Geological Society of London. Gedurende haar carrière is ze meerdere malen onderscheiden. In 1965 ontving ze samen met John Sutton de Bigsby Medal, in 1973 ontving ze de Lyell Medal en in 1997 de Clough Medal. Datzelfde jaar trad ze toe tot de Royal Society waarvan ze tot haar dood in 1985 de vicepresident was. Erkenning Lyell Fund – samen met John Sutton in 1954 Bigsby Medal – samen met John Sutton in 1965 Lyell Medal – awarded 1973 Clough Medal – 1979 Lid Royal Society – 1979 Referenties Fettes, D. J.; Plant, J. A. (1995). "Janet Watson. 1 September 1923 – 29 March 1985". Biographical Memoirs of Fellows of the Royal Society. 41: 500 Bowes, D.R. (1987). Janet Watson—an appreciation and bibliography. Special Publications. 27. Geological Society, London. p. 1–5 Ogilvie, M.B.; Harvey J.D. (2000). The Biographical Dictionary of Women in Science:L-Z. Taylor & Francis. pp. 1350–1351 Shackleton R. M. (2004). Watson [married name Sutton], Janet Vida (1923–1985). Oxford Dictionary of National Biography Brits geoloog Brits hoogleraar
41,568
https://stackoverflow.com/questions/13811379
StackExchange
Open Web
CC-By-SA
2,012
Stack Exchange
Kit, adamb0mb, https://stackoverflow.com/users/1358187, https://stackoverflow.com/users/240539, https://stackoverflow.com/users/64348, samjewell
English
Spoken
394
688
Count fields in a MongoDB Collection I have a collection of documents like this one: { "_id" : ObjectId("..."), "field1": "some string", "field2": "another string", "field3": 123 } I'd like to be able to iterate over the entire collection, and find the entire number of fields there are. In this example document there are 3 (I don't want to include _id), but it ranges from 2 to 50 fields in a document. Ultimately, I'm just looking for the average number of fields per document. Any ideas? PRIMARY> var count = 0; PRIMARY> db.my_table.find().forEach( function(d) { for(f in d) { count++; } }); PRIMARY> count 1074942 This is the most simple way I could figure out how to do this. On really large datasets, it probably makes sense to go the Map-Reduce path. But, while your set is small enough, this'll do. This is O(n^2), but I'm not sure there is a better way. Iterate over the entire collection, and find the entire number of fields there are Now you can utilise aggregation operator $objectToArray (SERVER-23310) to turn keys into values and count them. This operator is available in MongoDB v3.4.4+ For example: db.collection.aggregate([ {"$project":{"numFields":{"$size":{"$objectToArray":"$$ROOT"}}}}, {"$group":{"_id":null, "fields":{"$sum":"$numFields"}, "docs":{"$sum":1}}}, {"$project":{"total":{"$subtract":["$fields", "$docs"]}, _id:0}} ]) First stage $project is to turn all keys into array to count fields. Second stage $group is to sum the number of keys/fields in the collection, also the number of documents processed. Third stage $project is subtracting the total number of fields with the total number of documents (As you don't want to count for _id ). You can easily add $avg to count for average on the last stage. Sorry to ask a noob question, but what environment are you running this command in? @samjewell In the MongoDB shell (native to MongoDB) or in a shell of a client such as Robo 3T You could create a Map-Reduce job. In the Map step iterate over the properties of each document as a javascript object, output the count and reduce to get the total. This tipped me over the edge. I was hesitant to actually write that... but I did, and it was actually pretty simple (I skipped the Map-Reduce part though) For a simple way just find() all value and for each set of record get size of array. db.getCollection().find(<condition>) then for each set of result, get the size of array. sizeOf(Array[i])
35,030
https://sr.wikipedia.org/wiki/%D0%A1%D0%B0%D1%81%D1%82%D0%B0%D0%B2%D1%86%D0%B8
Wikipedia
Open Web
CC-By-SA
2,023
Саставци
https://sr.wikipedia.org/w/index.php?title=Саставци&action=history
Serbian
Spoken
115
380
Саставци су сеоска месна заједница која припада општини Прибој. Седиште ове месне заједнице се налази у насељеном месту Међуречје, које припада општини Рудо (Република Српска, БиХ). Међуречје је са свих страна окружено територијом Републике Србије и прибојском и месном заједницом Саставци. МЗ Саставци обухвата насељена места: Касидоле, Батковиће, Херцеговачку Голешу, Пожегрмац и Црнуговиће. По попису из 2011. године на подручју ове месне заједнице живело је 1.029 становника. Овде се налази ОШ „9. мај” Саставци. Извори Ревија Б92, број 526 Спољашње везе Општина Прибој, веб-сајт локалне самоуправе Географија која слуђује („Вечерње новости“, 29. мај 2013) Саставци-село са 4 државне границе (vesti-online.com) Нота амбасаде Републике Србије у Канбери о Саставцима, мапа и положај Насељена места у Прибоју
11,619
https://tr.wikipedia.org/wiki/M%C3%96%20139
Wikipedia
Open Web
CC-By-SA
2,023
MÖ 139
https://tr.wikipedia.org/w/index.php?title=MÖ 139&action=history
Turkish
Spoken
42
138
MÖ 139, Roma takviminde Piso ve Laenas Konsili Yılı olarak bilinen yıl. Olaylar Hipparkos, Ay'ın evreleri arasındaki süreye ilişkin gerçeğe en yakın tahmini yaptı. Seleukos İmparatorluğu, Alanya kentini istila etti. Doğumlar Şelomtzion, Haşmonayim Krallığı kraliçesi (ö. MÖ 67) Ölümler Viriatus, Lusitania valisi
37,347
https://hermeneutics.stackexchange.com/questions/39641
StackExchange
Open Web
CC-By-SA
2,019
Stack Exchange
English
Spoken
466
627
Is it only the 'thoughts' of Gentiles that accuse and defend them in Romans 2:15? It seems Paul only refers to the thoughts as accusing and defending Gentiles in the following text Romans 2:15 New American Standard Bible (NASB) 15 in that they show the work of the Law written in their hearts, their conscience bearing witness and their thoughts alternately accusing or else defending them, Does the accusing and defending only refer to 'thoughts' and not the conscience as well in the above text. Does not the conscience also accuse and defend the Gentiles? I am not sure what distinction you make - conscience is part of the human thought process. Romans 2:12-13,16 states the main message: For all who have sinned without the Law will also perish without the Law, and all who have sinned under the Law will be judged by the Law; for it is not the hearers of the Law who are just before God, but the doers of the Law will be justified ... on the day when, according to my gospel, God will judge the secrets of men through Christ Jesus. Romans 2:14-15 inserts a comment to clarify it: For when Gentiles who do not have the Law do instinctively the things of the Law, these, not having the Law, are a law to themselves, in that they show the work of the Law written in their hearts, their conscience bearing witness and their thoughts alternately accusing or else defending them, This comment says that even those that have never heard the law are capable of knowing right from wrong (e.g. most societies believe that murder is wrong) and of having a conscience that reminds them when they do wrong. Their thoughts will react to their conscience either by rationalizing their behaviour or by admitting their fault. The main message says that anyone without the Law will experience sin's death penalty, while those that know the Law will be judged by the Law based on their thoughts. The same thought process that those without the Law experience also happens with Christians. Their conscience lets them know when they have broken the Law, and they will either rationalize or repent in their thoughts. Simply knowing the Law isn't enough, one has to live a life that follows the law as well. They are aware of God's Law, and so Jesus will judge them based on their secret thoughts, their inner reaction to what they know is right or wrong. Did they accept that they had done wrong or did they try to explain away what happened? Is it only the 'thoughts' of Gentiles that accuse and defend them? Yes. The CSB translation perhaps captures it best (v15): Their consciences confirm this. Their competing thoughts either accuse or even excuse them
25,222
https://ru.wikipedia.org/wiki/%D0%9A%D0%B5%D0%B2%D0%B5%D0%BD%D1%8D%D0%B9%D1%82%D1%83%D0%BD%D1%83%D0%BF
Wikipedia
Open Web
CC-By-SA
2,023
Кевенэйтунуп
https://ru.wikipedia.org/w/index.php?title=Кевенэйтунуп&action=history
Russian
Spoken
117
376
Кевенэйтунуп — потухший вулкан на водоразделе Срединного хребта, в истоках реки Правая Начики на полуострове Камчатка, Россия. По морфологии это типичный щитовой вулкан. В географическом плане вулканическое сооружение по форме близка к окружности с диаметром около 6 км, площадь — 22 км², объем изверженного материала 5 км³. Абсолютная высота — 2106 м (2133 м на современных картах), относительная 600 м. Вершина вулкана венчается тремя шлаковыми конусами, на вершинах которых имеются небольшие кратеры. Состав продуктов извержений представлен базальтами. Деятельность вулкана относится к современному (голоценовому) периоду. Вулкан входит в группу северного вулканического района, срединного вулканического пояса. См. также Вулканы Камчатки Вулканы России Белый (вулкан) Примечания Ссылки Вулканы Камчатки на сайте Камчатского края Вулканы Камчатского края Щитовые вулканы Потухшие вулканы
8,496
https://eo.wikipedia.org/wiki/33196%20Kaienyang
Wikipedia
Open Web
CC-By-SA
2,023
33196 Kaienyang
https://eo.wikipedia.org/w/index.php?title=33196 Kaienyang&action=history
Esperanto
Spoken
105
230
33196 Kaienyang estas malgranda, ne tre hela asteroido de la ĉefa asteroida zono malkovrita la far'de la teamo de la astronomia kampanjo « LINEAR » (Lincoln Near-Earth Asteroid Research) elde la situejo de Socorro de la Laboratorio Lincoln (Nov-Meksiko, Usono). Nomo Ĝia nomo honoras Kaien Yang, finaliston de la Broadcom MASTERS de 2016 : konkurso pri matematiko kaj scienco por studentoj de meza lernejo ; pro lia projekto pri medicino kaj sciencoj de la sano. Li estis lernanto ĉe la Nysmith School for the Gifted and Talented de Herndon (Virginio). Eksteraj ligiloj Asteroidoj de la ĉefa zono Malkovrita de LINEAR Astronomiaj objektoj malkovritaj en 1998
50,794
https://nl.wikipedia.org/wiki/Bas-Boris%20Bode
Wikipedia
Open Web
CC-By-SA
2,023
Bas-Boris Bode
https://nl.wikipedia.org/w/index.php?title=Bas-Boris Bode&action=history
Dutch
Spoken
122
258
Bas-Boris Bode is een Duitse jeugdserie uit 1985. In Duitsland ook bekend met de ondertitel Der Junge, den es zweimal gab. In Nederland werd de serie uitgezonden door de AVRO. Van de serie verschenen een boek en dvd's. Het verhaal Bas-Boris Bode is zoon van een Nederlandse vader en een Duitse moeder. Hij speelt ijshockey en gaat met zijn team naar Amsterdam. Daar loopt hij een dubbelganger tegen het lijf en komen er herinneringen van vroeger boven. Is hij wel wie hij denkt dat hij is? Dan verdwijnt er een kostbare schilderijenverzameling... Cast |- |||Bas-Boris Bode||hoofdrol |- |||Rutger Bode|| |- |||Annette Bode|| |- |||Jaap|| |- |||Frans van Gulden|| |- |||Leo van Gulden|| |- |||Trainer || |} Duitse jeugdserie Programma van de AVRO
44,610
https://askubuntu.com/questions/499951
StackExchange
Open Web
CC-By-SA
2,014
Stack Exchange
https://askubuntu.com/users/68186, user68186
English
Spoken
161
251
Are internet connection passwords available from some location in /home? I keep /home on a separate partition. I upgrade by performing a fresh install. I assume that my internet connection passwords, like most of my other settings, will be stored somewhere in /home and so will be preserved. But, no, they're saved in /etc/NetworkManager/system-connections, so a fresh install wipes them out. Are they somehow retrievable from some location in /home? Thank you. The beauty of fresh install is that all the old system-wide settings are gone. Unless you copied them in /home there is no way to get them back. Your Internet connection login/password, etc, are stored in /etc/NetworkManager/system-connections/... So, if you did a fresh install (rather than an upgrade) then you wiped those files out. Did you copy them out to your /home/yourUserName/someplace? If not, then those are permanently gone. You will have to create them anew. Bottomline: I don't think there's any way to (easily) recover that info now.
19,694
https://tezos.stackexchange.com/questions/2357
StackExchange
Open Web
CC-By-SA
2,020
Stack Exchange
Ezy, Spammer, https://tezos.stackexchange.com/users/118, https://tezos.stackexchange.com/users/43, https://tezos.stackexchange.com/users/6832, https://tezos.stackexchange.com/users/6833, https://tezos.stackexchange.com/users/6834, pngdeity, utdrmac
English
Spoken
73
145
Error : Erroneous command line argument 4 (bootstrap1) What are the possible reasons for getting this error? And why I am getting the error Error: Erroneous command line argument 4 (bootstrap1). no public key hash alias named bootstrap1 cannot read file (Unix.Unix_error(Unix.ENOENT, "open", "bootstrap1")) Failed to read a b58check_encoding data (Signature.Public_key_hash): "bootstrap1" It would be extremely helpful to show us what command you executed to get this error. Please offer additional context @cryptoscroller
39,154