domain
stringclasses
17 values
text
stringlengths
1.02k
326k
word_count
int64
512
512
realnews
jeopardises the government’s set-top box (STB) local manufacturing policy which was designed to boost the local electronics industry and, supposedly, create thousands of jobs.” e.tv is equally annoyed. The free-to-air channel, which recently launched its own satellite channels, and was in discussion with the SABC to carry its channels too, told the Sunday Times the M-Net digital set top box would be able to “grow its terrestrial service “off the back of the SABC and E-tv without any compensation”, should they not be encrypted. The company’s COO, Bronwyn Keene-Young, said this would effectively give M-Net “the right to free-ride on the SABC channels” on its own DTT set-top boxes. Shinn has called on new communications minister Yunus Carrim to explain whether the SABC had government approval to sign the deal “that contradicts government’s years-long insistence that STBs have access control systems to, in the main, grow and protect the local electronics manufacturing industry”. She said about 36 companies submitted responses last September to the department of communications’ request for proposals for the manufacturing of STBs with access control systems. “The announcement of the successful manufacturers was put on hold earlier this year when former minister Dina Pule announced that the DTT policy was being reviewed. There has been no known progress on this revision,” Shinn said. In the meantime, Carrim has asked the broadcast industry to “work with government in speeding up the implementation of South Africa’s digital migration”. Speaking at a breakfast briefing organised by The New Age and the SABC, Carrim said, “What we need to know from the industry is that are we ready to go?” He said government is on course and wanted to “put pressure” on the relevant partners.” We brought all public broadcasters on board and told them to choose a facilitation team. We are in the midst of those negotiations and we are not moving as fast as we would like,” Carrim said. Carrim said government’s main concern was to protect the electronic industry and jobs. “We also want to ensure that new entrants don’t use any government subsidies to create pay tv on the one hand and also there are high levels of monopoly and concentration in the industry. We want to give space to the emerging entrepreneurs especially in the set top boxes (market),” he said. He said government’s 2008 decision to subsidise the set top boxes for five million of the poorest South African television households was born to protect the state’s investment in subsidised set top boxes, and to avoid a situation where set top boxes acquired using taxpayers’ money left the country. I f you’ve logged on to Twitter or Instagram at all today (and since this is 2017, you more than likely have), then you’ve probably seen Kim Kardashian on the receiving end of scathing backlash for her recent comments made in defense of makeup artist Jeffree Star. But who is he? Admittedly, half of Team CASSIUS was looking at the whole thing like: We did our Googles so that you wouldn’t have to, but first, let’s establish why
512
s2orc
value of hyperbaric oxygen therapy in postoperative care of subarachnoid hemorrhage. Medical Gas Research 2012 2:29. Magnetisation Processes in Geometrically Frustrated Spin Networks with Self-Assembled Cliques Bosiljka Tadić Department of Theoretical Physics Jožef Stefan Institute 1000LjubljanaSISlovenia Complexity Science Hub Vienna Josephstädter Strasse 39A 1080ViennaAustria Miroslav Andjelković mandjelkovic@vin.bg.ac.rs Institute for Nuclear Sciences Vinča University of Belgrade 11000BelgradeSerbia Milovan Šuvakov suvakov@gmail.com Institute of Physics Belgrade University of Belgrade Pregrevica 11811080BelgradeSerbia Department of Health Sciences Research Center for Individualized Medicine Mayo Clinic 55905RochesterMNUSA Geoff J Rodgers g.j.rodgers@brunel.ac.uk*correspondence:bosiljka.tadic@ijs.si Department of Mathematics Brunel University London Uxbridge MiddlesexUB8 3PHUK Magnetisation Processes in Geometrically Frustrated Spin Networks with Self-Assembled Cliques 10.3390/e22030336Received: 4 February 2020; Accepted: 11 March 2020; Published: 14 March 2020entropy Articlespin dynamicsnanonetworkssimplex aggregationhysteresisantiferromagnetic defects Functional designs of nanostructured materials seek to exploit the potential of complex morphologies and disorder. In this context, the spin dynamics in disordered antiferromagnetic materials present a significant challenge due to induced geometric frustration. Here we analyse the processes of magnetisation reversal driven by an external field in generalised spin networks with higher-order connectivity and antiferromagnetic defects. Using the model in (Tadić et al. Arxiv:1912.02433), we grow nanonetworks with geometrically constrained self-assemblies of simplexes (cliques) of a given size n, and with probability p each simplex possesses a defect edge affecting its binding, leading to a tree-like pattern of defects. The Ising spins are attached to vertices and have ferromagnetic interactions, while antiferromagnetic couplings apply between pairs of spins along each defect edge. Thus, a defect edge induces n − 2 frustrated triangles per n-clique participating in a larger-scale complex. We determine several topological, entropic, and graph-theoretic measures to characterise the structures of these assemblies. Further, we show how the sizes of simplexes building the aggregates with a given pattern of defects affects the magnetisation curves, the length of the domain walls and the shape of the hysteresis loop. The hysteresis shows a sequence of plateaus of fractional magnetisation and multiscale fluctuations in the passage between them. For fully antiferromagnetic interactions, the loop splits into two parts only in mono-disperse assemblies of cliques consisting of an odd number of vertices n. At the same time, remnant magnetisation occurs when n is even, and in poly-disperse assemblies of cliques in the range n ∈ [2, 10]. These results shed light on spin dynamics in complex nanomagnetic assemblies in which geometric frustration arises in the interplay of higher-order connectivity and antiferromagnetic interactions. Introduction Connectivity beyond standard pairwise interactions can be described by simplexes (cliques) of different orders; they constitute, for example, of groups of the system's elements or vertices of the underlying network that join together to make organised complexes at a larger scale. These higher-order structures are found and are increasingly recognised as responsible for the performance of complex materials [1][2][3] and many complex systems from the brain [4][5][6] to large-scale social dynamics [7,8]. However, the mechanisms by which the architecture of simplexes that represent a particular physical system influences the dynamics of its units and shapes its global behaviour remain elusive. Recently, the focus of investigations of these systems has been diverted towards
512
StackExchange
access the route, you simply need to add the auth middleware. e.g web.php <?php Route::middleware('auth')->group(function(){ //All Routes which needs user to be logged in }); or //Individiual Route Middleware Route::get('/path/to', 'controller@instance')->middleware('auth'); As for checking user role, you can basically create a middleware for this using the following steps: run your php artisan make:middleware IsAdminMiddleware open your IsAdminMiddleware and add this code inside the handle function public function handle($request, Closure $next) { if(!Auth::check()){ return redirect()->route('login'); } if(Auth::user()->isAdmin == true){ return $next($request); } return redirect()->back()->with('unauthorised', 'You are unauthorised to access this page'); } Q: Analyzing core dump generated by multiple applications with gdb I have a core dump generated by 2 applications -> /usr/bin/python and /usr/bin/app1. I know the dump can be analyzed by gdb /path/to/app /path/to/core but is there a way to include both applications in the arguement? I did try gdb '/usr/bin/python /usr/bin/app1' core.xxx but that doesnt seem right. Any suggestions? A: I think you cannot achieve what you want with a single invocation of gdb. But you could run gdb twice, in different terminal windows. I did that more than once, and it works quite well (except of course that your own brain could be slightly overloaded). a gdb process can debug only one single program, with one single debugged process or (for post mortem debug) one single core file. And a given core file is produced by abnormal termination of one single process (not several), so I don't understand your question. Apparently, you have a crash in some execution of python probably augmented by your faulty C code. I suggest having a debuggable variant of Python, perhaps by installing the python3-all-dbg package or something similar, then use gdb on it. Of course, compile your C code plugged into Python with debugging enabled. Perhaps you violated some invariant of the Python garbage collector. Q: Resize and merge images vertically How to resize images (width = average of the width of all images) and merge them vertically from top-to-bottom? A: This is the imergv.py script, in Python, that does just that. Imagemagick is required. Note that before running the script, you need to cd into the directory with the images. Some image viewers suited to view large images are Viewnior, Nomacs and Gwenview. The script will generate some tmpfXXXX.png images and a file called output.png with the end result. #!/usr/bin/python import os f = os.popen('/bin/ls -1') fil = f.read() arfils = fil.split("\n") arfils.pop() num = 0 tot = 0 for snc in arfils: f = os.popen( "/usr/bin/identify -ping -format '%w %h' " + '\"' + snc + '\"' ) rslt = f.read() woh = rslt.split(" ") intvl = int(woh[0]) tot = tot + intvl num = num + 1 avg = tot // num #resize images num = 1 allfil = "" for snc in arfils: nout = "tmpf" + str(num).zfill(4) + ".png" allfil = allfil + nout + " " convcmd = "convert " + '\"' + snc + '\"' + " -resize " + str(avg) + " -quality 100 " convcmd = convcmd + '\"' + nout + '\"' #print
512
Pile-CC
your hand if you ask for it,” Salas said. “And he dances too. If he sees other people dancing he likes to get in and dance too. He’s unique. He’s a little character.” John's blog - www.johnvhansen.com - Musichttp://www.johnvhansen.com/jvh/blog/index.cfm John V. Hansen's blogen-usThu, 22 Feb 2018 02:07:13 -0700Sat, 08 Nov 2014 01:47:00 -0700BlogCFChttp://blogs.law.harvard.edu/tech/rssno-reply@johnvhansen.comno-reply@johnvhansen.comno-reply@johnvhansen.comJohn's blog - www.johnvhansen.comhttp://www.johnvhansen.com/jvh/blog/index.cfm noThe top 10 ‘Star Wars’ song parodies of all timehttp://www.johnvhansen.com/jvh/blog/index.cfm/2014/11/8/The-top-10-Star-Wars-songs-parodies-of-all-time <img src="http://www.johnvhansen.com/jvh/blog/images//all-about-that-base.jpg"> With Nerdist's "All About That Base" seemingly locking up the title of best "Star Wars" song parody of the year, I thought it'd be a good time to look at the best entries in this subgenre that has exploded in the last decade thanks to YouTube. [More] Before YouTube, you could count the great "Star Wars" song parodies on one hand and still have two fingers left over. They are, of course, Richard Cheese's "Star Wars Cantina" and "Weird Al" Yankovic's one-two punch of "Yoda" and "The Saga Begins." But it even when Yankovic's second "Star Wars" parody dominated MTV and VH1 in 1999, a list like I'm attempting here couldn't go much beyond those three entries. That changed soon after the prequels wrapped in 2005, as YouTube burgeoned with parodies (pop songs given "Star Wars" lyrics), not to mention original "Star Wars"-inspired songs and non-"Star Wars" songs given new meaning with "Star Wars" clips. Today, the problem is not filling out the list of the top 10 "Star Wars" parody songs of all time; it's paring it down to 10. But "Do or do not, there is no try," right? I considered the cleverness of the lyrics and the quality of the vocals and videos in compiling my rankings. 10. <a href="http://www.youtube.com/watch?v=54OlVbh2fOo" target="_blank">"Wrecking Maul"</a> (2014), by Randy Turnbow, to the tune of "Wrecking Ball" by Miley Cyrus – In a timely tune considering Maul returned to "The Clone Wars" in recent years, the artist imagines the Sith apprentice being scorned by George Lucas in the scripting process ("I sure had a laugh/Cutting you in half/That's what I had to do"). The video is only passable (and don't worry, Maul's not really nude), but the facial makeup and vocals are good. (Honorable mention: Speaking of "Episode I" parodies, you'd think there'd be a good "Otah Gunga Style" riffing on Psy's "Gangnam Style." No such luck, although <a href="http://www.youtube.com/watch?v=2df6x2YEeu8" target="_blank">this Funny or Die clip</a> took a truncated stab at it.) 9. <a href="http://www.youtube.com/watch?v=HAYKVwCs_2s" target="_blank">"Star Wars Theme Song with Lyrics"</a> (2009), by Golden Tusk, to the tune of "Star Wars Main Title" by John Williams – The artist lyrically tells the classic trilogy story to the tune of the orchestral theme, and it works as beautifully as the "Saturday Night Live" skit that added lyrics to <a href="http://www.youtube.com/watch?v=AoaKVEJ09-Q" target="_blank">"Roundball Rock."</a> The feat is especially impressive when the singer crams words into the faster segments of the piece. (Honorable mention: Corey Vidal and Moosebutter's <a href="http://www.youtube.com/watch?v=lk5_OSsawz4" target="_blank">"Star Wars (John Williams is the Man),"</a> from 2008, features the "Star Wars" story sung to the tune of several Williams movie themes.) 8. <a href="http://www.youtube.com/watch?v=IX3sI0q5iMI" target="_blank">"Star Wars Cantina"</a> (1996), by
512
StackExchange
6 running iOS8. If it helps I currently have both set to $(ARCHS_STANDARD) which gives me: Architectures: armv7, arm64 Valid Architectures: armv7, arm64 The iOS Default seems to be as above but with the addition of armv7s for Valid Architectures A: armv7s is for A6 SoC - the architecture of the A6 processor in the iPhone 5. iPhone 5 can run with armv7 too. Armv7s is not mandatory for AppStore approval. Q: Adding different objects to std::list can you add different class objects to same list? A: See boost::any. You can use std::vector and then use it to add heterogeneous types into. Example: std::vector<boost::any> v; v.push_back(std::string("hello world")); v.push_back(42); Q: "Standard" vs "default" vs "basic" as a label for basic settings I am working on a mobile application which is targeted at regular people (not specialists, probably not much experience with software or desktops). The app provides basic / default / standard settings and user can adjust them and create favourite settings with their own label. The user has also a possibility to go back to the basic / default / standard settings. A big and quick question is: what should be the label of the button that allows to go back to these basic / dafault/ standard settings? We have now 3 candidates: -default -standard -basic Which one should we choose? Which makes most sense for the "regular / non-technical" people? A: Can you run a simple label test with your customer base? Default is often used when referring to an applications settings (i.e. choosing which program opens an image, which web browser to open by default). Things are reset to a default, or 'use default settings'. It sounds like they aren't technical users, but if they've used iOS, windows, and setting up email (many tasks), the word default comes up rather frequently in relation to Settings. NOTE: 'Default' does have one negative connotation; in the mortgage industry, a loan in default is not good at all! In terms of computer science: Computers. a value that a program or operating system assumes, or a course of action that a program or operating system will take, when the user or programmer specifies no overriding value or action. 'Basic' (and sometimes standard) is often used when referring to subscriptions and memberships; things that a customer does to or decrease a relationship with a vendor. It assumes increasing capacity of current features, or unlocking new features. I haven't seen instances of 'default' (If anyone has examples, please post) i.e. Basic Pro 'Basic' implies a limited set of features or functionality. Is changing settings for your app unlocking more functionality and complexity? Or is it more like making a theme, where they create and name a subset of preferences? If you can provide more context, I'll update my answer; I'm running on the info you've provided. Q: Get one record by having the id of two others I'm using OrientDB and I have a simple schema : User -> (AccessWith) -> AccessToken -> (HasClient) -> Client (name) are edges an others are vertices. I have the
512
YouTubeCommons
turned it as sort of the one of the drum beats of Flat Earth I mean I literally do a flat earth show every week tell people what's going on talk about what are we talking about this week the meetups and different little strange things that have been happening and then phone calls we take a lot of phone calls people that want to talk about what's going on in the community like we wrapped up our European tour which was neat we had a van driving all over Europe every every country in Europe Ben van just covered with Flat Earth memorabilia and they stopped into all the major cities and got out did street activism and I and I flew over there for three of those things over there for Dublin Belfast and Cardiff they said hey can you come by for some cities look okay sure it was great it was absolutely wonderful yeah and then you used to live in Victoria right I did I did I lived I can't even tell you the exact address I lived hang on I lived in tulip Avenue and Vic so not that far from the city you have to MapQuest it but I assure you it's there and I I moved up there with a that was in a flat earth younger woman who met me at a meet-up in seattle back in 2016 early 2016 and I was there for a year and didn't know much about most Americans don't even know that Victoria is even a thing and I'm from I'm from down here I'm from you know Whidbey Island you know San Juan so I'm literally we can see Victoria from right up the road and most Americans think that Canada basically stops at Vancouver and there's nothing else west and it's true and you don't know I mean there's this massive island that even most people that live there don't even see a fraction of it you know it's it's deceiving large it's huge it's absolutely massive and we say here like we're going up island tour it's like oh yeah thirty minutes you go up island on you know Vancouver Island you you can make that come back so now you don't know I mean there's some people's are going I have no idea where we are it's it's a fascinating place and I loved it I loved I loved everything about that place Canada Northwest Canada is is so well is it considered technically it's considered Southwest Canada but the western part of Canada is just a great place and and being from Seattle my whole life it was it was it's very very similar you know it's one of those few places you can drive across the border and the accident does not change at all it's it's really cool so yeah now I really enjoyed the video that you sent up the UFO oh cool yeah and I absolutely believe it I absolutely think that's real Manas it could be well
512
StackExchange
{ cout << "Error opening file. Program aborting.\n"; return; } cout << "Please enter the name of the cookie you are searching for: "; cin.getline(input,20); data.read(reinterpret_cast<char *>(&test), sizeof(test)); while (!data.eof()) { if( strcmp(input,test.name) == 0 ) { int position = data.tellp(); data.close(); data.clear(); data.open("cookies.txt", ios::binary | ios::out); cout << "Please enter the new quantity for the cookie "; cin >> test.quantity; data.seekp(position-sizeof(test),ios::cur); data.write(reinterpret_cast<char *>(&test), sizeof(test)); } // Read the next record from the file. data.read(reinterpret_cast<char *>(&test), sizeof(test)); } return; } A: Change while(!data.eof()) to while(data) For clarity, read a record from the file at the beginning of your while loop, not at the end. You can break out of the loop when your record has been written. When writing cookies.txt, open it with std::ios::binary | std::ios::in | std::ios::out. Seek from std::ios::beg. You have the file open for both reading and writing at the same time. This should work, but is unnecessary. Close the file for reading before writing to it. Q: Convert all cells to a table I have a data cells that contain these types. The type of the first cell is string, which contains a datetime like this '2017-09-20 15:35:00' celldisp(data) {935×1 cell} [935×1 double] [935×1 double] [935×1 double] [935×1 double] [935×1 int32] [935×1 int32] I would like to convert this to a more friendly timeseries like object. But for example, when I say dataArray=table2array(data); disp(dataArray); All I see is the datetime column, not the rest of the columns of double in the table. What is the correct way to do this? A: If you convert data to a table structure first and then to an array it should work: Example_cell={'2017-09-20 15:35:00',3,5 ;'2017-09-20 16:35:00', 4, 7} Example_table=table(Example_cell) Example_array=table2array(Example_table) Output: Example_array = '2017-09-20 15:35:00' [3] [5] '2017-09-20 16:35:00' [4] [7] Example_array(1) ans = '2017-09-20 15:35:00' Example_array(2) ans = '2017-09-20 16:35:00' Example_array(3) ans = [3] Q: System Permissions Assigned to Permission Set Is there a SOQL/SOSL to export/FETCH only the System Permissions from a Specific Permission Set in Salesforce. A: There are many fields available on permissionset object. You can query those permission which you need. In general:- PermissionsPermissionName One field for each permission. If true, users assigned to this permission set have the named permission. The number of fields varies depending on the permissions for the organization and license type. read more here:- PermissionSet SELECT Id, Name, Label, LicenseId, ProfileId, IsOwnedByProfile, IsCustom, PermissionsEmailSingle, PermissionsEmailMass, PermissionsEditTask, PermissionsEditEvent, PermissionsExportReport, PermissionsImportPersonal, PermissionsDataExport, PermissionsManageUsers, PermissionsEditPublicFilters, PermissionsEditPublicTemplates, PermissionsModifyAllData, PermissionsManageCases, PermissionsMassInlineEdit, PermissionsEditKnowledge, PermissionsManageKnowledge, PermissionsManageSolutions, PermissionsCustomizeApplication, PermissionsEditReadonlyFields, PermissionsRunReports, PermissionsViewSetup, PermissionsTransferAnyEntity, PermissionsNewReportBuilder, PermissionsActivateContract, PermissionsActivateOrder, PermissionsImportLeads, PermissionsManageLeads, PermissionsTransferAnyLead, PermissionsViewAllData, PermissionsEditPublicDocuments, PermissionsViewEncryptedData, PermissionsEditBrandTemplates, PermissionsEditHtmlTemplates, PermissionsChatterInternalUser, PermissionsManageEncryptionKeys, PermissionsDeleteActivatedContract, PermissionsChatterInviteExternalUsers, PermissionsSendSitRequests, PermissionsOverrideForecasts, PermissionsViewAllForecasts, PermissionsApiUserOnly, PermissionsManageRemoteAccess, PermissionsCanUseNewDashboardBuilder, PermissionsManageCategories, PermissionsConvertLeads, PermissionsPasswordNeverExpires, PermissionsUseTeamReassignWizards, PermissionsEditActivatedOrders, PermissionsInstallPackaging, PermissionsPublishPackaging, PermissionsManagePartners, PermissionsChatterOwnGroups, PermissionsEditOppLineItemUnitPrice, PermissionsCreatePackaging, PermissionsBulkApiHardDelete, PermissionsInboundMigrationToolsUser, PermissionsSolutionImport, PermissionsManageCallCenters, PermissionsManageSynonyms, PermissionsOutboundMigrationToolsUser, PermissionsDelegatedPortalUserAdmin, PermissionsViewContent, PermissionsManageEmailClientConfig, PermissionsEnableNotifications, PermissionsManageDataIntegrations, PermissionsViewDataCategories, PermissionsManageDataCategories, PermissionsAuthorApex, PermissionsManageMobile, PermissionsApiEnabled, PermissionsManageCustomReportTypes, PermissionsManagePartnerNetConn, PermissionsEditCaseComments, PermissionsTransferAnyCase, PermissionsContentAdministrator, PermissionsCreateWorkspaces, PermissionsManageContentPermissions, PermissionsManageContentProperties, PermissionsManageContentTypes, PermissionsScheduleJob, PermissionsManageExchangeConfig, PermissionsManageAnalyticSnapshots, PermissionsScheduleReports, PermissionsManageBusinessHourHolidays, PermissionsManageDynamicDashboards, PermissionsManageInteraction, PermissionsViewMyTeamsDashboards, PermissionsModerateChatter, PermissionsResetPasswords, PermissionsFlowUFLRequired, PermissionsCanInsertFeedSystemFields, PermissionsActivitiesAccess, PermissionsManageKnowledgeImportExport, PermissionsEmailTemplateManagement, PermissionsEmailAdministration, PermissionsManageChatterMessages, PermissionsForceTwoFactor, PermissionsViewEventLogFiles, PermissionsManageNetworks, PermissionsViewCaseInteraction, PermissionsManageAuthProviders, PermissionsRunFlow, PermissionsViewGlobalHeader, PermissionsManageQuotas, PermissionsCreateCustomizeDashboards, PermissionsCreateDashboardFolders, PermissionsViewPublicDashboards, PermissionsManageDashbdsInPubFolders, PermissionsCreateCustomizeReports, PermissionsCreateReportFolders, PermissionsViewPublicReports, PermissionsManageReportsInPubFolders, PermissionsEditMyDashboards, PermissionsEditMyReports, PermissionsViewAllUsers, PermissionsAllowUniversalSearch, PermissionsConnectOrgToEnvironmentHub, PermissionsCreateCustomizeFilters, PermissionsContentHubUser, PermissionsModerateNetworkFeeds,
512
Gutenberg (PG-19)
voice that the greatest genius of his time was lost to it." In Boston he entered into an arrangement with the predecessors of the publishers of this volume, and his contributions appeared in their periodicals and were gathered into volumes. The arrangement in one form or another continued to the time of his death, and has for witness a stately array of comely volumes; but the prose has far outstripped the poetry. There are few writers of Mr. Harte's prodigality of nature who have used with so much fine reserve their faculty for melodious verse, and the present volume contains the entire body of his poetical work, growing by minute accretions during thirty odd years. In 1878 he was appointed United States Consul at Crefeld, Germany, and after that date he resided, with little interruption, on the Continent or in England. He was transferred to Glasgow in March, 1880, and remained there until July, 1885. During the rest of his life he made his home in London. His foreign residence is disclosed in a number of prose sketches and tales and in one or two poems; but life abroad never dimmed the vividness of the impressions made on him by the experience of his early manhood when he partook of the elixir vitae of California, and the stories which from year to year flowed from an apparently inexhaustible fountain glittered with the gold washed down from the mountain <DW72>s of that country which through his imagination he had made so peculiarly his own. Mr. Harte died suddenly at Camberley, England, May 6, 1902. CONTENTS I. NATIONAL. JOHN BURNS OF GETTYSBURG "HOW ARE YOU, SANITARY?" BATTLE BUNNY THE REVEILLE OUR PRIVILEGE RELIEVING GUARD THE GODDESS ON A PEN OF THOMAS STARR KING A SECOND REVIEW OF THE GRAND ARMY THE COPPERHEAD A SANITARY MESSAGE THE OLD MAJOR EXPLAINS CALIFORNIA'S GREETING TO SEWARD THE AGED STRANGER THE IDYL OP BATTLE HOLLOW CALDWELL OF SPRINGFIELD POEM, DELIVERED ON THE FOURTEENTH ANNIVERSARY OF CALIFORNIA'S ADMISSION INTO THE UNION MISS BLANCHE SAYS AN ARCTIC VISION ST. THOMAS OFF SCARBOROUGH CADET GREY II. SPANISH IDYLS AND LEGENDS. THE MIRACLE OF PADRE JUNIPERO THE WONDERFUL SPRING OF SAN JOAQUIN THE ANGELUS CONCEPCION DE ARGUELLO "FOR THE KING" RAMON DON DIEGO OF THE SOUTH AT THE HACIENDA FRIAR PEDRO'S RIDE IN THE MISSION GARDEN THE LOST GALLEON III. IN DIALECT. "JIM" CHIQUITA DOW'S FLAT IN THE TUNNEL "CICELY" PENELOPE PLAIN LANGUAGE FROM TRUTHFUL JAMES THE SOCIETY UPON THE STANISLAUS LUKE "THE BABES IN THE WOODS" THE LATEST CHINESE OUTRAGE TRUTHFUL JAMES TO THE EDITOR AN IDYL OF THE ROAD THOMPSON OF ANGELS THE HAWK'S NEST HER LETTER HIS ANSWER TO "HER LETTER" "THE RETURN OF BELISARIUS" FURTHER LANGUAGE FROM TRUTHFUL JAMES AFTER THE ACCIDENT THE GHOST THAT JIM SAW "SEVENTY-NINE" THE STAGE-DRIVER'S STORY A QUESTION OF PRIVILEGE THE THOUGHT-READER OF ANGELS THE SPELLING BEE AT ANGELS ARTEMIS IN SIERRA JACK OF THE TULES IV. MISCELLANEOUS. A GREYPORT LEGEND A NEWPORT ROMANCE SAN FRANCISCO THE MOUNTAIN HEART'S-EASE GRIZZLY MADRONO COYOTE TO A SEA-BIRD WHAT THE CHIMNEY SANG DICKENS IN CAMP TWENTY
512
reddit
PT? Sim, com certeza. Mas é uma situação complexa, difícil de se lidar, ainda mais quando se olha para o nosso Legislativo, que reflete nossa cultura política. Corrupção enraizada, extremamente paternalista, sem um projeto nacional claro. O PT tentou um projeto e foi sabotado, tanto externamente quanto internamente. Agora, a culpa, e eu já botei isso em outras postagens aqui no r/brasil, não é exclusiva do PT. Falar que é exclusividade deste ou daquele partido é ignorar o que tem sido divulgado sobre nossa política, e sobre o que rola nos bastidores. Por fim, fazer obras no exterior é mais interessante do que manter mísseis ou tropas no exterior. Os EUA investem [uma quantia considerável de seu PIB](http://www.businessinsider.com/only-us-and-estonia-meeting-nato-budget-goal-2015-2) pra manter a OTAN na Europa. Indústria bélica é boa? Economicamente, sim. Para os povos? Não. Quer uma situação geopolítica fracassada de fato? Veja a situação do Oriente Médio, 100 anos após o acordo de Sykes-Picot, e após constante interferência europeia e americana. \[Edit: correções de formatação\] As an ADC what dyou do when you supportive just isn't very supportive? I've run into the problem of some supports trying to take cs, not warding, enaging the enemy when we both have low health, and I'm sure everyone has experienced the same. What can you do as an adc to keep pace with the enemy and become viable in the late game? Similarly what can you do as a support when you encounter a horrible ADC? Thanks You are right insofar as the implications of plurality extend. Apart from that, they do in the context in which it is being used. I think there is no ice cream in the freezer -vs- I do not think there is ice cream in the freezer No ice cream for me! :( Thank you for your answer, it is very helpful! :) For me my partners have always been people I share the most. I think of my current partner as my best friend so it could be difficult if his partners would be very private. Ideal situation would be if we would also be friends. But I like idea that if he thinks they are good, then I should be ok with that, because I also trust him very much. Some people were just posting about if you have any pokemon with abilities like shuppets infiltrator or the new legendary birds soar they take a second or 2 to "power up" before you move so that might be why. I have noticed before a move takes place, even if I don't use shuppet at the top of the screen it says something like "shuppet activated infiltrator" then the turn happens Real pain. They look scary cool at first. Within a short time, they will eat every fish in the pond. Then they start looking for small out-of-water critters, including your cats and dogs. Do not feed by hand. It's illegal in many states. When you start doing that, they will become un-afraid of humans, then you have major problems. Call animal control ASAP. I would like to get a
512
ao3
to draw than the others, but she does her best to mimic his big blonde curls onto the page. But now Morgan is thinking about her other brother, Peter. Peter is the most important too, because he is always willing to play games with her, and he likes to run around with Morgan on his shoulders. Peter always tells her that he loves her, just so that she won’t forget it. So Morgan draws a picture of Peter, he is smiling really wide in the picture. Now Morgan has five whole pictures, and she can feel the frustration inside of her, because her teacher asked for just one important person. But how can Morgan choose only one? Ever member of her family is the most important in their own way. And she feels the tears of frustration starting to build, because she doesn’t want to fail her first ever homework, but she can’t figure out how to do it. She has too many important people. “Hey honey.” Daddy’s voice comes from her doorway. “Why are you crying sweetie?” Morgan had so many emotions that were all too much that she ran to her daddy and wrapped her arms around her legs. Daddy picked her up and hugged her tightly, soothing her and petting her hair. And Morgan cried harder. Finally Morgan’s tears resided and Daddy down at her with big eyes. “Why are you sad?” He asked Morgan. “I have too many!” Morgan replied frustrated. “Too many what?” “Too many important people. I’m supposed to have one. But I have five.” Morgan replied, she was yelling now, just a little and her daddy didn’t seem to understand. “Mrs. White gave us homework.” Morgan explained with a sigh, “She wanted us to draw the most important person. But I wanted to draw my whole family, because you are all the most important.” Now Daddy was smiling, and Morgan was a little upset about that, because he should be just as angry. She was having a really huge problem. The huge-est problem in the whole entire world. And he was smiling. “I have an idea.” Daddy said, putting her down on the floor. Morgan and her Daddy worked until it was time for dinner, and she really liked the end result. “Can I bring it to dinner to show Mommy?” Morgan asked excited. “Yeah kiddo.” Daddy replied, ruffling her hair, “I think Mommy will love it.” So that night over dinner Morgan showed everyone her homework assignment. “The most important person in my life is my family, all of them.” Morgan declared showing off the picture the she and Daddy made together. It was her entire family standing next to each other, all of them smiling (except Nebula) and all of them together. And Morgan didn’t quite understand why Nebula had tears in her eyes, or why her Mommy gave her extra goodnight kisses that night. What she did know was that as soon as she got her homework back Daddy put it up on the fridge so that everyone could see it. **Notes
512
StackExchange
client side, and ASP.NET Core for the backend. I have seen various ways of implementing this type of project but I have not come across a definitive answer. Specifically, if I have a seperate Angular 2 application, should I create an API for user login/registration that is also a tokenizer and then create a seperate business logic API? Or should I combine the two and have one, do-it-all, API for the web app? Thank you! A: You can use either ASP.Net Identity or OpenID authentication, or both. If you want more control over Authentication and Authorization, you want to use ASP.Net Identity. However, it is not uncommon to see both authentication methods in a lot of website these days. Valerio De Sanctis explains both authentication methods in his ASP.NET Core and Angular 2 book. I highly recommend you to use read this book if you plan to implement authentication in ASP.NET Core and Angular 2. Here is my review on this book at Amazon. Q: Is there any opportunity to stop chown on first error? When I use recursive chown I'd like to stop it on first error. $ chown -R /tmp/cache someuser chown: changing ownership of `/tmp/cache/1/thumbnail/100x/9df78eab33525d08d6e5fb8d27136e95/h/d': Operation not permitted chown: changing ownership of `/tmp/cache/1/thumbnail/100x/9df78eab33525d08d6e5fb8d27136e95/h': Operation not permitted chown: changing ownership of `/tmp/cache/1/thumbnail/100x/9df78eab33525d08d6e5fb8d27136e95': Operation not permitted chown: changing ownership of `/tmp/cache/1/thumbnail/100x': Operation not permitted chown: changing ownership of `/tmp/cache/1/thumbnail': Operation not permitted chown: changing ownership of `/tmp/cache/1': Operation not permitted chown: changing ownership of `/tmp/cache': Operation not permitted I.e. I should get only first error and status code "1" of echo $?. Is it possible? A: No. The only way to detect such an error would be to watch the standard error, but by the time you could detect and react to an error, chown will have continued on its way. If you need to take action after any error, you'll need to run chown separately on each file, taking action if there is an error. # Assuming bash 4 for simplicity; handling the recursive directory walk # without ** is left as an exercise for the reader. shopt -s globstar for f in /tmp/cache/**/*; do chown "$f" someuser || break done (It's entirely possible that someone could implement chown with an option to stop after the first error, but such an option doesn't exist in either the POSIX specification or in GNU chown.) Q: Is there a way to add a counter to mongodb query? I would like to add a counter to the documents that match my query. E.g., 1st document has counter = 1, 2nd document has counter = 2, and so on. Here's a snippet of the data: "_id": ObjectId("5d1b9aea5c1dd54e8c773f42") "timestamp": [ "systemTimestamp": 2019-07-02T17:56:53.765+00:00 "serverTimestamp": 0001-01-01T00:00:00.000+00:00 "systemTimeZone": "System.CurrentSystemTimeZone" ] "urlData": [0]: "fullUrl":"https://imgur.com/gallery/EfaQnPY" "UID":"00000-W3W6C42GWTRE960" "safety": "safe" My query (this is copied from the Compass UI): $match: { $and: [{"UID": "00000-WVUCW3JW7OTHDVE"}, {"timestamp.serverTimestamp": { $gte:ISODate("2019-08-01T00:00"), $lte:ISODate("2019-09-30T00:00") }}] } $unwind: { path: "$urlData", includeArrayIndex: 'index' } $match: { "index": 0 } $project: { _id: 0, date: { $dateToString: { format: "%Y-%m-%d", date: "$timestamp.serverTimestamp"}}, safety: "$safety", url: "$urlData.fullUrl", UID: "$UID" } Is
512
ao3
"I found it months ago, Derek. Were you going to ask when the moon turned green and the planets re-aligned?" "Shut up," Derek whines into Stiles' neck. He brings his arms around Stiles and drags him into a hug. "It's been in that drawer for months," Stiles points out laughing, which, okay. That is a good, solid point. "You weren't supposed to find it," Derek points out in turn. "Dude," he says, "We share everything, including underwear, so you cannot possibly think the underwear drawer was a good hiding spot for an engagement ring." Derek lets a little silence build between them while he figures out how to best phrase the words _I hid it with the Christmas decorations for a few months before I moved it_ and also _and before that it was in my office drawer at work_ and apparently Stiles thinks the silence is telling or something, because his dumb ass asks, with this suspicious tone in his voice, "How long have you had it?" They have a No Lying Policy in their relationship, but technically he isn't lying if he doesn't say anything, right? "Derek?" Stiles asks softly, bringing a hand up to curl around the back of Derek's burning red neck. And Derek, with his face still buried in Stiles' neck, admits: "Since last summer." And he still remembers how nervous he was when he walked into that jewelry store, at the idea that Stiles could say _no_ and even more terrified of him saying _yes_. It was late July and Maggie, the elderly sales attendant, had spent hours helping Derek pick out the perfect ring, going section by section until Derek had finally spotted them out of the corner of his eye: a pair of platinum rings with a delicate sliver of white gold through the middle. They were simple. Relatively inexpensive. Yachi Hitoka has worried about a lot of things. Yachi Hitoka has worried about a lot of things since her first introduction to Karasuno High School’s volleyball team. She was worried about whether she was good enough to talk to the ever-amazing Shimizu Kiyoko. The third year is beautiful and perfect, and can do everything with a grace and efficiency that Hitoka can only envy. (She still worries about whether she’s good enough, but Shimizu helps with that, loosening her up, making her feel at ease. The third year is kind, and patient, and seems confident that Hitoka will be the same when she’s a third year, that she will be more than just a Villager B. Hitoka is starting to feel like that’s an actual possibility, too.) She was worried about whether she was fit for the position of manager of the volleyball club, especially since she knew nothing about the sport (or any sport in general!). Everyone else in the club is so enthusiastic about it, even Tsukishima, who pretends he doesn’t care for anything. (She still worries about whether she’s fit for the position of manager, but she’s learning, and even if she doesn’t know anything about the sport, she can
512
reddit
uhhmm ingonyama Ingonyama Siyo Nqoba [We're going to conquer] Ingonyama Ingonyama nengw' enamabala [A lion and a leopard come to this open place] I don't think you have any real issues going on here, as I think it's fairly common for these type of things to occur during adolescence. I myself used to have a friend of the same gender[f] that we would fool around a little bit together at a very young age. But, I also do think it would be wise to talk to a professional in your case, they can help you out a lot more than us people here on the internet can. I haven't seen the 2015 MAP scores but there was an article a couple weeks back in the StlToday mentioning Webster as one of the top performing districts in the area. Splitting hairs here, but I'd be willing to bet there are only a handful of schools that consistently perform better. Well, in that case I can write you the ones I can't imagine living without. The first one is certainly HERE maps. Its amazing to have free offline maps with so many details about any place with me if I am in lets say another country, or just in a part of town that I am bit absolutely familiar with. The other one would be cinemagraph. I love it. I have a lot of fun with my friends when we use it. If you don't know it, it's a sort of an app, that creates gifs, but not ordinary ones. It in some way makes the surroundings still and animates only the objects you want, which is funny. Another one would be the weather channel. I am sure there is one also for all WP devices, but there is one specifically for lumias. Btw, you have a whole section in marketplace called Nokia apps, which is also another neat function. I am sure there are more that some people find extremely useful, and I also use some of them daily, but I ak quite sure that if I could make an extensive 4 months research about the OS and my phone itself without posting any software-wise question, I am sure anyone else can do the same. Don't tell me that it's uncharacteristic of her to go for revenge, show me what qualities she has (other than being a young woman) and contrast that against her revenge. Also, more active verbs. Something like: "A careful and soft-spoken young woman seeks revenge on her ex after learning the truth of his untimely leave." TIL! I assumed the love for glitter to be a cultural thing because I see it so often (eyes, lips AND cheeks!) but it seems like it may just be a happy coincidence. I stand corrected! &amp;nbsp; And I definitely see a lot of gold as you mentioned, plus other bright jewel tones! Well, I disagree and here is why: whilst your point is generally valid (invest the maximum amount of money on the GPU without gimping out too much on the rest) is the best
512
ao3
group a smile, trying not to look as uncomfortable as she felt. She tried to look at Mike’s expression out of her peripheral vision, and could tell that he wasn’t smiling, but didn’t look mad either. Actually, she was having trouble reading the look on his face. The journalist to her left took a swig of his beer glass and asked “What do you think of Mike’s western-rock influence? I always thought ‘The Girl I Knew Somewhere’ should’ve been an A-side, but he’s always harping on how he can’t write pop tracks.” Oblivious **Author's Note:** * For LINK. Apparently the Amagi Challenge wasn't going to be any easier for Chie than it was for anyone else. It was hard to hint at your interest in your best friend when you'd known each other so long that every conceivable romantic gesture came off as a normal extension of your friendship, even laying aside Yukiko's natural romance-blinders. She'd tried sharing her lunch, paying for meals at Aiya's, inviting Yukiko out to walk along the Samegawa, giving her gifts (mostly of her own misshapen handiwork), renting kung fu movies to watch together with heroes and heroines that especially reminded her of herself and Yukiko… nothing worked. With graduation approaching, she was starting to get a little desperate. And so, with the greatest reluctance, she resorted to begging for advice. Rise chewed on her straw contemplatively. "Did Yosuke-senpai put you up to this?" Chie blanched. "What? No!" she started to shout, but reined in her voice when other customers turned to stare. "Sheesh, what would give you that idea?" They were sitting in the Junes food court on a sunny Saturday afternoon. Junes had continued to function as something of a default meet-up spot for the former members of the Investigation Team, and Chie had frankly blanked on another appropriate place to meet with Rise. They weren't exactly close -- well, all the team members were close in a way; they'd gone through some pretty incredible things together, and that binds people. But Chie and Rise didn't really _hang out_. Chie just couldn't think of anyone else to ask. Yosuke was an immediate and definite no; Teddie was an _especially_ immediate and definite no; Souji was out of town; Kanji would be too awkward to be helpful; and Naoto, while good at giving advice, was probably pretty lacking in practical experience in this situation. So that left Rise. "I don't know, he always seemed like the kind of guy who has trouble getting girls to notice him. So was it Kanji-kun? He'd be too embarrassed to ask for direct advice, but it'd be kind of weird for him to ask you to ask for him…" "No, Rise-" "Well it's not Naoto-kun. I really hope it's not Teddie-" "Rise!" Rise stopped and looked at her expectantly. Chie felt her cheeks turning pink. "I mean, I'm the one here asking you, right? So it's me, I'm the one who wants to know." She laughed a little nervously. "Sheesh, I didn't think I'd have to explain that part…" Whatever
512
ao3
the stairs. He was fuming, as every inch of his body trembled. Though he wasn’t sure why it did. Was it anger? Pain? Fear? „What? Oh, so now you tell me to get out, when I forced you to face the fucking problem?” Kekoa stepped closer to him, his already intimidating posture seemingly getting bigger. “You’re a coward Johnny. I told you, I know how you feel, I _want_ to help you, and all you do is deny that you need that help!” “Great! Then give up finally, and leave me fucking be! What do you know about loss anyway?” Johnny turned around to face his friend, or at least tried to, drunken mist clouding his mind. He took a step back and bumped against the table. That was a mistake. Kekoa lunged forward, towering over Gat, and pinned his wrists to the table in a bruising grip. “What do I know? What do I fucking know?!” He punctuated every phrase by shaking Johnny around. "I watched my sister get stabbed to death by our own stepfather.” _His eyes were filled with pure hatred._ “I watched my mother get shot and tossed off a cliff onto the fucking rocks.” _His muscles strained out of anger._ “I retrieved their bodies myself and burned them on the beach, because I couldn’t afford a funeral.” _His heart raced to keep up with the pain._ “Then I tried to hunt the bastard down and tear him limb from goddamn limb, but you know what? I couldn’t find him!” He started shaking, his hold on Johnny’s hands loosening, shoulders lowering with each breath. “I… I couldn’t find him. He was gone. Just- gone. Nobody saw him, nobody heard of him. Not even the Saints.” Koa let stunned Johnny go. He felt his chin tremble when unwanted tears threatened to fall. “So don’t tell me I don’t know about loss, Johnny. Because I do know. Maybe even more than you…” Johnny looked into the sad, grey eyes slightly above him. Some things suddenly made sense to him. “That’s why you didn’t talk. You just didn’t care.” Kekoa nodded slowly. “I didn’t care, I didn’t want to. I thought that maybe in a while he’d turn up somewhere, and tried not to blow my cover, but… Well, he didn’t.” He stepped away, to let Johnny stand up properly. “Then I was in a coma, then I had to pull the Saints out of all this shit, and now… Now I have you to take care of, just like you took care of me when I was at my lowest.” It’s been a while since Johnny heard such sincerity, since someone treated him less like an icon, and more like a human being. Aside from Aisha that is. His beloved Aisha, who was… Was… “She’s… She’s gone, boss.” His voice, so loud and confident minutes ago, was barely a broken whisper now. “I know Johnny,” Kekoa put a hand on his neck, raising his chin with his thumb. “And I know it’s not much, but I can stay with you
512
gmane
can understand this error: the merge tried to add the directory as expected but it was already there. My desired resolution is to keep the 'config' directory and just add the file from branch A. That is, 'config' would contain both foo.java and bar.java. The only way to achieve this I found was to delete 'config' (with no commit), do the merge, and then revert the deletion of bar.java. It worked, but it seems weird to do a delete just to revert it. Do you know any better way of doing it? It took me a while to figure out the solution, with lots of fruitless Googling. Thanks in advance, David Hi, The Python gid plugin is capable of providing token completion based on the ID file. That's useful because the ID file will typically contain token from across a codebase. However, ID files can take a while to build (~30 minutes for me), so it can be considered a relatively static global view. OTOH, Kate's built in completion uses the content of the current document (documents?), and so for the checked-out files I am editing, it offers access to any new symbols. Is there a way I can access the internal model to combine the data sets? Thanks, Shaheed If you're in a hurry, skip to the last two paragraphs. Otherwise: I think I'm coming to the realization that I can't please everyone. Especially windows users. I'm not a windows user, and windows itself is almost physically painful for me to use, so when people report issues with Capistrano or Net::SSH on windows, it takes a lot of motivation for me to get in and investigate. Now, I never intentionally do things that break windows, and when I can (e.g., when it is something within my limited domain of windows knowledge) I do try to accommodate windows users. However, I can no longer accommodate any windows-specific bug reports or feature requests that come without patches, and even when they come with patches, I'm slow to act because I don't have a good way to test the patch on windows to ensure that there aren't any regressions. So. I'm looking for one or more windows users who would be willing to (1) implement fixes to windows-specific bug reports in Capistrano, Net::SSH, Net::SFTP, and so forth, and (2) screen and review patches that come in for windows-specific issues. Any takers? Email me off-list, thanks! - Jamis Hi all, only a small question, when I'm on Windows (not MDK) I still use old but bold Windows 98 SE. I deleted my version of Corel SVG Viewer only to find out that latest ver. 2.1 works only on NT+SP/2000/XM but not '98. I cannot find these older versions on the web, so please, could someone inform me hether it is possible to run 2.1 in any way on Win98 or tell me where get elder versions, because Corel distrubute only latest version now. Ver. 1 surely worked on W98, about v2.0 I'm not sure. Thanx, Marek Raida PySide needs work, particularly since Qt4 is aging and it
512
Pile-CC
it run without interruption, and only comment after. To say it straight, this article is a bit bullshitic and sardonistic, while being patronising, because we all should know the USA is the angel in the schoolyard, and don't you forget it: Senator Marco Rubio calls him a “gangster” akin to Don Corleone in the epic film The Godfather. Senator John McCain refers to him as “an evil man…intent on evil deeds.” Hillary Clinton blasts him as “world-class misogynist” who takes joy in making women feel uncomfortable. Even Michael McFaul, a diplomat who’s supposed to be cautious with his words, thunders about this man’s constant paranoia and all-consuming suspicion of the United States. The individual in question, of course, is Russian President Vladimir Putin—a guy who supposedly spends every waking moment as though the notorious KGB were still the power behind the throne in the Kremlin. And for the millions of Russians who are living in economic destitution, for Europeans increasingly alarmed by Moscow’s aggressive maneuvers along NATO’s eastern frontier, for Americans who learned early last year that Putin directed an operation to interfere in their presidential election, there is a lot that is disturbing about that picture. If there’s a foreign policy issue that unites Republicans and Democrats in Washington, it is Putin’s Russia. Every word out of his mouth is analyzed by the U.S. intelligence community for clues about his state of mind. Putin was a household name in the United States even before he authorized a quasi-invasion of his Ukrainian neighbor, bailed out Syria’s Bashar al-Assad from almost certain death, likely ordered or at least condoned the assassination of over a dozen Russian dissidents in the United Kingdom, and unleashed an army of trolls, English-language fake news sites, and falsified social media accounts to divide the American electorate. In 1999, when Boris Yeltsin handed power to his younger lieutenant from St. Petersburg, Putin was at best an unknown commodity. Nineteen years later, he is practically embedded in the American psyche as a double-crosser, a trickster, a liar, an aggressor, a war criminal, and a despot. "Senator Marco Rubio calls him a “gangster” akin to Don Corleone in the epic film The Godfather. Senator John McCain refers to him as “an evil man…intent on evil deeds.” Hillary Clinton blasts him as “world-class misogynist” who takes joy in making women feel uncomfortable. Even Michael McFaul, a diplomat who’s supposed to be cautious with his words, thunders about this man’s constant paranoia and all-consuming suspicion of the United States." ARE THEY TALKING ABOUT DONALD TRUMP? EACH OF THESE CHARACTERS, FROM RUBIO TO HILLARY HAVE SAID THE SAME THING ABOUT DONALD TRUMP... The individual in question, of course, is Russian President Vladimir Putin—a guy who supposedly spends every waking moment as though the notorious KGB were still the power behind the throne in the Kremlin. And for the millions of Russians who are living in economic destitution, for Europeans increasingly alarmed by Moscow’s aggressive maneuvers along NATO’s eastern frontier, for Americans who learned early last year that Putin directed an operation to interfere in
512
reddit
this game makes so much efforts for "people [who] aren’t just about hardcore battles" as Yoshi-P says in the interview. On top of bringing content for raiders when they're tired of raiding, it also brings a lot of "non-fighting" players into the game. And that's to me a huge part of why the community is much more friendly and the game has a much better social layer than other (massive) online games. Sure, I enjoy killing primals and beating savage turns, but being able to chill with other chill people in fun activities is super nice too. It's a software that can transform anything to a motion game controller. So you can use cardboard wheels to play racing games, toy swords for action games and I even saw in a video that somebody used plastic tapes on their fingers to play solitaire like how the cards are held in real life. I didn't say Democrats can't be racist. Terrible source by the way. I said that the slave was whipped by modern day Republicans. Both parties have different kinds of racists and many more tend to be Republican. Especially Southerners who tend to be Republican in the line of Southern Democrats. The truth is that both parties are neoliberal and divide voters over social issues. Both sides become entrenched and don't realize that both parties sold the country to the corporate interests. Don't be so blind to think it is all Democrat vs Republican. They are both terrible. From my understanding, Parental Advisory warnings are not something that are "awarded" by some sort of governing committee, they are absolutely self-administered by the artist or their label. It's an entirely optional thing. In this case, probably a good move to not label it as such as it could affect album sales. Then again, the album is not really explicit. A word here and there definitely doesn't need the label. Considering that coffeeeeeeewoo's link about these text messages came from XDA, I'd guess that affected users are rooted and either running custom ROMs or have removed a relevant Sprint app. Is that the case with you? I'm not confident about that, because using SMS as a control channel is a poor choice for most use cases - I'd really hope Sprint makes better choices than that. Father in law invited himself over for the day. He has been here since 6 am and will be here for several more hours. He hasn't spoken a single word to me, he only talks directly to my husband. I've been sitting by myself assembling IKEA furniture all day. Sucks. You would never abuse a cat or a CHILD now? Have you ever abused a child? And I know that this is a very strange question, after all of that, but why do you think you love dogs and not cats? Do you think it might be something to do with dogs seeming to seek the affection of people, while cats seem to want people to seek their affection and hold the cat's interest? What do you paint? You seem interesting. No.
512
StackExchange
not load NIB in bundle ImageViewCell I'm getting this error while running simulator. The project was not created on this environment, not sure I'm missing a configuration setting. Error 2012-08-08 19:30:56.411 ACME[4068:f803] mItemArray.count: 2 2012-08-08 19:30:56.413 ACME[4068:f803] * Terminating app due to uncaught exception 'NSInternalInconsistencyException', reason: 'Could not load NIB in bundle: 'NSBundle (loaded)' with name 'ImageViewCell'' if(cell == nil) { NSArray *array = [[NSBundle mainBundle] loadNibNamed:@"ImageViewCell" owner:self options:nil]; cell = [array objectAtIndex:0]; } A: You have not set the "files owner" in the NIB file to the owner you are setting in code. The NIB loader will fail like this when it cant link the objects in the NIB to the right root owner. Q: How do I find a Canadian address that appears to go missing between Censuses? I'm looking for a record for 426 Clinton Street, Toronto in the 1921 Census. In the 1911 Census this was Toronto West, Ward 5, Sub-District 65. The 400 block is north of Bloor Street, but only south is included in the Toronto West listing. Ward 5, Sub-District 65 is also in Toronto North but doesn't include Clinton Street. How might I track this address down in the 1921 census? A: Finding streets in the Canada 1921 Census (especially for Toronto) has been discussed in an earlier question. As I wasn't able to find a street index, I compilied a partial one from the descriptions Ancestry supplied for some subdistricts. It doesn't include streets where the subdistrict contains more than one polling subdivision, which is especially common in Toronto North. Still, it's better than nothing. As mentioned in my answer to my question there, this partial index is available on Github. Improvements and corrections welcome! It contains the following entries for Clinton St: Clinton St. both sides, from Mansfield avenue to College Street: Sub-District 41 - Ward 5 : Toronto West Clinton Street, both sides, from College to Harbord Street: Sub-District 57 - Ward 5 : Toronto West Clinton Street, east side, from Harbord to Bloor Street: Sub-District 58 - Ward 5 : Toronto West Clinton Street, west side, from Harbord to Bloor Street.: Sub-District 65 - Ward 5 : Toronto West Again, there may be other sections of the street that it does not list, because they are not described in the Ancestry descriptions. Q: What's the difference between the IN and MEMBER OF JPQL operators? What's the difference between the IN and MEMBER OF JPQL operators? A: IN tests is value of single valued path expression (persistent attribute of your entity) in values you provided to query (or fetched via subquery). MEMBER OF tests is value you provided to query (or defined with expression) member of values in some collection in your entity. Lets's use following example entity: @Entity public class EntityA { private @Id Integer id; private Integer someValue; @ElementCollection List<Integer> listOfValues; public EntityA() { } public EntityA(Integer id, Integer someValue, List<Integer> listOfValues) { this.id = id; this.someValue = someValue; this.listOfValues = listOfValues; } } And following test data: EntityA a1 = new EntityA(1, 1, Arrays.asList(4, 5, 6)); EntityA a2
512
reddit
never want to lose her again. [Razor Keyboard] or [Fallout 4] I would like to receive a prize as I am as of this message being sent, mid accession, and am in the middle of constructing my first gaming pc. This will be my first attempt at anything like this and has been a goal for god knows how many years. Sadly as I am sum what hamstrung for cash ( as per I am planning on using a monitor from 10 - 12 years ago and a key board from around the same time) and am desperately trying to figure out how I'm gonna get a cheaper Psu and OS with my remaining funds, as well as any peripherals. PCMR has been a huge driving force for me to finally make the move to building my own Pc as not only has it helped me become more knowledgeable about different parts and brands ( I understand what the different parts do but I didn't have a hope in hell of figuring out what parts would be considered good and what would be able to have a bit of longevity to them) but also helped me to find cheap and good parts which maid this goal much more achievable. Sorry I feel like I've rambled As much as I want Robert to be healthy, anyone who truly believes Robert will be 100% come the regular season is high. RG3 needs to come back when he is actually HEALTHY and I hope fans and media go into this next season with the thought that he will not be there to begin with. so i figured out the tuner--i didn't have the antenna plugged in. that fixed it pretty quick. The volume thing stopped. I think what was happening was that the volume setting on my apple device took over, so if the apple device was at 100% the receiver went up to 100%. I also was able to set a volume limit in case any guests do that on accident. I still can't figure out why I can't actually turn it off though. That would be a nice one. But I'm not sure if I have extra Shroomishes, I'll have to check when I'm home. So if anything, don't reserve that Rotom, feel free to trade him if you get another offer. When I'm home I'll tell you if I still have it, sorry for the trouble! Yeah it's different for different areas. Generally, the ME will have transport bring in the body. Where I work, the actual ME only goes to a scene when it's a big case(we recently had a double homicide followed by a spree shooting where the ME showed up on a number of scenes). Otherwise, investigators or transport will do the job. As far as my proof... I don't know what to tell you. I haven't been on Reddit long, and only made my first post a few hours ago, so I wasn't aware of the protocol. I don't feel comfortable getting too specific about my position, but I'll
512
s2orc
adding a specification of K* and a theory of replacement investment. Alternative econometric models of investment behavior differ in the determinants of K*, the characterization of the time structure of the investment process and the treatment of replacement investment. In the flexible accelerator model, K* is proportional to output, but in alternative models, K* depends on capacity utilization, internal funds, the cost of external finance and other variables. Jorgenson (1971) and others have formulated the neoclassical approach, which is a version of the flexible accelerator model. In this approach, the desired or optimal capital stock is proportional to output and the user cost of capital (which in turn depends on the price of capital goods, the real rate of interest, the rate of depreciation and the tax structure). In the "Q" theory of investment (which is also in the neoclassical framework) associated with Tobin (1969), the ratio of the market value of the existing capital stock to its replacement cost (the "Q" ratio) is the main force driving investment. Tobin argues that delivery lags and increasing marginal cost of investment are the reasons why Q would differ from unity. Another approach dubbed "neoliberal" (Galbis, 1979:423) emphasizes the importance of financial deepening and high interest rates in stimulating growth. The proponents of this approach are McKinnon (1973) and Shaw (1973). The core of their argument rests on the claim that developing countries suffer from financial repression (which is generally equated with controls on interest rates in a downward direction) and that if these countries were liberated from their repressive conditions, this would induce savings, investment and growth. Not only will liberalization increase savings and loanable funds, it will result in a more efficient allocation of these funds, both contributing to a higher economic growth. In the neoliberal view, investment is positively related to the real rate of interest in contrast with the neoclassical theory. The reason for this is that a rise in interest rates increases the volume of financial savings through financial intermediaries and thereby raises investible funds, a phenomenon that McKinnon (1973) calls the "conduit effect". Thus, while it may be true that demand for investment declines with the rise in the real rate of interest, realized investment actually increases because of the greater availability of funds. This conclusion applies only when the capital market is in disequilibrium with the demand for funds exceeding supply. More recent literature has introduced an element of uncertainty into investment theory due to irreversible investment (Pindyck, 1991). The argument is that since capital goods are often firmspecific and has a low resale value; disinvestment is more costly than positive investment. He argues that the net present value rule invest when the value of a unit of capital is at least as large as its cost must be modified when there is an irreversible investment because when an investment is made, the firm cannot disinvest should market conditions change adversely. This lost option value is an opportunity cost that must be included as part of the cost. Accordingly, "the value of the unit must exceed the
512
Gutenberg (PG-19)
1824, that the real author of the original work was that disreputable genius, Rudolph Erich Raspe, and that the German work was merely a free translation made by Buerger from the fifth edition of the English work. Buerger, he stated, was well aware of, but was too high-minded to disclose the real authorship. Taking Reinhard's solemn asseveration in conjunction with the ascertained facts of Raspe's career, his undoubted acquaintance with the Baron Munchausen of real life and the first appearance of the work in 1785, when Raspe was certainly in England, there seems to be little difficulty in accepting his authorship as a positive fact. There is no difficulty whatever, in crediting Raspe with a sufficient mastery of English idiom to have written the book without assistance, for as early as January 1780 (since which date Raspe had resided uninterruptedly in this country) Walpole wrote to his friend Mason that "Raspe writes English much above ill and speaks it as readily as French," and shortly afterwards he remarked that he wrote English "surprisingly well." In the next year, 1781, Raspe's absolute command of the two languages encouraged him to publish two moderately good prose-translations, one of Lessing's "Nathan the Wise," and the other of Zachariae's Mock-heroic, "Tabby in Elysium." The erratic character of the punctuation may be said, with perfect impartiality, to be the only distinguishing feature of the style of the original edition of "Munchausen." Curious as is this long history of literary misappropriation, the chequered career of the rightful author, Rudolph Erich Raspe, offers a chapter in biography which has quite as many points of singularity. Born in Hanover in 1737, Raspe studied at the Universities of Goettingen and Leipsic. He is stated also to have rendered some assistance to a young nobleman in sowing his wild oats, a sequel to his university course which may possibly help to explain his subsequent aberrations. The connection cannot have lasted long, as in 1762, having already obtained reputation as a student of natural history and antiquities, he obtained a post as one of the clerks in the University Library at Hanover. No later than the following year contributions written in elegant Latin are to be found attached to his name in the Leipsic _Nova Acta Eruditorum_. In 1764 he alluded gracefully to the connection between Hanover and England in a piece upon the birthday of Queen Charlotte, and having been promoted secretary of the University Library at Goettingen, the young savant commenced a translation of Leibniz's philosophical works which was issued in Latin and French after the original MSS. in the Royal Library at Hanover, with a preface by Raspe's old college friend Kaestner (Goettingen, Produced by StevenGibbs and the Online Distributed Proofreading Team at http://www.pgdp.net OLD NEW ZEALAND: BEING INCIDENTS OF NATIVE CUSTOMS AND CHARACTER IN THE OLD TIMES. By A PAKEHA MAORI. LONDON: SMITH, ELDER AND CO., 65, CORNHILL M.DCCC.LXIII. [_The right of Translation is reserved._] PREFACE. To the English reader, and to most of those who have arrived in New Zealand within the last thirty years, it may be
512
OpenSubtitles
from the moment she set foot in the door." "But who gets stuck with the children with no nanny in the house?" "Me, that's who!" "Her and her high and mighty ways!" "And that face of her that would stop a coal barge, it would." "Indeed, Mrs Brill!" "I wouldn't stay in this house another minute, not if you heaped me with all the jewels in Christendom." " No, no, Katie Nanna, don't go!" " Stand away from that door, my girl!" "But what am I going to tell the master about the children?" "It's no concern of mine." "Those little beasts have run away from me for the last time." "They must be somewhere." "Did you look around the zoo in the park?" "You know how Jane and Michael is." "Coo!" "You don't think the lion could've got at them, do ya?" "You know how fond they was of hangin' around the cage." "I've said my say, and that's all I'll say." "I've done with this house forever." "Well, hip, hip, hooray!" "And don't stumble on the way out, dearie." " Now, now, Katie Nanna!" " (woman singing)" "Mrs Banks!" "She's home!" "# Our daughters' daughters will adore us and we'll sing in grateful chorus" "# Well done, Sister Suffragette" "Good evening, Katie Nanna, Ellen." "We had the most glorious meeting!" "Mrs Whitbourne-Allen chained herself to the wheel of the prime minister's carriage." " You should've been there." " Mrs Banks, I would like a word with you." "And Mrs Ainslie, she was carried off to prison, singing and scattering pamphlets all the way!" "I'm glad you're home, madam." "I've always given the best that's in me..." "Oh, thank you, Katie Nanna." "I always knew you were one of us." "# We're clearly soldiers in petticoats" "# And dauntless crusaders for women's votes" "# Though we adore men individually" "# We agree that as a group they're rather stupid" " Mrs Banks..." " # Cast off the shackles of yesterday" "# Shoulder to shoulder into the fray" "# Our daughters' daughters will adore us" "# And they'll sing in grateful chorus" "# Well done, Sister Suffragette" "Be that as it may, I do not wish to offend, but I..." "# From Kensington to Billingsgate one hears the restless cries" "# From every corner of the land womankind arise" "# Political equality" " # And equal rights with men - (shrieks)" "# Take heart, for Mrs Pankhurst has been clapped in irons again" "# No more the meek and mild subservients we" "# We're fighting for our rights militantly" "# Never you fear" "If I may have a word, Mrs Banks." " # So cast off the shackles of yesterday" " Mrs Banks!" "# And shoulder to shoulder into the fray" "# Our daughters' daughters will adore us" "# And they'll sing in grateful chorus" " # Well done..." " Mrs Banks." " # Well done" " Mrs Banks." " # Well done, Sister Suf..." " Mrs Banks!" "What is it, Katie Nanna?" "Mrs Banks, I have something to say to you."
512
gmane
300K against the 12MB bundle from Techntrend! One thing I would ask to Hartmut. You said in a post that EEPROM firmware upgrade is possibile... could you tell me/us how to do it? Ciao, Gianci You've made little mistakes in your fixes to mount and mkswap: - one must check that endptr doesn't match the string pointer to convert otherwise empty string will be accepted as correct (eg *str == '\0', so if endptr == str, *endptr == '\0'). - when using strtoll(), overflow must be check against LLONG_MIN and LLONG_MAX. Please apply the following patches. Regards. Can I get someone to look at the post I made to the -CURRENT list yesterday with a random Integer Divide Exception I get when my Wireless card is active? I have a Panic Dump available. This is a -CURRENT installed Thursday night from 5.0-RELEASE media, same issue on 5.0-RELEASE. Updated sources from the 4.8-RC installed as a Dual-Boot, and the same EXACT hardware runs fine under 4.8-RC from thursday. I'm willing to make whatever I can available. LER Hi everybody, I have a Power Edge 1950 with a Perc 5/i controler with 3 SAS disks. For some reasons, I wan't to remove those disks from the RAID5 in order to have 3 separate Hard Disks in my Operating System. I can't succeed in it with the Perc BIOS, nor the OMSA v5. Is it possible to do this with Open Manage or MegaCLi ? And how can I do it ? Thank you for your answers, Hi, Maybe I will ask a stupid question but I did not found how to do it yet... I have 2 contexts in my Tomcat 4.1 ctxA and ctxB. My clients access them with full URLs: https://myserver.com/ctxA/page.jsp and https://myserver.com/ctxB/page.jsp Those contexts have different revisions of an application. I´d like to kill the ctxA making the clients access ctxB in a transparent way. I am trying to find a way of removing the webapp ctxA and configure the string "ctxA" as an alias to the context ctxB. Anyone could give me directions? Thank you very much. Alan Dear HTML editor(s), The problem I reported here in April [http://lists.w3.org/Archives/Public/www-html-editor/2006AprJun/0014.html], about event attributes (e.g. "onclick") missing in XHTML 1.1 XML Schema has been faced by other users as well, as reported in the following www-html thread: "Undefined types in XHTML Modularization Schemas" [http://lists.w3.org/Archives/Public/www-html/2006Jun/0029.html] Please someone working on XHTML modularization consider those error reports and the new correction suggestions. Cordially, Alexandre Hi, How can add an item to the Primary links Menu that will do a basic select query within drupal? ie Lets say I have a mysql database "database1" and a table "table1" with the following fields (name, address, email etc) How can I add a menu item to the Primary Links menu that will do a select * from table1 and then print it out in the right hand panel? Is this possible? Does it have to be the same database drupal uses or can I query a different db? Paul Have been tinkering with spooling... 1 server (perhaps 1.6
512
reddit
Nope. This is a real problem. I guess what happened was she showed up on a guy's night one Saturday. That's why they fought. I don't know if she was drunk before or after she got there, but one of the dudes had to call the cops on them. P.s. Gandalf said "fly", not "run". We have a lab at our university for projects such as this. And many of the students will leave they're burned mangled payloads in the lab so that they might display them. But its kinda turned into a space junkyard in here. Lots of sounding rocket payload prototypes and bits all over. I wish i had been able to keep the payload on this one. But the experience is what was really worth it OK, sure.... why would you expect that from the Christian community? If Billy Graham died and his daughters (if he has any, I dunno) and granddaughters came out and said he molested them, I'm sure the atheist community would focus on that part of his life waaaaaaaay more than any positive contributions he made to the world/his religious community. I'd like for you to point out the exact spot in either of my posts where I said that. That said, to be honest it would be a lot more funny if it weren't on almost every single post about black people with more than like 10 comments on this board. It's predictable. Flyer's hockey games at home. When I was around 7 my dad and I went to a game (forgot which one) and there were a couple assholes in front of us. They were throwing beer cups, cursing a lot and pretty much something a 7 year old shouldn't see. My dad asked them to calm down and stop cursing but the guy told my dad to fuck off. This caused my dad to fight them and he knocked one guy out before security took both of them away. They banned us and the other people but gave us free dunkin donut coupons. Never really expected Philly to enforce a punishment for fighting Fedora or openSUSE. You can tinker with either, Fedora gives you more vanilla and polished Gnome while openSUSE gives you extremly polished KDE or Gnome, with many others available. Also, they both seem to have great repos (I can guarantee for opensuse, there's everything on software.opensuse.org and it's 1 click installs, + you can build your package right on their site) And oh, they're both rpm based. I love to collect the pins and get unique themed ones but I only ever wear one at a time unless the situation calls for wearing a dress tie and then I wear my masonic themed tie clip. Im always looking for new pins from other brothers to add to my collection that I will eventually hand down to my son, I don’t use the Vitamin C all the time (sometimes it’s just too thick) but all the other products I use about everyday. I use face masks maybe once every other week (Aztec clay mask with apple
512
ao3
was good to see each other in person, for only the second time. Cauldron calls didn’t really capture the spontaneity and vim of a real-life conversation between Sisters. “We should probably go down to the Animation Chamber and check everything is ready,” said Morgan, still smiling from Gavia’s impression of Derek Hale eyebrows. “Yeah, it’s nearly half midnight, we should get going.” “Nearly- Gav, we were supposed to do the Animation at midnight!” The witches exchanged panicked glances. * The floor of the Animation Chamber was covered in blood. The corpse of an Author hung off its trolley, half-animated, jerking at random as sparks of magic flew from its neck to its dismembered head on the floor below. Another Author had exploded entirely. The third Author was mysteriously missing. (Morgan was later to find it, by following a rather nasty stench that had been growing for a couple of days, jammed into a ventilation shaft. She guessed it had crawled there in a bid for freedom during its few moments of life.) Minkuri (for the dmmd rare pair week) **Author's Note:** > If you don't like cisswaps, nsfw or trans things, please just turn away please. > Also it's kinda rushed, I'm sorry. > > So this is a Minkuri fanfic where Clear is a trans girl! NSFW and fluff, because minkuri needs more attention! «Mink-san...» Clear breathed out as her girlfriend moved a tanned hand over her pale body. She shivered under the warm touch of Mink’s hand as their eyes met in a lustful stare. Both of their bodies were bare, with the exception of their lingerie. Well, Clear’s bra was off though… “You look so beautiful,” the taller of the two murmured softly as her gaze scanned up and down on Clear, and the paler one felt a little bit unconfident, but decided not to say anything. It was Mink. She was safe. God, she was so lucky to have met Mink. Sure, they had their differences and some of them were complete opposites, but that is why they had been so attracted to each other: They were different in a healthy way. They complimented each other and god, they needed to be together. “You look very beautiful too,” Clear commented softly as her hands reached up to touch both sides of the brown-haired girl’s face. Mink let out a little sound that was probably very close to a tiny little laugh. It made Clear’s stomach get filled with butterflies. Every time Mink smiled, laughed or showed anything that was unnatural Clear would be so happy, as long as it wasn’t in a sad or angry way. No one else had seen Mink like that. Only Clear. It made her so happy. “You just can’t take compliments without complimenting me back, can you?” The taller one asked and almost sounding like she was humoured. Clear pouted childishly, a blush spread across her cheeks. “I-Is that so wrong? I like to compliment you too, Mink-san.” She moved her hands down to Mink’s neck, caressed it with loving touches before she
512
realnews
events, or you could limit it to ‘regular marathon and half-marathon runner’. You could note ‘2013: Ran my first City2Surf’," Graham says. “Don’t labour the point, but do summarise: ‘These sporting achievements demonstrate my ability to be disciplined, focused and outcomes oriented’.” If there’s too much sporting information in the resume, the employer might start wondering whether they’re hiring you for the Olympics or the job at hand. So don’t go into detail about your long hours of training for the Ironman, but do note that you finished an Ironman. “Keep it simple, to the point and put it at the end of a resume,” Graham says. And if you make it to interview stage, wait for the interviewer to ask you for more information about that magic moment on the finishing line of the Toongabbi 10km - even if it is a great story. How do you make your running achievements work for you? Months of growing grassroots pressure for immigrants’ rights and against proposed harsh repressive measures are beginning to open new avenues of struggle for a fair and humane approach to immigration reform. While Chicago’s March 10 outpouring of hundreds of thousands — the largest to date — moved the struggle to a higher level, it was preceded by many actions around the country, and more are planned for coming days. Meanwhile, matters are coming to a head in the Senate Judiciary Committee. The committee continued its work on March 15-16. Its starting point, Sen. Arlen Specter’s (R-Pa.) “chairman’s mark,” a legislative draft, greatly resembled the harshly repressive Sensenbrenner bill, HR 4437, in that it lacked an effective path to legalization and citizenship for the estimated 12 million undocumented immigrants now in the U.S. Specter’s draft also incorporated many of Sensenbrenner’s concepts to criminalize the undocumented and those who help them, while limiting due process for immigrants appealing government decisions about their cases. Specter’s proposal also includes an open-ended guest worker program lacking adequate labor protections. Committee Democrats are working to make the legislation less harsh. At press time, Sen. Dick Durbin (D-Ill.), who spoke at the Chicago rally, was fighting to eliminate “criminalization” language while Sen. Edward Kennedy (D-Mass.) got at least a few Republicans to consider a legalization-to-permanent-residency program. However, Sen. Bill Frist (R-Tenn.) on March 17 introduced a bill including all the repressive features of HR 4437 with no legalization path or guest worker program, but more permanent resident visas. Not to be outdone, Rep. Tom Tancredo (R-Colo.), head of the House Immigration Reform Caucus, issued a letter signed by 73 congresspersons supporting the Sensenbrenner-Frist approach but criticizing Frist for proposing more legal immigrants. The Judiciary Committee is scheduled to vote when Congress reconvenes March 27. Immigrant rights groups, the AFL-CIO, SEIU and other unions, the Conference of Catholic Bishops and others are urging continued demonstrations and lobbying to stop repressive measures and assure that whatever legislation is passed contains legalization with a clear path to citizenship. Hundreds of clergy will gather that day in Washington to pressure the Judiciary Committee, Frist and others. “What happens
512
StackExchange
= new ArrayList<YourModel>(); //add item in your list. DragSortListView listView = (DragSortListView) findViewById(R.id.lv_test); ReorderAlbumAdapter adapter = new ReorderAlbumAdapter(this, albumList); listView.setAdapter(adapter); listView.setDropListener(onDrop); listView.setRemoveListener(onRemove); private DragSortListView.DropListener onDrop = new DragSortListView.DropListener() { @Override public void drop(int from, int to) { if (from != to) { AlbumModel item = adapter.getItem(from); adapter.remove(item); adapter.insert(item, to); } } }; private DragSortListView.RemoveListener onRemove = new DragSortListView.RemoveListener() { @Override public void remove(int which) { adapter.remove(adapter.getItem(which)); } }; XML for listview is: <com.mobeta.android.dslv.DragSortListView android:id="@+id/lv_test" android:layout_width="match_parent" android:layout_height="match_parent" dslv:collapsed_height="2dp" dslv:drag_enabled="true" dslv:drag_handle_id="@drawable/ic_launcher" dslv:drag_scroll_start="0.33" dslv:drag_start_mode="onMove" dslv:float_alpha="0.6" dslv:max_drag_scroll_speed="0.5" dslv:remove_enabled="true" dslv:remove_mode="flingRemove" dslv:slide_shuffle_speed="0.3" dslv:sort_enabled="true" dslv:track_drag_sort="false" dslv:use_default_controller="true" /> You should use arrayadapter for your model. Hope it will help you. Q: PHP mysqli not adding column (ALTER TABLE) via a variable I'm trying to add a column to a table using following code. It is not letting me to insert column name via a variable ($document_type). $document_type=$_POST['document_type']; $category=$_POST['category']; $file_extension=$_POST['file_extension']; // Database Insert $sql_link = Connect_MySQLi_DB(); $stmt1 = $sql_link->prepare("INSERT INTO document_type (document_type,category,file_extension) VALUES (?,?,?)"); $stmt1->bind_param('sss',$document_type,$category,$file_extension); if($stmt1->execute()){ //Problem Here $sql_link->query("ALTER TABLE hr_types ADD $document_type VARCHAR(255) NULL"); } If I type column name statically it works. But with the variable, noting happens, it does not even throw an error. Any idea what is going on here? A: This should work. :) $sql_link->query("ALTER TABLE `hr_types` ADD `{$document_type}` varchar(255) NULL"); Q: Bulk inserts taking longer than expected using Dapper After reading this article I decided to take a closer look at the way I was using Dapper. I ran this code on an empty database var members = new List<Member>(); for (int i = 0; i < 50000; i++) { members.Add(new Member() { Username = i.toString(), IsActive = true }); } using (var scope = new TransactionScope()) { connection.Execute(@" insert Member(Username, IsActive) values(@Username, @IsActive)", members); scope.Complete(); } it took about 20 seconds. That's 2500 inserts/second. Not bad, but not great either considering the blog was achieving 45k inserts/second. Is there a more efficient way to do this in Dapper? Also, as a side note, running this code through the Visual Studio debugger took over 3 minutes! I figured the debugger would slow it down a little, but I was really surprised to see that much. UPDATE So this using (var scope = new TransactionScope()) { connection.Execute(@" insert Member(Username, IsActive) values(@Username, @IsActive)", members); scope.Complete(); } and this connection.Execute(@" insert Member(Username, IsActive) values(@Username, @IsActive)", members); both took 20 seconds. But this took 4 seconds! SqlTransaction trans = connection.BeginTransaction(); connection.Execute(@" insert Member(Username, IsActive) values(@Username, @IsActive)", members, transaction: trans); trans.Commit(); A: The best I was able to achieve was 50k records in 4 seconds using this approach SqlTransaction trans = connection.BeginTransaction(); connection.Execute(@" insert Member(Username, IsActive) values(@Username, @IsActive)", members, transaction: trans); trans.Commit(); A: I stumbled accross this recently and noticed that the TransactionScope is created after the connection is opened (I assume this since Dappers Execute doesn't open the connection, unlike Query). According to the answer Q4 here: https://stackoverflow.com/a/2886326/455904 that will not result in the connection to be handled by the TransactionScope. My workmate did some quick tests, and opening the connection outside the TransactionScope drastically decreased performance. So changing to the following should work: // Assuming the connection isn't
512
StackExchange
D3.js chart I am working on and it works perfectly fine. However, I am trying to add buttons on my main html to handle data filter. These buttons are handled externally. I can't seem to figure out the best way to handle that functionality to make it work. Any help would be greatly appreciated. Here is the source code. On a click event for "Popular," I would like the nodes to show up that has a value of more than 5. In Marvel.json, I have a popularity property with values. When I click on All, it should show all the data. Any input would be greatly appreciated. index.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="utf-8"> <title>Marvel Characters | Force layout with images</title> <script src="http://d3js.org/d3.v3.min.js" charset="utf-8"></script> <style> @import url(http://fonts.googleapis.com/css?family=Source+Code+Pro:400,600); body {font-family: "Source Code Pro", Consolas, monaco, monospace; line-height: 160%; font-size: 16px; margin: 0; } path.link { fill: none; stroke-width: 2px; } .node:not(:hover) .nodetext { display: none; } h1 { font-size: 36px; margin: 10px 0; text-transform: uppercase; font-weight: normal;} h2, h3 { font-size: 18px; margin: 5px 0 ; font-weight: normal;} header {padding: 20px; position: absolute; top: 0; left: 0;} a:link { color: #EE3124; text-decoration: none;} a:visited { color: #EE3124; } a:hover { color: #A4CD39; text-decoration: underline;} a:active { color: #EE3124; } </style> </head> <body> <header> <!-- D3 BUTTONS --> <div class="btn-group" role="group"> <button type="button" class="btn btn-default button1 active">All</button> <button type="button" class="btn btn-default button3">Popular</button> </div> <h1>Marvel Characters</h1> <h2>Click to view their identity</h2> <h3>And link to their web page!</h3> </header> <!-- container for force layout visualisation --> <section id="vis"></section> <script> // some colour variables var tcBlack = "#130C0E"; // rest of vars var w = 960, h = 800, maxNodeSize = 50, x_browser = 20, y_browser = 25, root; var vis; var force = d3.layout.force(); vis = d3.select("#vis").append("svg").attr("width", w).attr("height", h); d3.json("marvel.json", function(json) { root = json; root.fixed = true; root.x = w / 2; root.y = h / 4; // Build the path var defs = vis.insert("svg:defs") .data(["end"]); defs.enter().append("svg:path") .attr("d", "M0,-5L10,0L0,5"); update(); }); /** * */ function update() { var nodes = flatten(root), links = d3.layout.tree().links(nodes); // Restart the force layout. force.nodes(nodes) .links(links) .gravity(0.05) .charge(-1500) .linkDistance(100) .friction(0.5) .linkStrength(function(l, i) {return 1; }) .size([w, h]) .on("tick", tick) .start(); var path = vis.selectAll("path.link") .data(links, function(d) { return d.target.id; }); path.enter().insert("svg:path") .attr("class", "link") // .attr("marker-end", "url(#end)") .style("stroke", "#eee"); // Exit any old paths. path.exit().remove(); // Update the nodes… var node = vis.selectAll("g.node") .data(nodes, function(d) { return d.id; }); // Enter any new nodes. var nodeEnter = node.enter().append("svg:g") .attr("class", "node") .attr("transform", function(d) { return "translate(" + d.x + "," + d.y + ")"; }) .on("click", click) .call(force.drag); // Append a circle nodeEnter.append("svg:circle") .attr("r", function(d) { return Math.sqrt(d.size) / 10 || 4.5; }) .style("fill", "#eee"); // Append images var images = nodeEnter.append("svg:image") .attr("xlink:href", function(d) { return d.img;}) .attr("x", function(d) { return -25;}) .attr("y", function(d) { return -25;}) .attr("height", 50) .attr("width", 50); // make the image grow a little on mouse over and add the text details on click var setEvents = images // Append hero text .on( 'click', function (d) { d3.select("h1").html(d.hero); d3.select("h2").html(d.name); d3.select("h3").html ("Take me to " + "<a href='"
512
StackExchange
new FXMLLoader(); if (executorService==null) executorService =Executors.newSingleThreadExecutor(); Parent root = null; try { root = fxmlLoader.load(resourceAsStream); Mcqview controller = fxmlLoader.getController(); controller.setAnswer1(mcqQuestion.getAnswers().get(0)); //controller class has setters to accept question properties. controller.multipleChoiceQuestionType = this; this.view.getBorderPane().setCenter(root); } once the question is displayed I need to wait until I get an answer, if I didn't get an answer the next question should be invoked.so I introduced a thread inside the display method to wait for a timeout submit = executorService.submit(() -> { try { TimeUnit.SECONDS.sleep(2000); } catch (InterruptedException e) { e.printStackTrace(); } }); try { submit.get(20,TimeUnit.SECONDS); System.out.println("waiting finished"); } catch (InterruptedException e) { e.printStackTrace(); } since the future.get(); is a blocking call it blocks the UI thread too, how to achieve this without blocking the UI thread. A: Don't use a seperate thread for this purpose. This just makes things harder. JavaFX provides ways of waiting that do not require you to bother with concurrency issues. In this case waiting can be done from a PauseTransition with an onFinished handler. Handle a answer from an event handler for the user input. private static class Question { private final String questionText; private final String answers[]; private final int correctAnswerIndex; public Question(String questionText, String[] answers, int correctAnswerIndex) { if (answers.length != 3) { // for simplicity's sake allow only exactly 3 answers throw new IllegalArgumentException(); } this.questionText = questionText; this.answers = answers; this.correctAnswerIndex = correctAnswerIndex; } } private VBox questionPane; private Label questionText; private Button[] answerButtons; private PauseTransition pauseTransition; private Question currentQuestion; private void answer(int index) { pauseTransition.stop(); // no longer wait for timeout Alert alert = new Alert(Alert.AlertType.INFORMATION); alert.setContentText((index == currentQuestion.correctAnswerIndex) ? "correct answer" : "incorrect answer"); // show result and exit alert.showAndWait(); Platform.exit(); } private void ask(Question question) { questionText.setText(question.questionText); for (int i = 0; i < 3; i++) { answerButtons[i].setText(question.answers[i]); } currentQuestion = question; pauseTransition.playFromStart(); // start timeout timer } private void timeout() { pauseTransition.stop(); Alert alert = new Alert(Alert.AlertType.INFORMATION); alert.setContentText("your time ran out"); // cannot use showAndWait form animation directly Platform.runLater(() -> { // show result and exit alert.showAndWait(); Platform.exit(); }); } @Override public void start(Stage stage) { pauseTransition = new PauseTransition(Duration.seconds(10)); pauseTransition.setOnFinished(evt -> timeout()); questionText = new Label(); questionText.setWrapText(true); questionPane = new VBox(questionText); questionPane.setPrefSize(400, 400); answerButtons = new Button[3]; for (int i = 0; i < 3; i++) { final int answerIndex = i; Button button = new Button(); button.setOnAction(evt -> answer(answerIndex)); answerButtons[i] = button; questionPane.getChildren().add(button); } Scene scene = new Scene(questionPane); stage.setScene(scene); stage.show(); Question question = new Question( "What is the answer to the ultimate question of life, the universe, and everything?", new String[]{"Mew", "42", "Peanut butter"}, 1 ); ask(question); } You could easily implement the timeout or the result of answering a question in a different way, e.g. by asking the next question or showing the results when the last question is done. Q: What is the difference between == and = in Prolog? Can someone explain the difference between the == and the = operator in Prolog? I know that X = Y means X unifies with Y and is true if X already unifies with Y or can be made
512
s2orc
2b, the bulk thermal-stiffen layer of MALH served as a stimulus-responsive matrix for mimicking the fish's muscle-stiffen mechanism, while the highly hydrated surface lubricating layer served as the mucus-like slippery surface. Therefore, similar to a struggling fish, MALH can manipulate the interface contact state and COF through the phase-separation-induced modulus change under thermal stimulus, so as to achieve switchable lubrication like fish. Switchable mechanical property of MALH. The phase separation of MALH lead to two completely distinct mechanical states ARTICLE NATURE COMMUNICATIONS | https://doi.org/10.1038/s41467-022-28038-9 in wet environment: soft state (low temperature) and rigid state (high temperature) (Fig. 3a). MALH can switch instantly from soft/transparent (low modulus) state (T = 20°C) to rigid/opaque (high modulus) state (T = 80°C) within 1 s (Fig. 3ai-iv and Supplementary Movie 1), due to the cooperative effects of hydrophobic interaction and ionic interaction. This transition was similar to the modulus change of the muscle before and after contracting or stretching (Fig. 3aiii) 35,36,42 . In addition, MALH can be fixed into specific shapes in rigid state to bear heavy loads (200 g weight) without deformation ( Fig. 3av-vi), implying its good load-bearing capacity. Figure 3b showed temperaturedependent strain-stress curves of MALH from 20 to 80°C, indicating its tunable mechanical properties. At low temperature, MALH was soft with a large strain and a small breaking strength, whereas at high temperature, it was rigid with a small strain and a high breaking strength. It was found that the content change of HEMA-Br (ATRP initiator) showed little effect on modulus and tensile stress of MALH both in soft state and rigid state (Fig. 3c, d). However, high content of HEMA-Br (5 wt%) in monomer solution would cause slight aggregations ( Supplementary Fig. 3), which were not beneficial for sample preparation, so 3 wt% of HEMA-Br was chosen. The modulus of MALH before and after phase separation werẽ 0.3 MPa (soft state) and~120 MPa (rigid state), respectively. The stiffness change magnitude of MALH was~400 times. Correspondingly, the modulus regulation range of MALH system can match the mechanical properties of diverse biological tissues, compared with other reported modulus-switching systems ( Supplementary Fig. 4a, b and Supplementary Discussion). The modulus-switching mechanism of most traditional materials is based on the crystallization-melting transition or the glass transition. They tend to soften rather than stiffen upon heating, which was opposite to MALH, and the stimulus induced stiffening mechanism in fish skin or other stress reaction in biological system. Furthermore, most of soft robots were usually in soft state at room temperature and stiffen when needed. Therefore, MALH exhibited potential applications in soft robots. More importantly, different from the traditional thermalresponsive hydrogel (PNIPAAm) with a dramatic volume ratio change before and after phase separation (<0.1) 43 , MALH can The photography of a longsnout catfish in water and the corresponding schematic diagram of its body contour, mucus and muscle. The schematic diagram was reproduced with permission from ref. 29 . Copyright 1988 Springer Nature. b Modulus adaptive switchable lubrication when fish being caught: (i) schematic illustration of escaping process of fish being caught, (ii) fish was calm
512
gmane
so bad. Really look at that micaz platform code for the CC2420 to see what it's doing, and then use the CC1100 platform code examples to port it over in the micaz mindset. -David In a Master/Slave configuration, if my master goes down, I see that the Slave notices and starts accepting connections. But if I start up the Master again, I notice that the slave does not transfer control back to the master. If for some reason my Master node goes down, clients are configured to failover: to the client, and then operations restarts the master... do I now have to restart all clients to get them back on the master node, then restart the slave node to reestablish the master/slave configuration? Ideally, I'd like if the master failed (say machine died due to power loss or something), that the slave would take over until it realized that the master was back on-line then resumed being a slave... redirecting clients back to the master after it has synchronized up the state between the two. Is anything like this possible? --jason Hi all, There's an interesting piece on bug #59695 (decrease in hard drive life), for anyone who regularly follows Slashdot I should point out its a kdawson submission ;-) Launchpad is suffering the Slashdot effect, but anyone have any thoughts on this - I suspect this is the sort of article that could precipitate into a widespread FUD campaign within a few days. Cheers, Dougie If I telnet to smtp on localhost where the postfix setup runs, it will not let me send mail to external addresses unless I add 127.0.0.0/8 to mynetworks. Now that I figured that out with a little diggingin the archives, it is not a problem for me but can anyone tell me why the localhost to the outside world is considered relaying. Can this be exploited in any way for evil? Ron Hi Aleksey, Is there an equivalent password callback that is similar in functionality to the xmlsec xmlSecErrorsSetCallback ? I am using private keys with passwords loaded by name from the MS Crypto Store. At run time the Windows password prompt dialog box pops up. I would like to be able to specify/set a password callback which would take a string argument and return a password. Is this possible with mscrypto ? If not is there another way to do this ? Ed Hello, I was trying to find out the status of the mempool rework and found this 36-pieces long patch set: http://dpdk.org/ml/archives/dev/2016-April/037464.html (I failed to apply it to 16.04, 2.1.0, current HEAD.) and some bits around: http://dpdk.org/ml/archives/dev/2016-May/038390.html http://dpdk.org/ml/archives/dev/2016-April/037509.html http://dpdk.org/ml/archives/dev/2016-April/037457.html http://dpdk.org/ml/archives/dev/2016-April/036979.html ...but I am confused. I am trying to find out how to write a custom memory pool based on the uio_dmem_genirq driver. It provides DMA memory via the UIO API (maps). If I have a PMD running of top of this UIO, I need to implement a custom allocator that gets memory from the dev->mem_resource (with the mappings preloaded from the UIO by EAL). This is related to the SoC infra as given here: http://dpdk.org/ml/archives/dev/2016-May/038486.html Any
512
reddit
primary care, but I think DPMs are just as much physicians as any other specialist that confines their scope to a single organ system. I fail to understand your point here. They never fully committed to the other systems like this. Sure they seemed to think they were good ideas but history shows they weren't fully committed and never were fully committed, fully being the keyword. The fact that they are putting the game into release basically on the sole premise of not changing the core aspects is a level of commitment they've not shown before, plus unlike the other versions they don't have any lashing out about it. There were dolls that were popular in my area called Little Apple Red Dolls. Honestly, I still like to collect them, they're interesting dolls. But there was one that was special, and that one was my very first doll, Mantis. The story was that Mantis was a little girl who saw in words, not pictures. She was lonely, and eventually her thoughts over came her and she was struck by lightning in the river near her home. (Just google Mantis Little Apple Red for the full story, I'm not posting it here.) I loved Mantis, and I took good care of her. I was about fifteen, and really, I shouldn't have still be into such things, but what can I say? I'm a child at heart. One day, my younger sister decided to play with Mantis, and that's when the trouble started. When my sister gave her back, something felt...different. She wasn't the same doll. I know that makes no sense, but that was my feelings. I put her on my shelf and ignored her for several months. I got busy with school and had things I had to do for the theater. Around Christmas, I woke up and noticed that Mantis had moved to my bedside table. I put her back, thinking my sister had moved her. But later that day, she was there again. For the next month this game played. Eventually, I got tired of it. I buried the doll in boxes. I was tired of her, and besides, I had begun to have nightmares about her. For a week, nothing happened. Then, suddenly, when I came home from school, THERE SHE WAS. I snapped, angry at whoever got her out. I grabbed her and threw her in a bag, burying her in the backyard. It worked. I didn't see from her again, and I had honestly forgotten about the doll. My sister bought more of the dolls for me, and I put them in glass cases, not playing or touching them. I wouldn't even be posting this now but...there's a problem. When I woke up this morning, Mantis was on my bedside table, covered in dirt. &gt; God forbid the Arab citizens of Israel (what are they now, 15% of the population? 20%?) get represented in the coalition, am I right? The Arab Joint List has nothing to do with the Arab citizens of Israel. That list is bent on destroying
512
StackExchange
Server container? I want to run an old .NET application in a docker windows server container (https://hub.docker.com/r/microsoft/windowsservercore/). Everything would be easy if this application didn't require an UI. Its UI does a lot of stuff and this stuff cannot be done through command line or other API. Basically, the perfect thing would be to reach this running container through RDP. From my understanding, it is nothing more than a service (TermService) running on a certain TCP port (3389 being the default one). But it seems that TermService is not running in microsoft/windowsservercore containers. I found an article showing how to activate it : https://withinrafael.com/2018/03/09/using-remote-desktop-services-in-containers/ Basically, I kept the same Dockerfile, just changing some credentials. #escape=` FROM microsoft/windowsservercore:1709_KB4074588 RUN net user /add jerome RUN net user jerome aDifficultPassword RUN net localgroup "Remote Desktop Users" jerome /add RUN net localgroup "Administrators" jerome /add RUN cmd /k reg add "HKLM\System\CurrentControlSet\Control\Terminal Server" /v TemporaryALiC /t REG_DWORD /d 1 I launch the container with this command : docker run -it -p3389:3389 myimage powershell When I connect to the container and type some powershell commands to list running services, I can see that TermService is well running. This is the command I use to list services. Get-Service When I list opened TCP ports, I can see that 3389 is listened. This is the command I use to show opened ports. netstat -an When I try to connect to the container through my remote desktop client, things seems OK at start. It asks me for host. Then for a username and password. If I type wrong credentials, it says me "Wrong credentials", so there is well a communication with the server. If I type good credentials, nothing happens. No error message at all, but no display screen too... I don't really know if logs are generated somewhere or not. I would be OK if instead of RDS, something like TigerVNC was working. I have never tried this tool before but it seems that it could do the job. How would you do to control a GUI application running in a windows container? A: You can find logs for RDP client in event viewer : "Application and Services Logs"\Microsoft\Windows\TerminalServices-ClientActiveXCore. Here's what is says for me : The client has established a multi-transport connection to the server. RDPClient_SSL: An error was encountered when transitioning from TsSslStateDisconnected to TsSslStateDisconnected in response to TsSslEventInvalidState (error code 0x8000FFFF). RDP ClientActiveX has been disconnected (Reason= 2) reason 2 is session closed by client. My paranoia tells me that microsoft went back and patched the image to prevent people from using RDP with docker, but who knows, maybe we're just missing something obvious. Q: Getting error in SQL Server executing get-wmiobject I am trying to execute following PowerShell query in SQL Server xp_cmdshell "get-WmiObject Win32_LogicalDisk -AV-RISCVMSQL114 | Format-Table -Property DeviceID,FreeSpace,Size" After executing this, I am getting error: 'get-WmiObject' is not recognized as an internal or external command, operable program or batch file. I want to execute this command in all SQL Servers. It's getting executed on SQL Server 2008, but on SQL Server 2012, it's throwing
512
YouTubeCommons
in stream now you guys better queue up I think nobody's is lowkey sending out wait let me join him K all right storm let me know when you're in let me know no this kid is getting let me know when uh you queued up right storm top one in the chat if you guys are queue up I get so many tags T what's up not me washing my hair what are you talking about dude guys I was going to play my OG gold Trooper today man but you know said EG back the Freak off it's not fake he's good YouTuber you're jealous you can't do anything like this fact you're solo all right bro all right sorry that you have to be a solo right now funny thing is I can put him in time out all right we're going to start this game chat no killing till for Zone appears all right guys guys those are the rules you guys know the rules and uh good luck to everybody let's get this game going bro what is this freaking ad bro Chad there's an ad with the girl like laying back it's on YouTube by the way this is on YouTube with a red bra and like short short jeans like her hand is like like what how is that an ad and then it's it's not even an ad bro I'm not even going to click on that crap bro I'm sad because another YouTuber was mad at me for no reason well well you know don't be sad okay it's okay everything's going to be I woke up and something was rising and it was in the sun know what the hell that's supposed to mean no NY that's what I'm saying bro noty gang is just not strong because of YouTube bro they really YouTube's really praising on my downfall bro like wow they really did US dirty bro why does you have to do that to us bro I was first mod and like you appreciate yeah make sure you I'll drop a like you know that'll actually probably help noty gang come but you know YouTube has to do is dirty and you know that's them I guess that's just YouTube Bro Kevin is there stream fake no you got no notice either why is YouTube doing this why didn't you stream like why you didn't stream like three times in a row I did not stream three times in a row bro I haven't streamed in two days you're white out all right I haven't streamed in two days which is stupid cuz I should have streamed on a Friday and a Saturday that would have been so good I would have been hit 22k but okay okay me FL me I need to get some tag no pencil don't worry about him bro dad dad hi Kevin G effect it's been a while what's up bro what's up Ryland dead what's up Donnie yo what's up Lifeline oh my
512
gmane
scanner to work with SANE (1.0.14) under Linux (Debian woody with some backports, kernel 2.4.26). Whenever I scan something which requires a low amount of data (lineart picture at 100dpi for instance), everything works just fine. But when I scan a more bandwidth hungry pic, it never succeeds. I've tried this both with the "scanner" module in the kernel and with libusb but both seem to experience the same problems. I have tried sane's "dumb-read" option and all other option which were mentioned in the sane-hp man page but I'm running out of ideas. Any clues what might cause this (might later kernels be too picky with their timing requirements)? TIA, David I’m using reposync to sync the packages and push them to spacewalk. For x86_64, I use arch=x86_64 and it works just fine. For IA-32, I use i386 but it doesn’t grab the i686 packages. Should I be running multiple reposync commands with different arch specs or is there one that will do it? When I ran arch=i686, I only got about 1200 packages and httpd wasn’t one of them. I had to run arch=i386 to get httpd but then I missed all the i686 packages. My understanding is that i386, i686 are both IA-32. Thanks Anoop Bhat Hi, Using Linux 2.6.31.12-0.2-desktop i686, KDE: 4.3.5 (KDE 4.3.5) "release 3", desktop as "folder view" when I rename a folder that I have placed on the desktop (right-cklick on icon, rename) the folder gets copied into a new folder with the new name and in the end the old folder is deleted. Why? This is really strange, isn't it? To rename large folders (a camera card with some GB's for example) takes quite a while because of the useless copy, instead of just the time of a click. Is this a feature or a bug? regards Daniel NB: I'm not subscribed so please CC me in any reply! Thanks... Hi there, Just attempted a build of vanilla 2.6.20-rc1 and got a failure with our usual defconfig. Notably, we build IPV6 support as modular - this seems to be the source of the problem. If any other info is required, please ask. Thanks for your help, Michael-Luke Jones I get that on my app and Martijn van Beek's adminPanel. I am developing on WinXP I had Java 6 installed. All worked great. When moving to the staging Debian with java 1.5_0_10 I got the error in the logs. I went back in my Win and wiped out Java 6 and I now have both JRE and JDK 1.5.0_12. I reinstalled red5 to properly work with java 5. Now the same happens on my XP. There's no trace left of java 1.6 so how could there be a bad version? If anyone had this issue and can help please drop a few lines. I'm absolutely out of ideas at this point. cosmin I was trying to show the relevant section of the log... I don't see how this COULD POSSIBLY be an issue with the ITSP (in this case Vitelity). I have turned off Caller ID
512
Github
2-descent. A warning is output in cases where the set of points (and hence the final output) is not guaranteed to be complete. Using the ``proof=False`` flag suppresses these warnings. EXAMPLES: We find all elliptic curves with good reduction outside 2, listing the label of each:: sage: [e.label() for e in EllipticCurves_with_good_reduction_outside_S([2])] # long time (5s on sage.math, 2013) ['32a1', '32a2', '32a3', '32a4', '64a1', '64a2', '64a3', '64a4', '128a1', '128a2', '128b1', '128b2', '128c1', '128c2', '128d1', '128d2', '256a1', '256a2', '256b1', '256b2', '256c1', '256c2', '256d1', '256d2'] Secondly we try the same with `S={11}`; note that warning messages are printed without ``proof=False`` (unless the optional database is installed: two of the auxiliary curves whose Mordell-Weil bases are required have conductors 13068 and 52272 so are in the database):: sage: [e.label() for e in EllipticCurves_with_good_reduction_outside_S([11], proof=False)] # long time (13s on sage.math, 2011) ['11a1', '11a2', '11a3', '121a1', '121a2', '121b1', '121b2', '121c1', '121c2', '121d1', '121d2', '121d3'] AUTHORS: - John Cremona (6 April 2009): initial version (over `\QQ` only). """ # **************************************************************************** # Copyright (C) 2009 John Cremona <john.cremona@gmail.com> # # Distributed under the terms of the GNU General Public License (GPL) # # This code is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU # General Public License for more details. # # The full text of the GPL is available at: # # https://www.gnu.org/licenses/ # **************************************************************************** from __future__ import print_function, absolute_import from sage.misc.all import xmrange from sage.rings.all import QQ from .constructor import EllipticCurve, EllipticCurve_from_j def is_possible_j(j, S=[]): r""" Tests if the rational `j` is a possible `j`-invariant of an elliptic curve with good reduction outside `S`. .. note:: The condition used is necessary but not sufficient unless S contains both 2 and 3. EXAMPLES:: sage: from sage.schemes.elliptic_curves.ell_egros import is_possible_j sage: is_possible_j(0,[]) False sage: is_possible_j(1728,[]) True sage: is_possible_j(-4096/11,[11]) True """ j = QQ(j) return (j.is_zero() and 3 in S) \ or (j == 1728) \ or (j.is_S_integral(S) \ and j.prime_to_S_part(S).is_nth_power(3) \ and (j-1728).prime_to_S_part(S).abs().is_square()) def curve_key(E1): r""" Comparison key for elliptic curves over `\QQ`. The key is a tuple: - if the curve is in the database: (conductor, 0, label, number) - otherwise: (conductor, 1, a_invariants) EXAMPLES:: sage: from sage.schemes.elliptic_curves.ell_egros import curve_key sage: E = EllipticCurve_from_j(1728) sage: curve_key(E) (32, 0, 0, 2) sage: E = EllipticCurve_from_j(1729) sage: curve_key(E) (2989441, 1, (1, 0, 0, -36, -1)) """ try: from sage.databases.cremona import parse_cremona_label, class_to_int N, l, k = parse_cremona_label(E1.label()) return (N, 0, class_to_int(l), k) except LookupError: return (E1.conductor(), 1, E1.ainvs()) def egros_from_j_1728(S=[]): r""" Given a list of primes S, returns a list of elliptic curves over `\QQ` with j-invariant 1728 and good reduction outside S, by checking all relevant quartic twists. INPUT: - S -- list of primes (default: empty list). .. note:: Primality of elements of S is not checked, and the output is undefined if S is not a list or contains non-primes. OUTPUT: A sorted list of all elliptic curves defined over `\QQ` with `j`-invariant equal to `1728` and with good reduction at all primes
512
reddit
by a super talented sister my younger life. She was an amazing singer from a very early age while I was tone deaf. So after years of being told not to sing I tried out for the school musical on a whim and got one of the leads. Turns out I have a very good range and I'm now a trained opera singer. Keep singing and don't let anyone tell you you can't! I love the idea of more dlc 😂😂 I'm a glutton for skyrim The dragonborn should be in charge so I like the idea of having a "happily ever after" ending. Random ideas for features and other things: - if you can't be leader of skyrim at least the dragonborn deserves his own city so it would be cool if you could "build" a new city. It could build in basic time-steps and then slowly be occupied as time passes. They could make it customizable maybe, or just give you the option to name some of the shops and stuff. Then of course a new home, being your castle in the new city of the dragonborn 😂😂 I'm greedy lol - more falmer-centric side quests. I think I just thoroughly enjoy dwemer ruins and the falmer creep me out but also are fascinating imo so more falmer side quests plzzzzzz - dark brotherhood takeover. Lol. Instead of stormcloaks and imperial and all that trash just let the DBH run this joint. - plz let me marry serana I'm not offended if someone tells me to stand over there or even get the fuck away from an NPC. But it kind of miffs me when I die and someone feels the need too add 'wtf noob' to the humiliation. As for owning the dungeon, I usually wait for someone else -preferably someone who knows a bit more about the dungeon than me- to get in. So the dungeon generally gets opened when the group is full. Is that maybe something that makes people leave? I haven't done it in the last couple of years, and have gotten a chance to experience some truly amazing games, like Fallout 4, GTA 5 and Witcher 3. I won't do it again, you're right, it totally kills the experience. I can't hate on anyone that does it though, without mods, there would be a lot of games that never happen. Some of which changed the world of gaming forever! Sorry, I didn't want to get yelled at for not putting some warning on it. I wish I could have gotten video of when they were x-raying it - blood was spurting from the wound with every heartbeat. It was kinda cool unit covered an area of about 9" square. He has. But not recently. While he remains an excellent technical boxer, his fights are largely boring these days. He has 2 knockouts in the last decade. However, when he was coming up he was definitely a knockout boxer Edit: and one of those knockouts was Conor McGregor, who isn't even a legitimate boxer I have a friend like
512
ao3
I have no money left.” Princess peach was really sad and tried to find words to use to respond with to Twilight Sparkle, princess of friendship but she found her lips were frozen, and small gurgles were escaping through streams of water forcing their way out of her mouth. She was throwing up because of some nasty indian food last night. “dear celestica” twilight said, in shock. “today I witnessed the friendship of magic. It was horrifying. I’m never working in this office again!” with that, twilight flew away, leaving pink slips of paper everywhere, with love notes on them, truly she loved princess peach but knew that they could not be together because princess celestia was kind of homophobic and every one was too afraid to say anything about it. In the afterlife twilight met a horse named twilight sparkle, which was herself. They danced for a while, but soon had to move on. Rainbow dash was late for her manicure! She was late because she was out late busy catching pokemon with which to use to finally murder spike, her estranged son, which was a secret no one could know. “Spike is my son!” she yelled, in front of the mirror, as she did every night for the past sixteen years. It was her practice, she was getting great at it, and she had spent all of her money soundproofing her house so that no one could hear her screaming and learn of the deep dark secret that was her past, fraught with frigidity, and angel was quite sad. Rainbow dash realized that she was late for her second job as a lighting designer in the masterpiece theater, and she rainbow chased off to her next fantastic production of RENT. “god I hate this show” said twilight sparkle, who had returned from hell just in time to meet up with her friends and support the prosperity of her morally rich neighbor, rainbow dash, who had spent the last sixteen years literally screaming out her window about how much she loved spike, and it was really fucking annoying because twilight sparkled wanted to fucking sleep god fucking damn it. Suddenly this story wasn’t about ponies anymore and homura from the popular fantasy series “Dragonball Z” arrived, carrying a staff of flames. Twilight, who was still here, said that she was really tired of this happening every five minutes. It wasn’t too late though. Homura walked up to twilight and asked her if she wanted to make a contract. Twilight said that she really had to get back to the office, and then she was back at the office. Princess peach was still vomiting, but then she got replaced by a stranger. “welcome to my home” she whispered in dulcet tones. “if you listen to this, you are a weeb”. Twilight was so exasperated! She slapped herself in the face. “no way I have gotten myself involved in these sorts of shenanigans again, I’ll tell you.” The stranger walked up to her. “do you want to start a new life?” she asked
512
gmane
order to use CMake to cross compile Python to these platforms. CMake (http://www.cmake.org) is a buildsystem in scope similar to autotools, but it's just one tool (instead of a collection of tools) and it support Windows and the MS compilers as first class citizens, i.e. it can not only generate Makefiles, but also project files for the various versions of Visual Studio, and also for XCode. Attached you can find the files I had to add to get this working. With these CMake files I was able to build python for eCos, BlueGene, Linux and Windows (with Visual Studio 2003, but here I simply reused the existing pyconfig.h, because I didn't want to spend to much time with this). So for Linux the configure checks should be already quite good and almost complete, for eCos and BlueGene they also work (both are UNIX-like), for Windows there is probably some tweaking required. So if anybody is interested in trying to use CMake for Python, you can find the files attached. Version 2.4.5 of CMake or newer is required. I guess I should mention that I'm doing this currently with the released Python 2.5.1. Bye Alex This is the new proposal, adapted to the new distribution of the documents. I explain the changes in another e-mail. It is also here, in a formatted version: http://diec.unizar.es/~jsaldana/personal/ietf/tcmtf_charter_draft.pdf TCMTF charter draft v6 Description of Working Group 1. In the last years we are witnessing the raise of new real-time services that use the Internet for the delivery of interactive multimedia applications: VoIP, videoconferencing, telemedicine, video vigilance, online gaming, etc. Due to the need of interactivity, many of these services use small packets (some tens of bytes), since they have to send frequent updates between the extremes of the communication. In addition, some other services also send small packets, but they are not delay-sensitive (e.g., instant messaging, m2m packets sending collected data in sensor networks using wireless or satellite scenarios). For both the delay-sensitive and delay-insensitive applications, their small data payloads incur significant overhead, and it becomes even higher when IPv6 is used, since the basic IPv6 header is twice the size of the IPv4 one. 2. The efficiency cannot be increased by the inclusion of a higher number of samples in a single packet, since this would harm the delay requirements of the service. But there exist some scenarios in which a number of flows share the same path. In this case, packets belonging to different flows can be grouped together, adding a small multiplexing delay as a counterpart of bandwidth saving. This delay will have to be maintained under some threshold in order to grant the delay requirements. Some examples of the scenarios where grouping packets is possible are: - aggregation networks of a network operator; - an end-to-end tunnel between appliances located in two different offices of the same company; - the access connection of an Internet Café including a high number of VoIP/gaming flows; - an agreement between two network operators could allow them to compress a number of flows they are exchanging between
512
reddit
everywhere presumably. If its proportional EC, people have a higher chance of keeping the mentality that "oh my state is red/blue I don't have to vote, it's not going to make a difference for my state." People have always come up with something new, conservatively applied it to data from the past, and refine the system. That's how things get better. If you want a change, would you rather have a change without any information of its potential effects, or would you have some information to form your thoughts and opinions? It's obvious you're a Trump supporter. I get that a lot of people argued that Trump not be president because of the difference in popular vote, but if you actually stop and read what I wrote, you wouldn't have just been like it doesn't matter. What's the difference between what you wrote and the rest of t_d that just says "hur durr liberal tears accept trump as president MAGA?" Neither of you guys consider or even think about what's being discussed and you don't try to address it. I brought this point up not to grab a pitchfork and say fuck Trump out of the office. I brought it up as a way to potentially look at and discuss how much a proportional EC would have swayed the numbers and its effects on small state vs big state argument. There are different types of node wars like t1, t2 and so on. In smaller scaled node wars maehwa is perfectly fine as most classes. Sieges are the endgame pvp content but you gotta get rly high geared and be a member of one of the top guilds so noz everyone will take part in one.. So I google it and it originates from France, apparently the Haute-Savoie region and means "from Gérine" (de Gérine) so basically from a family or farm named "Gérine". And when I googled that, it says that it is a derivate of the name Gérin, which would be of germanic origin and probably meaning "warrior" (guerrier) I'm sympathetic, but that's not an acceptable excuse to sell it, since they're putting the program at risk for everyone else. They know they're not supposed to sell it, but they do it anyway because they're...let's say...entrepreneurial. I knew someone a few years ago who did the summer add/drop thing only because he wanted to make a quick buck selling his U-Pass on Craigslist. Mine was worse than yours, I ended up with a ruptured L5/S1. The MRI was most impressive! In the end I needed micro surgery but it was a complete success. From a wheelchair to op in the morning to standing up straight and walking in the afternoon. The surgeon says if I do everything my physio says I'll never need to see him again. So I need to be politically correct? Let's be honest most people who came across that were like,"WTF why the frick would you not support him if you like him? What type of stupid question is this?" I expressed my true emotions and will not censor
512
gmane
needed. We will consider this in future work. More comments are welcome. Best Regards, Jie Dear Members, We are aware that the tone of some of the recent discussions have been disturbing to many of you, and we appreciate your thoughts on the matter. Since the inception of this list, we have always attempted to encourage free discussion and have avoided any censorship of ideas. We acknowledge that professional scholars as well as non-professional all have much to contribute to the study of the Hebrew language in its biblical context. We have also always allowed discussion to "wander" from the strictly linguistic and to include historical and literary aspects of the biblical text as well, as we understand that language cannot be studied without an understanding of its wider context. All of this still holds true. However in light of recent activity on the list, we will be keeping a slightly tigh ter grip on the reins, and will be more active in curtailing threads that seem to be going nowhere or that seem to be degrading into shouting matches. We hope that all members will practice self-control and not force us to take stronger measures. GEORGE ATHAS YIGAL LEVIN KIRK LOWERY (Moderators) Am I correct that the servlet spec does not allow you to specify a security-constraint that applies to the URL / without it also applying to other URLs? A url-pattern of / is the 'default pattern' which matches when nothing else matches. /* seems to do the same. An empty url-pattern doesn't make sense since all URLs contain a / at the start (it doesn't seem to work either). I want a security-contraint on /, but not on things like /favicon.ico (but I can't list all of the possibilities). Chris. My apologies for cross-posting this to both the CPLUG and the HPM lists, especially since it specifically applies to neither. Free subscriptions to the Java Developer's Journal are currently available at: http://www.sys-con.com/java/2003comp.cfm It's in the general spirit of geekiness that I share it with my other tech-minded brethren. It's generally a pretty good rag, especially if you're actually into Java. And even if not, hey, free magazine. -Chris Just a heads up. I have some changes from my branch that I'm ready to commit to trunk. The changes are: * Implementation of a syntactic language model. By default, this code is not compiled. You have to tell configure to enable it. * Changes to moses-parallel.pl to submit queue jobs as array jobs. This change affects the names of some temporary files, and may affect some TORQUE users who use the -old-sge flag. I'm in communication with Suzy, who uses TORQUE, about this. * Minor changes to moses-parallel.pl and mert-moses.pl to more effectively split data between nodes. I'd like to make the merge Monday morning. Please let me know if you are in the process of other big changes to trunk and would like me to hold off, or if you have other reasons for wanting me to hold off merging at this point. Cheers, Lane How do I get on the
512
s2orc
K70R, T215Y, and K219Q, introduced in the genes of both subunits using the same mutagenesis kit. The presence of expected mutations was verified by the complete sequencing of all RT clones. All of the enzyme preparations were homogeneous as judged by gel filtration and SDS-PAGE. PAGE Analysis of Polymerization Assay-The DNA oligonucleotide termed d21 (5Ј-GGGGATCCTCTAGAGTCGACC-3Ј) was labeled with [␥-32 P]ATP at the 5Ј-end and then annealed to a 36-nucleotide RNA template called r36 (5Ј-AAAAAAAAAAAAAAAGGUCGACUCUA-GAGGAUCCCC-3Ј). This primer-template was incubated with the enzyme in the presence of 10 M dTTP in buffer A (100 mM NaCl, 50 mM Tris-HCl, 1.25 mM EGTA, 0.5 mM EDTA, 0.05% Nonidet P-40 at pH 8) and started by adding 10 mM MgCl 2 (pH 8) in a final volume of 25 l. After 1 h of incubation at 37°C, the reactions were quenched by the addition of an equal volume of 25 l of loading buffer (90% formamide, 10 mM EDTA, 0.025% bromphenol blue, and 0.025% xylene cyanol). The samples were analyzed by denaturing PAGE using 12% polyacrylamide gels containing 7 M urea. The electrophoretically resolved products were visualized by autoradiography, and the amount of total product obtained was calculated by densitometric quantification of all oligonucleotides longer than 35 nucleotides using Imagemaster software (Amersham Biosciences). Preparation of AZTMP-terminated Primer-Oligonucleotide d21 (1 nmol) annealed with r36 (2 nmol) was incubated with 10 nM RT and 100 M AZTTP in 100 mM NaCl, 50 mM Tris-HCl, 0.05% Nonidet P-40, and 4 mM MgCl 2 (pH 8) for 4 h at 37°C in a final volume of 200 l. The chain-terminated primer-template was precipitated with ethanol, resuspended in 90% formamide and 10 mM EDTA, and finally purified by denaturing PAGE using a 12% polyacrylamide gel containing 7 M urea. The bands were visualized on a TLC silica gel plate under UV light, and the band corresponding to the terminated primer was cut out. The oligonucleotide was eluted from the gel in 0.3 M sodium acetate and 2 mM EDTA (pH 7.5), precipitated with ethanol, and dissolved in 25 l of 10 mM Tris-HCl, 1 mM EDTA (pH 8). Phosphorolysis Assay-The d21-AZTMP oligonucleotide was labeled with [␥-32 P]ATP at the 5Ј-end and then annealed to a 39-nucleotide RNA template called r39 (5Ј-AAAAAAAAUAAAAGAACAGGUCGACU-CUAGAGGAUCCCC-3Ј). This primer-template was incubated with the enzyme in the presence of the indicated concentrations of PP i or ATP in Buffer B (50 mM NaCl, 50 mM Tris-HCl, 0.05% Nonidet P-40, pH 8), and the reaction was started by adding 10 mM MgCl 2 (pH 8) in a final volume of 25 l. After incubation at 37°C, the reactions were stopped by the addition of the same volume of loading buffer (90% formamide, 10 mM EDTA, 0.025% bromphenol blue, and 0.025% xylene cyanol). The samples were analyzed by denaturing PAGE using 12% polyacrylamide gels containing 7 M urea. The bands were visualized by autoradiography and quantified by densitometry as before. Because RT eliminates several nucleotides from the terminated primer, the amount of total product obtained was calculated by densitometric quantification of all oligonucleotides smaller than 22 nucleotides. Combination Assays-The enzyme
512
goodreads
as unexpected situations occurred. Good read Medioka so far.. But more interessting than a million little pieces At first I thought that it was going to be a really creepy book, and the anticipation for it was what kept me reading, but in the middle it turned out to be just a story about time travel and some kids with some different powers. It got a little creepy at the end with the "bad guys" but not enough to stop me from reading it at night. The pictures are interesting and in themselves are creepy. I don't know if there was a sequel if I would read it. my fav one of the 4 dont know how to explain why it my fav but it just got to me i felt a lot reading this and so glad i read it an amazing series a must read. This was a good book and I would recommend to my friend it they were to ask me about this book. Its about Brody Cassidy a Navy SEAL...an a Southern charmer. Brody loves his beer and barbecue and a occasional trip to a strip club but about sums up are southern charmer Brody. I was nervous to start this book for one simple reason, I am a giant baby. I have always enjoyed the thrill of being scared by books and movies but it really does affect me. I hate the dark as it is, so typically anything creepy needs to be watched or read in daylight. I started this book just as my husband was going away for a week and I figured I would just read it in the daytime and have another book to read at night. The only problem was, once I started this book, I hated putting it down... so I rarely did. I even read it at night. And yes there were some points that would freak me out and I would literally run down the hall to my bedroom, climb under the covers and not show my face again until that first ray of sun was coming through my window. I will say, though, that overall this book was not extremely creepy. It had it's moments but for the most part it was about the main character and who she really was and her journey to discovering it. I'm not sure if the author intends for there to be a sequel but I really hope she decides to turn it into a series. My favorite thing about this book is probably Nolan and Sunshine... there are too many YA books out there that are about the most popular people and this one was not. Both main characters were eccentric and not only were they unpopular, popularity is not something either of them was aiming for. They were both happy and confident in their own skin and completely content with who they were. Now of course the Doctor Who reference also made me pretty happy. Another very good Flavia book with several plot lines from the previous three continued (I like when books do
512
sfu-socc
The Coming Climate Crash: Lessons for Climate Change in the 2008 RecessionHenry Paulson(Henry M. Paulson Jr., Treasury Secretary from July 2006 to January 2009 under President George W. Bush and Vice President Dick Cheney.)http://www.nytimes.com/2014/06/22/opinion/sunday/lessons-for-climate-change-in-the-2008-recession.html?_r=1 <p>Michael Bell has been four times Canadian ambassador in the Middle East. He has been director general for Eastern Europe and director of Middle East relations in the Department of Foreign Affairs.</p><p>When the Islamic State's heyday is over, possibly sooner rather than later, like-minded Western countries, led by the United States and including Canada, will be faced with a much more challenging dilemma: What, if anything, can be done about the regime in Damascus? I believe there is no realistic alternative other than accommodating Bashar al-Assad's continued rule, however gut-wrenching this may be.</p><p>Islamic State is under growing pressure both in Syria and Iraq. While by no means defeated, IS is experiencing significant losses from which it will not recover. Major battlefield successes for these fanatics are past. Its forces are now thin after being subjected to punishing allied air attacks: the group is accelerating the move to urban areas to protect itself; in turn leading to dramatic increases in civilian casualties inflicted by these attacks.</p><p>In northern Syria, the Kurdish dominated Syrian Democratic Forces are gaining ascendency against the Islamic State. They crossed the Euphrates River after seizing the Tishreen dam last month and are now advancing toward the ISIS held town of Manbij.</p><p>The Assad regime has within the last week cut off the rebels in northern Aleppo from the rest of the insurgency. The city itself is threatened. Regime forces are also progressing in the south near the Jordanian border, where the mainstream opposition collapsed last week in the city of Sheik Miskin after 33 days of Russian air strikes.</p><p>Air strikes are but one element bolstering Mr. Assad's new assertiveness, accompanied by massive shipments of Russian tanks and other material. Just as important has been the influx of Russian and Iranian advisers, Iranian controlled militias and continuing Hezbollah commitment.</p><p>To be sure there have been - and will continue to be - setbacks for the regime. Syria is unlikely to ever be reconstituted as it was. But any assessment that the Russians will lessen their commitment, or that the Iranians will back off, because their own economies are under stress, misreads the situation. Moscow is determined to support its only Arab ally.</p><p>To characterize Russian President Vladimir Putin as the interfering new boy is to misunderstand the state of affairs. The Syrian-Russian alliance is of historic proportion. Russian strategy demands it remain involved: Just as important is the psychological dimension - the Russian people's quest for status and respect both in the region and globally. Mr. Putin will not be ignored.</p><p>Repeated Western efforts are being made to get the parties around the table. For the United States and its Western allies, there seems to be no alternative but to keep at the diplomatic route, however remote the prospect of success. To abandon the field is viewed as the council of despair.</p><p>But for Mr. Assad and his allies there will be no
512
StackExchange
lvalue to which it is bound; it is a temporary. Modifying your function to: Data& find(const Key& key) { return array[findPos( key )].data_; } Will accomplish what you'd like since it would return a reference to the internal data structure. Note that there are some associated dangers with doing so. This makes concurrent access harder to detect, allows users to gain references which may be invalidated (for instance, if you resize array), and generally violates encapsulation. However, it's the way to go if you're making a hash map with mutable values. Q: Jquery .focusout not working on mobile(slicknav) Slicknav only closes if you click the menu button again. so I did this bit of code to make it close when you click anywhere $(document).ready(function() { //close menu on lost focus $('.slicknav_menu').focusout(function(event){ $('.menu').slicknav('close'); }); }); This works on desktop when I make my window small to test, but on phone i have to touch an image for it to close, not if i just click anywhere, its like it only registers a click if you touch an element. Can i use somethign else instead of focusout? A: fixed using $(document).ready(function() { $('#whole-page').click(function(event) { $('.menu').slicknav('close'); }); }); I couldn't use body as the menu was in the body and the menu closed straight after opening it. Q: Can a bard use a musical instrument as a spellcasting focus if they aren't proficient with it? The bard's spellcasting class features (PHB, pg. 53) includes the following: Spellcasting Focus You can use a musical instrument (found in chapter 5) as a spellcasting focus for your bard spells. In chapter 5, it says this about musical instruments (PHB, pg. 154): Musical Instrument. Several of the most common types of musical instruments are shown on the table as examples. If you have proficiency with a given musical instrument, you can add your proficiency bonus to any ability checks you make to play music with the instrument. A bard can use a musical instrument as a spellcasting focus. Each type of musical instrument requires a separate proficiency. Typically, a bard will have at least one musical instrument proficiency (3 from start, 4 if they get another via background, or as few as 1 if they multiclass into bard from something else). However, at the end of the chapter 5 quote, it says "Each type of musical instrument requires a separate proficiency", meaning that a bard could lose their musical instrument but find or buy one that they aren't proficient in. The chapter 5 quote also says "If you have proficiency with a given musical instrument, you can add your proficiency bonus to any ability checks you make to play music with the instrument", but that's about playing it, not necessarily using it for spellcasting (and there doesn't at time of writing seem to be a definitive answer on whether you need to play it to cast spells with it; that's not the purpose of my question, anyway). Finally, the chapter 5 quote also says "A bard can use a musical instrument as a spellcasting focus", but it says it
512
Pile-CC
how other people should feel about themselves, just like McGrath does here. Nandamuri Kalyan Ram, has been in search of a hit from a very long time. He has been trying a variety of scripts to get his break, and in this process he is back with the latest action entertainer ‘Pataas’. The film is gearing up for huge release tomorrow, and according to the latest update this action entertainer is releasing in more than 370 screens worldwide. Kalyan Ram’s cop role is said to be a highlight of the film. Anil Ravipudi is the director and Shruthi Sodhi plays the love interest of Kalyan Ram, who is also producing the movie under NTR arts banner. Why Journalists Should Be Forced to Work on Campaigns Why Journalists Should Be Forced to Work on Campaigns Barack Obama talks with supporters during a visit to a campaign field office in Port St. Lucie, Florida, on September 9, 2012. Photo by SAUL LOEB/AFP/GettyImages Two weeks ago I wrote an essay in The New York Timesarguing that horse-race coverage is bad because journalists don't understand how campaigns work. Over the last decade, almost entirely out of view, campaigns have modernized their techniques in such a way that nearly every member of the political press now lacks the specialized expertise to interpret what’s going on. Campaign professionals have developed a new conceptual framework for understanding what moves votes. It’s as if restaurant critics remained oblivious to a generation’s worth of new chefs’ tools and techniques and persisted in describing every dish that came out of the kitchen as either “grilled” or “broiled.” We need working reporters who have spent time inside a field office and have the comfort with the street-level politics that an engaged activist would develop after a few months of regular volunteer shifts on a modern campaign. Sasha Issenberg is the editorial director and chief strategist for VoteCastr. He is a contributor to Bloomberg Politics, a former columnist for Slate, and the author of The Victory Lab. The National Snow and Ice Data Center (NSIDC) supports research into our world’s frozen realms: the snow, ice, glaciers, frozen ground, and climate interactions that make up Earth’s cryosphere. NSIDC manages and distributes scientific data, creates tools for data access, supports data users, performs scientific research, and educates the public about the cryosphere. NSIDC began in 1976 as an analog archive and information center, the World Data Center for Glaciology. Since then, NSIDC has evolved to manage cryosphere-related data ranging from the smallest text file to terabytes of remote sensing data from NASA’s Earth Observing System satellite program. NSIDC is part of the University of Colorado Cooperative Institute for Research in Environmental Sciences, and is affiliated with the National Oceanic and Atmospheric Administration National Geophysical Data Center through a cooperative agreement. Companies Organizations GeoInformation Online is an online community and encyclopedia for scientists and companies that are working in GeoInformation field. In this Portal you can share you information and possibly use other researcher’s achievements and prevent the cycle of reinventing the wheel. THIS GROUP HAS BEEN CANCELED/SUSPENDED DUE TO
512
Github
"ssl3_get_server_hello"}, {ERR_FUNC(SSL_F_SSL3_HANDSHAKE_MAC), "ssl3_handshake_mac"}, {ERR_FUNC(SSL_F_SSL3_NEW_SESSION_TICKET), "SSL3_NEW_SESSION_TICKET"}, {ERR_FUNC(SSL_F_SSL3_OUTPUT_CERT_CHAIN), "ssl3_output_cert_chain"}, {ERR_FUNC(SSL_F_SSL3_PEEK), "ssl3_peek"}, {ERR_FUNC(SSL_F_SSL3_READ_BYTES), "ssl3_read_bytes"}, {ERR_FUNC(SSL_F_SSL3_READ_N), "ssl3_read_n"}, {ERR_FUNC(SSL_F_SSL3_SEND_CERTIFICATE_REQUEST), "ssl3_send_certificate_request"}, {ERR_FUNC(SSL_F_SSL3_SEND_CLIENT_CERTIFICATE), "ssl3_send_client_certificate"}, {ERR_FUNC(SSL_F_SSL3_SEND_CLIENT_KEY_EXCHANGE), "ssl3_send_client_key_exchange"}, {ERR_FUNC(SSL_F_SSL3_SEND_CLIENT_VERIFY), "ssl3_send_client_verify"}, {ERR_FUNC(SSL_F_SSL3_SEND_SERVER_CERTIFICATE), "ssl3_send_server_certificate"}, {ERR_FUNC(SSL_F_SSL3_SEND_SERVER_HELLO), "ssl3_send_server_hello"}, {ERR_FUNC(SSL_F_SSL3_SEND_SERVER_KEY_EXCHANGE), "ssl3_send_server_key_exchange"}, {ERR_FUNC(SSL_F_SSL3_SETUP_KEY_BLOCK), "ssl3_setup_key_block"}, {ERR_FUNC(SSL_F_SSL3_SETUP_READ_BUFFER), "ssl3_setup_read_buffer"}, {ERR_FUNC(SSL_F_SSL3_SETUP_WRITE_BUFFER), "ssl3_setup_write_buffer"}, {ERR_FUNC(SSL_F_SSL3_WRITE_BYTES), "ssl3_write_bytes"}, {ERR_FUNC(SSL_F_SSL3_WRITE_PENDING), "ssl3_write_pending"}, {ERR_FUNC(SSL_F_SSL_ADD_CERT_CHAIN), "ssl_add_cert_chain"}, {ERR_FUNC(SSL_F_SSL_ADD_CERT_TO_BUF), "SSL_ADD_CERT_TO_BUF"}, {ERR_FUNC(SSL_F_SSL_ADD_CLIENTHELLO_RENEGOTIATE_EXT), "ssl_add_clienthello_renegotiate_ext"}, {ERR_FUNC(SSL_F_SSL_ADD_CLIENTHELLO_TLSEXT), "ssl_add_clienthello_tlsext"}, {ERR_FUNC(SSL_F_SSL_ADD_CLIENTHELLO_USE_SRTP_EXT), "ssl_add_clienthello_use_srtp_ext"}, {ERR_FUNC(SSL_F_SSL_ADD_DIR_CERT_SUBJECTS_TO_STACK), "SSL_add_dir_cert_subjects_to_stack"}, {ERR_FUNC(SSL_F_SSL_ADD_FILE_CERT_SUBJECTS_TO_STACK), "SSL_add_file_cert_subjects_to_stack"}, {ERR_FUNC(SSL_F_SSL_ADD_SERVERHELLO_RENEGOTIATE_EXT), "ssl_add_serverhello_renegotiate_ext"}, {ERR_FUNC(SSL_F_SSL_ADD_SERVERHELLO_TLSEXT), "ssl_add_serverhello_tlsext"}, {ERR_FUNC(SSL_F_SSL_ADD_SERVERHELLO_USE_SRTP_EXT), "ssl_add_serverhello_use_srtp_ext"}, {ERR_FUNC(SSL_F_SSL_BAD_METHOD), "ssl_bad_method"}, {ERR_FUNC(SSL_F_SSL_BUILD_CERT_CHAIN), "ssl_build_cert_chain"}, {ERR_FUNC(SSL_F_SSL_BYTES_TO_CIPHER_LIST), "ssl_bytes_to_cipher_list"}, {ERR_FUNC(SSL_F_SSL_CERT_DUP), "ssl_cert_dup"}, {ERR_FUNC(SSL_F_SSL_CERT_INST), "ssl_cert_inst"}, {ERR_FUNC(SSL_F_SSL_CERT_INSTANTIATE), "SSL_CERT_INSTANTIATE"}, {ERR_FUNC(SSL_F_SSL_CERT_NEW), "ssl_cert_new"}, {ERR_FUNC(SSL_F_SSL_CHECK_PRIVATE_KEY), "SSL_check_private_key"}, {ERR_FUNC(SSL_F_SSL_CHECK_SERVERHELLO_TLSEXT), "SSL_CHECK_SERVERHELLO_TLSEXT"}, {ERR_FUNC(SSL_F_SSL_CHECK_SRVR_ECC_CERT_AND_ALG), "ssl_check_srvr_ecc_cert_and_alg"}, {ERR_FUNC(SSL_F_SSL_CIPHER_PROCESS_RULESTR), "SSL_CIPHER_PROCESS_RULESTR"}, {ERR_FUNC(SSL_F_SSL_CIPHER_STRENGTH_SORT), "SSL_CIPHER_STRENGTH_SORT"}, {ERR_FUNC(SSL_F_SSL_CLEAR), "SSL_clear"}, {ERR_FUNC(SSL_F_SSL_COMP_ADD_COMPRESSION_METHOD), "SSL_COMP_add_compression_method"}, {ERR_FUNC(SSL_F_SSL_CONF_CMD), "SSL_CONF_cmd"}, {ERR_FUNC(SSL_F_SSL_CREATE_CIPHER_LIST), "ssl_create_cipher_list"}, {ERR_FUNC(SSL_F_SSL_CTRL), "SSL_ctrl"}, {ERR_FUNC(SSL_F_SSL_CTX_CHECK_PRIVATE_KEY), "SSL_CTX_check_private_key"}, {ERR_FUNC(SSL_F_SSL_CTX_MAKE_PROFILES), "SSL_CTX_MAKE_PROFILES"}, {ERR_FUNC(SSL_F_SSL_CTX_NEW), "SSL_CTX_new"}, {ERR_FUNC(SSL_F_SSL_CTX_SET_CIPHER_LIST), "SSL_CTX_set_cipher_list"}, {ERR_FUNC(SSL_F_SSL_CTX_SET_CLIENT_CERT_ENGINE), "SSL_CTX_set_client_cert_engine"}, {ERR_FUNC(SSL_F_SSL_CTX_SET_PURPOSE), "SSL_CTX_set_purpose"}, {ERR_FUNC(SSL_F_SSL_CTX_SET_SESSION_ID_CONTEXT), "SSL_CTX_set_session_id_context"}, {ERR_FUNC(SSL_F_SSL_CTX_SET_SSL_VERSION), "SSL_CTX_set_ssl_version"}, {ERR_FUNC(SSL_F_SSL_CTX_SET_TRUST), "SSL_CTX_set_trust"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_CERTIFICATE), "SSL_CTX_use_certificate"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_CERTIFICATE_ASN1), "SSL_CTX_use_certificate_ASN1"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_CERTIFICATE_CHAIN_FILE), "SSL_CTX_use_certificate_chain_file"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_CERTIFICATE_FILE), "SSL_CTX_use_certificate_file"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_PRIVATEKEY), "SSL_CTX_use_PrivateKey"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_PRIVATEKEY_ASN1), "SSL_CTX_use_PrivateKey_ASN1"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_PRIVATEKEY_FILE), "SSL_CTX_use_PrivateKey_file"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_PSK_IDENTITY_HINT), "SSL_CTX_use_psk_identity_hint"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_RSAPRIVATEKEY), "SSL_CTX_use_RSAPrivateKey"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_RSAPRIVATEKEY_ASN1), "SSL_CTX_use_RSAPrivateKey_ASN1"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_RSAPRIVATEKEY_FILE), "SSL_CTX_use_RSAPrivateKey_file"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_SERVERINFO), "SSL_CTX_use_serverinfo"}, {ERR_FUNC(SSL_F_SSL_CTX_USE_SERVERINFO_FILE), "SSL_CTX_use_serverinfo_file"}, {ERR_FUNC(SSL_F_SSL_DO_HANDSHAKE), "SSL_do_handshake"}, {ERR_FUNC(SSL_F_SSL_GET_NEW_SESSION), "ssl_get_new_session"}, {ERR_FUNC(SSL_F_SSL_GET_PREV_SESSION), "ssl_get_prev_session"}, {ERR_FUNC(SSL_F_SSL_GET_SERVER_CERT_INDEX), "SSL_GET_SERVER_CERT_INDEX"}, {ERR_FUNC(SSL_F_SSL_GET_SERVER_SEND_CERT), "SSL_GET_SERVER_SEND_CERT"}, {ERR_FUNC(SSL_F_SSL_GET_SERVER_SEND_PKEY), "ssl_get_server_send_pkey"}, {ERR_FUNC(SSL_F_SSL_GET_SIGN_PKEY), "ssl_get_sign_pkey"}, {ERR_FUNC(SSL_F_SSL_INIT_WBIO_BUFFER), "ssl_init_wbio_buffer"}, {ERR_FUNC(SSL_F_SSL_LOAD_CLIENT_CA_FILE), "SSL_load_client_CA_file"}, {ERR_FUNC(SSL_F_SSL_NEW), "SSL_new"}, {ERR_FUNC(SSL_F_SSL_PARSE_CLIENTHELLO_RENEGOTIATE_EXT), "ssl_parse_clienthello_renegotiate_ext"}, {ERR_FUNC(SSL_F_SSL_PARSE_CLIENTHELLO_TLSEXT), "ssl_parse_clienthello_tlsext"}, {ERR_FUNC(SSL_F_SSL_PARSE_CLIENTHELLO_USE_SRTP_EXT), "ssl_parse_clienthello_use_srtp_ext"}, {ERR_FUNC(SSL_F_SSL_PARSE_SERVERHELLO_RENEGOTIATE_EXT), "ssl_parse_serverhello_renegotiate_ext"}, {ERR_FUNC(SSL_F_SSL_PARSE_SERVERHELLO_TLSEXT), "ssl_parse_serverhello_tlsext"}, {ERR_FUNC(SSL_F_SSL_PARSE_SERVERHELLO_USE_SRTP_EXT), "ssl_parse_serverhello_use_srtp_ext"}, {ERR_FUNC(SSL_F_SSL_PEEK), "SSL_peek"}, {ERR_FUNC(SSL_F_SSL_PREPARE_CLIENTHELLO_TLSEXT), "ssl_prepare_clienthello_tlsext"}, {ERR_FUNC(SSL_F_SSL_PREPARE_SERVERHELLO_TLSEXT), "ssl_prepare_serverhello_tlsext"}, {ERR_FUNC(SSL_F_SSL_READ), "SSL_read"}, {ERR_FUNC(SSL_F_SSL_RSA_PRIVATE_DECRYPT), "SSL_RSA_PRIVATE_DECRYPT"}, {ERR_FUNC(SSL_F_SSL_RSA_PUBLIC_ENCRYPT), "SSL_RSA_PUBLIC_ENCRYPT"}, {ERR_FUNC(SSL_F_SSL_SCAN_CLIENTHELLO_TLSEXT), "SSL_SCAN_CLIENTHELLO_TLSEXT"}, {ERR_FUNC(SSL_F_SSL_SCAN_SERVERHELLO_TLSEXT), "SSL_SCAN_SERVERHELLO_TLSEXT"}, {ERR_FUNC(SSL_F_SSL_SESSION_DUP), "ssl_session_dup"}, {ERR_FUNC(SSL_F_SSL_SESSION_NEW), "SSL_SESSION_new"}, {ERR_FUNC(SSL_F_SSL_SESSION_PRINT_FP), "SSL_SESSION_print_fp"}, {ERR_FUNC(SSL_F_SSL_SESSION_SET1_ID_CONTEXT), "SSL_SESSION_set1_id_context"}, {ERR_FUNC(SSL_F_SSL_SESS_CERT_NEW), "ssl_sess_cert_new"}, {ERR_FUNC(SSL_F_SSL_SET_CERT), "SSL_SET_CERT"}, {ERR_FUNC(SSL_F_SSL_SET_CIPHER_LIST), "SSL_set_cipher_list"}, {ERR_FUNC(SSL_F_SSL_SET_FD), "SSL_set_fd"}, {ERR_FUNC(SSL_F_SSL_SET_PKEY), "SSL_SET_PKEY"}, {ERR_FUNC(SSL_F_SSL_SET_PURPOSE), "SSL_set_purpose"}, {ERR_FUNC(SSL_F_SSL_SET_RFD), "SSL_set_rfd"}, {ERR_FUNC(SSL_F_SSL_SET_SESSION), "SSL_set_session"}, {ERR_FUNC(SSL_F_SSL_SET_SESSION_ID_CONTEXT), "SSL_set_session_id_context"}, {ERR_FUNC(SSL_F_SSL_SET_SESSION_TICKET_EXT), "SSL_set_session_ticket_ext"}, {ERR_FUNC(SSL_F_SSL_SET_TRUST), "SSL_set_trust"}, {ERR_FUNC(SSL_F_SSL_SET_WFD), "SSL_set_wfd"}, {ERR_FUNC(SSL_F_SSL_SHUTDOWN), "SSL_shutdown"}, {ERR_FUNC(SSL_F_SSL_SRP_CTX_INIT), "SSL_SRP_CTX_init"}, {ERR_FUNC(SSL_F_SSL_UNDEFINED_CONST_FUNCTION), "ssl_undefined_const_function"}, {ERR_FUNC(SSL_F_SSL_UNDEFINED_FUNCTION), "ssl_undefined_function"}, {ERR_FUNC(SSL_F_SSL_UNDEFINED_VOID_FUNCTION), "ssl_undefined_void_function"}, {ERR_FUNC(SSL_F_SSL_USE_CERTIFICATE), "SSL_use_certificate"}, {ERR_FUNC(SSL_F_SSL_USE_CERTIFICATE_ASN1), "SSL_use_certificate_ASN1"}, {ERR_FUNC(SSL_F_SSL_USE_CERTIFICATE_FILE), "SSL_use_certificate_file"}, {ERR_FUNC(SSL_F_SSL_USE_PRIVATEKEY), "SSL_use_PrivateKey"}, {ERR_FUNC(SSL_F_SSL_USE_PRIVATEKEY_ASN1), "SSL_use_PrivateKey_ASN1"}, {ERR_FUNC(SSL_F_SSL_USE_PRIVATEKEY_FILE), "SSL_use_PrivateKey_file"}, {ERR_FUNC(SSL_F_SSL_USE_PSK_IDENTITY_HINT), "SSL_use_psk_identity_hint"}, {ERR_FUNC(SSL_F_SSL_USE_RSAPRIVATEKEY), "SSL_use_RSAPrivateKey"}, {ERR_FUNC(SSL_F_SSL_USE_RSAPRIVATEKEY_ASN1), "SSL_use_RSAPrivateKey_ASN1"}, {ERR_FUNC(SSL_F_SSL_USE_RSAPRIVATEKEY_FILE), "SSL_use_RSAPrivateKey_file"}, {ERR_FUNC(SSL_F_SSL_VERIFY_CERT_CHAIN), "ssl_verify_cert_chain"}, {ERR_FUNC(SSL_F_SSL_WRITE), "SSL_write"}, {ERR_FUNC(SSL_F_TLS12_CHECK_PEER_SIGALG), "tls12_check_peer_sigalg"}, {ERR_FUNC(SSL_F_TLS1_CERT_VERIFY_MAC), "tls1_cert_verify_mac"}, {ERR_FUNC(SSL_F_TLS1_CHANGE_CIPHER_STATE), "tls1_change_cipher_state"}, {ERR_FUNC(SSL_F_TLS1_CHECK_SERVERHELLO_TLSEXT), "TLS1_CHECK_SERVERHELLO_TLSEXT"}, {ERR_FUNC(SSL_F_TLS1_ENC), "tls1_enc"}, {ERR_FUNC(SSL_F_TLS1_EXPORT_KEYING_MATERIAL), "tls1_export_keying_material"}, {ERR_FUNC(SSL_F_TLS1_GET_CURVELIST), "TLS1_GET_CURVELIST"}, {ERR_FUNC(SSL_F_TLS1_HEARTBEAT), "tls1_heartbeat"}, {ERR_FUNC(SSL_F_TLS1_PREPARE_CLIENTHELLO_TLSEXT), "TLS1_PREPARE_CLIENTHELLO_TLSEXT"}, {ERR_FUNC(SSL_F_TLS1_PREPARE_SERVERHELLO_TLSEXT), "TLS1_PREPARE_SERVERHELLO_TLSEXT"}, {ERR_FUNC(SSL_F_TLS1_PRF), "tls1_prf"}, {ERR_FUNC(SSL_F_TLS1_SETUP_KEY_BLOCK), "tls1_setup_key_block"}, {ERR_FUNC(SSL_F_TLS1_SET_SERVER_SIGALGS), "tls1_set_server_sigalgs"}, {ERR_FUNC(SSL_F_WRITE_PENDING), "WRITE_PENDING"}, {0, NULL} }; static ERR_STRING_DATA SSL_str_reasons[] = { {ERR_REASON(SSL_R_APP_DATA_IN_HANDSHAKE), "app data in handshake"}, {ERR_REASON(SSL_R_ATTEMPT_TO_REUSE_SESSION_IN_DIFFERENT_CONTEXT), "attempt to reuse session in different context"}, {ERR_REASON(SSL_R_BAD_ALERT_RECORD), "bad alert record"}, {ERR_REASON(SSL_R_BAD_AUTHENTICATION_TYPE), "bad authentication type"}, {ERR_REASON(SSL_R_BAD_CHANGE_CIPHER_SPEC), "bad change cipher spec"}, {ERR_REASON(SSL_R_BAD_CHECKSUM), "bad checksum"}, {ERR_REASON(SSL_R_BAD_DATA), "bad data"}, {ERR_REASON(SSL_R_BAD_DATA_RETURNED_BY_CALLBACK), "bad data returned by callback"}, {ERR_REASON(SSL_R_BAD_DECOMPRESSION), "bad decompression"}, {ERR_REASON(SSL_R_BAD_DH_G_LENGTH), "bad dh g length"}, {ERR_REASON(SSL_R_BAD_DH_G_VALUE), "bad dh g value"}, {ERR_REASON(SSL_R_BAD_DH_PUB_KEY_LENGTH), "bad dh pub key length"}, {ERR_REASON(SSL_R_BAD_DH_PUB_KEY_VALUE), "bad dh pub key value"}, {ERR_REASON(SSL_R_BAD_DH_P_LENGTH), "bad dh p length"}, {ERR_REASON(SSL_R_BAD_DH_P_VALUE), "bad dh p value"}, {ERR_REASON(SSL_R_BAD_DIGEST_LENGTH), "bad digest length"}, {ERR_REASON(SSL_R_BAD_DSA_SIGNATURE), "bad dsa signature"}, {ERR_REASON(SSL_R_BAD_ECC_CERT), "bad ecc cert"}, {ERR_REASON(SSL_R_BAD_ECDSA_SIGNATURE), "bad ecdsa signature"}, {ERR_REASON(SSL_R_BAD_ECPOINT), "bad ecpoint"}, {ERR_REASON(SSL_R_BAD_HANDSHAKE_LENGTH), "bad handshake length"}, {ERR_REASON(SSL_R_BAD_HELLO_REQUEST), "bad hello request"}, {ERR_REASON(SSL_R_BAD_LENGTH), "bad length"}, {ERR_REASON(SSL_R_BAD_MAC_DECODE), "bad mac decode"}, {ERR_REASON(SSL_R_BAD_MAC_LENGTH), "bad mac length"}, {ERR_REASON(SSL_R_BAD_MESSAGE_TYPE), "bad message type"}, {ERR_REASON(SSL_R_BAD_PACKET_LENGTH), "bad packet length"}, {ERR_REASON(SSL_R_BAD_PROTOCOL_VERSION_NUMBER), "bad protocol version number"}, {ERR_REASON(SSL_R_BAD_PSK_IDENTITY_HINT_LENGTH), "bad psk identity hint length"}, {ERR_REASON(SSL_R_BAD_RESPONSE_ARGUMENT), "bad response argument"}, {ERR_REASON(SSL_R_BAD_RSA_DECRYPT), "bad rsa decrypt"}, {ERR_REASON(SSL_R_BAD_RSA_ENCRYPT), "bad rsa encrypt"}, {ERR_REASON(SSL_R_BAD_RSA_E_LENGTH), "bad rsa e length"}, {ERR_REASON(SSL_R_BAD_RSA_MODULUS_LENGTH), "bad rsa modulus length"}, {ERR_REASON(SSL_R_BAD_RSA_SIGNATURE), "bad rsa signature"}, {ERR_REASON(SSL_R_BAD_SIGNATURE), "bad signature"}, {ERR_REASON(SSL_R_BAD_SRP_A_LENGTH), "bad srp a length"}, {ERR_REASON(SSL_R_BAD_SRP_B_LENGTH), "bad srp b length"}, {ERR_REASON(SSL_R_BAD_SRP_G_LENGTH), "bad srp g length"}, {ERR_REASON(SSL_R_BAD_SRP_N_LENGTH), "bad srp n length"}, {ERR_REASON(SSL_R_BAD_SRP_PARAMETERS), "bad srp parameters"}, {ERR_REASON(SSL_R_BAD_SRP_S_LENGTH), "bad srp s length"}, {ERR_REASON(SSL_R_BAD_SRTP_MKI_VALUE), "bad srtp mki value"}, {ERR_REASON(SSL_R_BAD_SRTP_PROTECTION_PROFILE_LIST), "bad srtp protection profile list"}, {ERR_REASON(SSL_R_BAD_SSL_FILETYPE), "bad ssl filetype"}, {ERR_REASON(SSL_R_BAD_SSL_SESSION_ID_LENGTH), "bad ssl session id length"}, {ERR_REASON(SSL_R_BAD_STATE), "bad state"}, {ERR_REASON(SSL_R_BAD_VALUE), "bad value"}, {ERR_REASON(SSL_R_BAD_WRITE_RETRY), "bad write retry"}, {ERR_REASON(SSL_R_BIO_NOT_SET), "bio not set"}, {ERR_REASON(SSL_R_BLOCK_CIPHER_PAD_IS_WRONG), "block cipher pad
512
s2orc
of their influence on tensile properties are presented in this paper. Polynomial relations for tensile properties, including elastic modulus, yield strength, and ultimate tensile strength, were developed as functions of temperature and strain rate. Such relations can be used to estimate tensile properties of HDPE as a function of temperature and/or strain rate for application in designing parts with this material.properties of semi-crystalline polymers such as HDPE. Mechanical properties and morphological changes in HDPE also significantly depend on the orientation of the deformations with respect to the molecular and crystal arrangement[6]. Yield stress and lamella thickness are proportional to crystallinity and increase linearly with the index of crystallinity[7].Based on experimental observations, while the ultimate tensile strength depends on the crystallinity level, it is independent of molecular weight[9]. However, Karasev et al. [8] observed that tensile strength depends on the molecular weight distribution at elevated temperatures (80-100 • C). On the other hand, the yield point below about −100 • C is insensitive to the structure and is dependent on factors such as the strength of the van der Waals' bonds, but not on the details of the morphology [10].High molecular weight results in higher strength due to the low capability of sliding molecules over each other. In addition, increasing molecular weight reduces crystallinity[11]. Crystallinity and secondary bond strength control the stiffness of thermoplastic, while intra-chain, inter-chain, secondary bonding and crystallinity govern the strength of thermoplastics. As mentioned, the degree of crystallinity plays a more important role on HDPE mechanical properties than molecular weight[11,12]. Processing conditions can also influence the microstructure parameters and consequently mechanical properties[13]. Temperature gradient during the manufacturing process may affect crystallinity and higher mold temperature leads to a lower crystallization rate and improved modulus[14].HDPE can be manufactured either as virgin or regrind (recycled) material. Regrind HDPE is the excess material form production line (trimming or cutoffs), which is used again in the production line to reduce material waste. Regrind HDPE material experiences more than one thermomechanical history as compared to virgin material. The physical and mechanical properties of regrind material are often not published because of too many variables involved[11].Polyethylene has the ability to permeate chemical liquids, gas, and vapors which is not desired in some applications such as packaging, chemical storage containers, and automotive fuel tanks. Therefore, a barrier layer is usually introduced in a coextruded multilayer structure to minimize permeability of polyethylene. For example, in automotive fuel tanks made of multilayered HDPE structure, a barrier layer ranging from 2 to 5% of the total thickness is used to reduce the gasoline permeability[15].The most common processing techniques to manufacture HDPE are extrusion, injection molding, blow molding, and compression molding. Manufacturing techniques may influence the mechanical response of HDPE, such as elastic modulus and tensile strength, which could be due to different molecular morphologies and structures in the final product[16]. It has been shown that the optimization of manufacturing parameters in injection molding results in substantially improved tensile properties[17].Tensile testing is the most common mechanical testing performed on different materials due to the simplicity and low cost and due
512
StackExchange
if you don't move the mouse away. A: Try this code $('#childInput').on('focus',function(e) { e.preventDefault(); }); $('#parentDiv').on('mouseover',function() { var temp= $('body').scrollTop(); var temp1=$('body').scrollLeft(); $('#childInput').select(); $('body').scrollTop(temp); $('body').scrollLeft(temp1); }); Q: How to update my score text correctly in Phaser 3? I have my score variable updating in my Archery game. However, I cannot get the score to update correctly. Every time it updates, the new text just pastes over the old text. I have tried it inside of the getMedal() function, outside of the getMedal() function, inside the render() function. <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8" /> <title>Video Game</title> <script src="//cdn.jsdelivr.net/npm/phaser@3.11.0/dist/phaser.js"></script> <style type="text/css"> body { margin: 0; } </style> </head> <body> <script type="text/javascript"> //Configurations for the physics engine var physicsConfig = { default: 'arcade', arcade: { debug: false //CHANGE THIS TO TRUE TO SEE LINES } } //Configurations for the game itself var config = { type: Phaser.AUTO, width: 800, height: 600, physics: physicsConfig, scene: { preload: preload, create: create, update: update, render: render } }; //Start the game var game = new Phaser.Game(config); function preload () { //Images this.load.image('sky', 'assets/images/sky.png'); this.load.image('target', 'assets/images/target.png'); this.load.image('ground', 'assets/images/ground.png'); this.load.image('arrow', 'assets/images/arrow.png'); this.load.image('gold_medal', 'assets/images/goldmedal.png'); this.load.image('silver_medal', 'assets/images/silvermedal.png'); this.load.image('bronze_medal', 'assets/images/bronzemedal.png'); //Spritesheets this.load.spritesheet('archer', 'assets/spritesheets/archer_sprites.png', {frameWidth: 128, frameHeight: 128}); this.load.spritesheet('rings', 'assets/spritesheets/rings_sprite.png', {frameWidth: 320, frameHeight: 320}); //Audio this.load.audio('arrow_shot', 'assets/sounds/arrow_shooting.mp3'); } function create () { //Load all the images that won't move this.add.image(400, 300, 'sky'); this.add.image(210, 200, 'ground'); //Create the archer/player this.player = this.physics.add.sprite(100, 410, 'archer'); this.player.setBounce(0.2); this.player.setCollideWorldBounds(true); //Shooting animation this.anims.create({ key: 'shoot', frames: this.anims.generateFrameNumbers('archer', {start : 0, end: 4}), frameRate: 20, repeat: 0 }); //Rings animation this.anims.create({ key: 'rings_anim', frames: this.anims.generateFrameNumbers('rings', {start : 0, end : 69}), frameRate: 10, repeat: 0 }) //Play the animation on start this.rings = this.physics.add.sprite(300, 40, 'rings'); this.rings.anims.play('rings_anim', true); //Create the target this.target = this.physics.add.sprite(530, 365, 'target'); this.target.setSize(115, 95).setOffset(70, 130); //TARGET HITBOX this.target.enableBody = true; this.target.setImmovable(); //Create an array for arrows for later this.arrows = []; //Create an array for medals for later this.medals = []; //Get keypresses this.cursors = this.input.keyboard.createCursorKeys(); //Assign input for spacebar this.spacebar = this.input.keyboard.addKey(Phaser.Input.Keyboard.KeyCodes.SPACE); //Play sound when the arrow is shot this.arrowSound = this.sound.add('arrow_shot'); //Make the arrows collide with the target this.physics.add.collider(this.arrows, this.target) } function update () { //Declare constants for movement const playerMoveAmt = 200; const arrowMoveAmt = 1500; this.player.setDrag(2000); //Declare variables for the score var score = 0; var scoreBoard; //Add the scoreboard in //Scoreboard scoreBoard = this.add.text(440, 40, "SCORE:0", {fontSize: '32px', fill: '#fff'}); //Rotation of the player if (this.cursors.up.isDown && this.player.angle > -45) { this.player.angle -= 1;} if (this.cursors.down.isDown && this.player.angle < 0) { this.player.angle += 1;} //Shooting with the spacebar if (Phaser.Input.Keyboard.JustDown(this.spacebar)) { //Animate the shooting this.player.anims.play('shoot', true); //Arrow shooting let arrow = this.physics.add.sprite(this.player.x, (this.player.y + 20), 'arrow'); arrow.enableBody = true; arrow.body.immovable = false; //Edit arrow hitbox arrow.setSize(50, 15).setOffset(5, 50); arrow.setGravityY(3600); //Gravity will affect the arrows //Arrow speeds arrow.setVelocityX(arrowMoveAmt); arrow.setVelocityY((this.player.angle * 50)); this.arrows.push(arrow); //Add arrow to the arrow created earlier this.arrowSound.play(); //Play the sound } else if( this.target.body.touching.left) { let i = 0; //Set initial position of new medals let arrowOnTargetPositionX = 200; //Loop to create multiple arrows while (i < this.arrows.length) { newArrows = this.arrows[i]; newArrows.setGravityY(0); newArrows.setVelocityX(0); newArrows.setVelocityY(0); //Add 30
512
OpenSubtitles
darkness." "No." "She was wearing a nametag." "What do you think?" "She thanked me." "For what?" "Setting her free." "You didn't set her free." "I set her free." "It doesn't matter." "I mean, yeah, you said the spell, but I had the Mark, so lock and key." "So, what, now she feels indebted to you or something?" "I don't know." "She's the darkness." "Does she feel anything?" "And that's all she said?" "Thanks?" "Yeah." "She was weird." "But she had this energy about her, this -- this focus." "But, yeah, not a talker." "So we know Jack." "Well, we know what she looks like, and we know that she's evil." "The question is, what does she know?" "I mean, she's been locked away since the beginning of time." "Does she even know what a cheeseburger is?" "All I know is that we set her free, and we're gonna put her back in, no matter what it takes." "What the..." "Just gonna let me get in the car?" "You were on a roll." "[ Car door slams ]" "[ Birds chirping ]" "[ Growling ]" "Don't!" "Please!" "You think you can kill me?" "You execrable -- [ groaning ]" "[ Birds chirping ]" "No." "He's still alive." "[ Door opens ]" "Don't make me hurt you." "Do you hear me?" "I can't help myself." "You have to run." "[ Gunshot ]" "[ Gunshots ]" "[ Engine rumbles ]" "[ Engine shuts off ]" "[ Police radio chatter ]" "[ Guns cock in unison ]" "[ Police radio chatter ]" "The hell happened here?" "[ Door closes ]" "Hello?" "That's not a happy sight." "Hey, easy, buddy." "Just stay cool till we figure out what's going here, okay?" "Kind of narrowing my options here." "We don't even know what he is." "[ Gunshot ]" "Weapons on the ground." "Slow." "Whoa, whoa, whoa, whoa." "Easy, officer." "We're FBI, okay?" "We got badges." "Don't." "Show me some skin." "Huh?" "What?" "Both of you." "Is this, like, a "Magic Mike" moment?" "Your throats!" "Oh, you think we're -- we're..." "We don't even know what these are." "I need to know you're not one of 'em." " One of what?" " Let's go!" "Okay, all right, look." "Huh?" "See?" "Good." "Let's see those IDs." "Yeah, whoa." "Take -- take it easy, okay?" "Bad guys?" "[ Gasping ] Rebar." "I sought cover." "I fell." "Okay." "Why don't you tell us what happened here?" "911 reported a family in distress." "I arrived to find several hostiles attacking said family." "Oh, God, it was horrible." "How long you been on the job, deputy?" "Uh..." "Okay, three weeks." "Okay." "I'm Dean." "This is Sam." "Just breathe." "Okay?" "Speak plain." "What happened?" "They killed them all." "Who?" "Road crew." "It was -- they were like rabid dogs." "I fired off a warning, but they didn't stop." "They..." "You killed all these?" "I knew some of the boys, but they didn't look -- something was wrong." "They were..." "They're not human." "Hey, look, I can stitch that up, but, uh, it's gonna be ugly."
512
reddit
has insanely large glasses. I gave it a shot too with much the same styles and couldn't find anything that didn't look ridiculous. I agree with /u/ehsu's post about the Q/Malcom X style glasses looking good on you. Personally, I ended up settling on some Tommy Bahama glasses that were essentially the same style, but fit my face much better. [These are the glasses that I own now.](http://www.bestbuyeyeglasses.com/tommy-bahama-tb165/313020.html) I can post a picture of myself wearing them if you like. Other Tommy Bahama options: * [Style 1](http://www.bestbuyeyeglasses.com/tommy-bahama-tb164/313019.html) - basically a rounder version of mine. * [Style 2](http://www.bestbuyeyeglasses.com/tommy-bahama-tb4010/330529.html) - Thicker sides, squarer frames * [Style 3](http://www.bestbuyeyeglasses.com/tommy-bahama-tb4024/358719.html) - Sort of a mix between mine and style 2. Thought pattern recognition training! Basically meditation but that sounded to hokey to depressed me. Embrace the idea that not all thoughts are true. Selectively and actively choose to think and express only the throughts that add to your happiness. You feel crazy for a week or so, but eventually it ends up making you happy. Stop spreading misinformation if you don't know what the hell you are talking about. You are going to lay a wall of elements with your flame staff because it does more damage. You are also going to spam force pulse on the same bar because of the 8% single target increase with flame staff. Which means you front bar inferno maelstrom. You need to back bar a moondancer lightning staff. And you really need both sharpened. It's better to lose the enchants/set entirely and just ran a plain sharp inferno and sharp lightning because sharpened is so stupid good. Again do some research before you start attempting to hand out advice. If any of you saw my last post you may know I take a low dose of xanax infrequently and this month tried to lower my dose (as apparently every medical professional thinks it’s bad to be on any xanax at all even just 8 .25mg’s a month) but anyways I had a scare and lots of my friends were very worried and concerned and I feel like shit because I scared the people I love and this is exactly what I have the xanax prescription for I’m confident if I didn’t lower my dose and had one to take this would not have happened, I feel like shit might call my doc for a few more to make sure I’m ok till the appointment. Sorry for the shit post but wanted to rant somewhere I know lots of other people here deal with anxiety and depression. I’m still A-ok good looks, love you guys. regardless, the theory and rhetoric of feminism is anti-factual and sullies the movement. I refuse to identify as feminist because I believe the core ideals of the movement are factually inaccurate. I do not believe people when they say they are "feminist" and are literally trolling /srs/ style, like you, but I also will not believe them if they do not address the "basic tenants of feminism" I've outlined because they seem to be agreed upon as
512
Github
Returns the wind force for one item within a series. This is a number * between 0 and 12, as defined by the Beaufort scale. * * @param series the series (zero-based index). * @param item the item (zero-based index). * * @return The wind force for the item within the series. */ @Override public Number getWindForce(int series, int item) { List oneSeriesData = (List) this.allSeriesData.get(series); WindDataItem windItem = (WindDataItem) oneSeriesData.get(item); return windItem.getWindForce(); } /** * Utility method for automatically generating series names. * * @param data the wind data ({@code null} not permitted). * * @return An array of <i>Series N</i> with N = { 1 .. data.length }. * * @throws NullPointerException if {@code data} is {@code null}. */ public static List seriesNameListFromDataArray(Object[][] data) { int seriesCount = data.length; List seriesNameList = new java.util.ArrayList(seriesCount); for (int i = 0; i < seriesCount; i++) { seriesNameList.add("Series " + (i + 1)); } return seriesNameList; } /** * Checks this {@code WindDataset} for equality with an arbitrary * object. This method returns {@code true} if and only if: * <ul> * <li>{@code obj} is not {@code null};</li> * <li>{@code obj} is an instance of {@code DefaultWindDataset};</li> * <li>both datasets have the same number of series containing identical * values.</li> * </ul> * * @param obj the object ({@code null} permitted). * * @return A boolean. */ @Override public boolean equals(Object obj) { if (this == obj) { return true; } if (!(obj instanceof DefaultWindDataset)) { return false; } DefaultWindDataset that = (DefaultWindDataset) obj; if (!this.seriesKeys.equals(that.seriesKeys)) { return false; } if (!this.allSeriesData.equals(that.allSeriesData)) { return false; } return true; } } /** * A wind data item. */ class WindDataItem implements Comparable, Serializable { /** The x-value. */ private Number x; /** The wind direction. */ private Number windDir; /** The wind force. */ private Number windForce; /** * Creates a new wind data item. * * @param x the x-value. * @param windDir the direction. * @param windForce the force. */ public WindDataItem(Number x, Number windDir, Number windForce) { this.x = x; this.windDir = windDir; this.windForce = windForce; } /** * Returns the x-value. * * @return The x-value. */ public Number getX() { return this.x; } /** * Returns the wind direction. * * @return The wind direction. */ public Number getWindDirection() { return this.windDir; } /** * Returns the wind force. * * @return The wind force. */ public Number getWindForce() { return this.windForce; } /** * Compares this item to another object. * * @param object the other object. * * @return An int that indicates the relative comparison. */ @Override public int compareTo(Object object) { if (object instanceof WindDataItem) { WindDataItem item = (WindDataItem) object; if (this.x.doubleValue() > item.x.doubleValue()) { return 1; } else if (this.x.equals(item.x)) { return 0; } else { return -1; } } else { throw new ClassCastException("WindDataItem.compareTo(error)"); } } /** * Tests this {@code WindDataItem} for equality with an arbitrary * object. * * @param obj the object ({@code null} permitted). * * @return A boolean. */ @Override public boolean equals(Object obj) { if (this
512
realnews
(along with Soda_Jerk, who are doing one for their own work) will give a "lecture performance" of The Girl Who Never Was. "My works always exist as both video installations and as live performances." The latter are "a mixture between a lecture and a more skeptical performance". In them he shifts between his living voice and prerecorded voices, in this case by manipulating a record player. It's yet another way of highlighting the slippery nature of language. "There's this other element of me," he muses. Most Americans think a terrorist attack on a train, bus or subway in the United States is inevitable, but there's no evidence they are any more fearful about their own safety after the London bombings, an AP-Ipsos poll found. Public approval of President Bush's handling of terrorism and foreign policy ticked up slightly after the attacks in England renewed focus on the president's strongest issue — fighting terrorism. But his overall job approval rating remains in the doldrums — at 42 percent in the AP-Ipsos poll taken Monday through Wednesday. Almost six in 10 Americans, 57 percent, say they think a terrorist attack on a bus, train or subway will occur at some point, while just over a third say such an attack can be prevented. People in rural areas were more likely than those in the suburbs or cities to think such an attack on the transit system is certain — a somewhat surprising result given the focus of possible terror attacks in cities. Fewer than four in 10 say they worry that a terrorist attack could victimize them or members of their families — the same number that said that a year ago. Women, especially suburban women, were more likely than men to worry about their families as victims of terrorism. And those who make less than $25,000 a year were more likely than those with higher incomes to worry about terrorism. "I think people are becoming rather hardened to the idea of another terrorist attack," said Karlyn Bowman, a public opinion specialist at the American Enterprise Institute. "There's a core of people who worry about it, but the numbers have remained remarkably stable over the last couple of years." Less long-term gains The president's poll standings have often improved when the public's attention returned to terrorism and away from other concerns like Iraq and the economy. But Bowman said Bush is less likely now to get a long-term gain in the polls. "It is still Bush's strong suit, but given all the other things going on now — Iraq, the economy and other matters — he's not going to get much of a boost on terrorism," Bowman said. Just over half, 51 percent, say they approve of Bush's handling of foreign policy and terrorism, up slightly from June and the highest rating in that area since March. "At least he's trying to deal with it," Karen Gutowski, a 49-year-old Republican from Hobe Sound, Fla., said of Bush's efforts to fight terrorism. Consumer confidence over the past month slid to a two-year low. Economists say
512
ao3
sucking down harder on on my fingers, I few hard pushes and my shaft is buried inside her tight cunt. Scarlett looks up and breaths heavy, she starts to rock her hips back and forth, I take a tit and begin sucking on one of her down, erect nipples tasting her skin. Scarlett doesn’t wait around, I fall back laid flat on the bed she starts to ride my cock harder and rougher, her moans become more aggressive as she begins to pound up and down on my hard bare cock, as I look down upon In I can’t help but watch as disappears inside her over and over again, both of our crotches shimmering from our juices. I run my hands up the top of her thighs and feel goosebumps pop from them, as Scarlett has a orgasm, I flip her over so I am on top, squeeze my hand hard on her neck and fuck her as hard and as rough as possible. Her thick thighs brush against be into a feral position, as she continues her orgasm, mouth open she is screaming in pleasure and I look down on her bouncing tits. “Fuck me, fuck me” she screams her bare feet are resting on my chest, two sets of red painted toenails pass my view as I grab her ankles, she runs the sole of one of her feet across my face as I continue to fuck the still cumming actress. Another pass as I lick the sole of her feet and savour the incredible taste. Scarlett’s orgasm comes to a close, her legs begin shaking uncontrollably, her expression is nearly vacant. I continue to worship her toes, the soles of her feet, sucking on them and licking them up and down. I remove my cock and kneel beside the bed. Scarlett still shaking and shuddering remains in a fetal position, as I extend my tongue to her asshole, and go in for a taste, my nose is dipped in her soaking wet pussy hole and her cum leaks down onto her asshole as I can’t pull away from the sensation of its taste. ”you dirty fucking boy, eat my fucking asshole” I opened wide so my mouth covered Scarlett’s asshole, my tongue swirling Scarlett closes her eyes and enjoys, her feet come to the side of my head and hold me in place. I move up to the now stretched vagina and insert my tongue, Scarlett moans as I continue to eat her pussy. A few minutes on her clot and she has a second easier to manage orgasm, Scarlett cums for the second time as I look up on her jerking my cock. I stand and flip her over and hold her in a doggy position, spreading her cheeks I look down on her perfect tight asshole and start to work my cock inside of it. She let’s out short sounds of discomfort before I enter her, and the discomfort turns to sounds of pleasure, starting slow I immediately pick up the pace. Scarlett’s asshole is so
512
amazon
The only choice is to go to the dealership or order online, which is what I did. This is the genuine article. Bought the jato and following the process of engine break-in the car is great fun and super quick. You need a large area to get the full speed value out of it. Its solid and since Im no expert, having crashed it a few times, its still all in one piece. Glad I bought it and look forward to taking it out for another spin. Over the years, I have become a huge fan of DeMille's books. I especially like his John Corey stories. This one did not disappoint. gave as gift, recipient liked it. it's a fine fiber and no problem dissolving, works great in keeping me regular Fun and sexy! Got these for my daughter and she loves them! They're absolutely adorable. Seem to be pretty well made also. Would definitely recommend... The pan needs to be treated gently and washed by hand. Do not throw other pans on top without using the soft separator that comes with this unit. Love the heat transfer very even and no need to crank up. My only complaint goes towards the shipping. I went on vacation thinking that the package would be dropped at my door as I have a signed release with UPS. Instead UPS gave the package to USPS to delivery to my house and since I live in a rural area they gave me a slip to pick up which is an hour round trip with the threat to send back to the shipper because of a tardy pick up. Note to self next time put in to hold mail. Nice looking cover and substantial enough to protect my iPad. I like the strips that keep the screen upright. The only negative is that it slides over the camera eye, so difficult to hold the case in place to take a pic; did solve it though: I applied tiny glue dots to the area around the camera eye and now the case stays in place. Product was what we needed for our shop it serves the purpose. Great choice in product. Would order again when needed Too small on the top. Works. Extremely helpful for the test. The cover attaches to the iPad in 3 locations. The entire side where the volume keys are and a small section (about a half inch) on each side of the smart cover. These two sections on each side of the smart cover is where the problems occur... about a month and a half into use, they both snapped off. I'm not even sure when it happened, because the iPad never was dropped or mishandled. Right now it is still being held in place by the way the it connects to the smart cover magnet. I guess that's the way it's going to stay... as I will not be purchasing another Incipio Smart Feather for my iPad. Good quality, even heat just what we needed Perfect fit Brings back my youth. Loved the series then and love it now! Showing all my nieces and nephews! "Moby-Dick," the Third
512
DM Mathematics
k. -10 Rearrange 3 - n - 3*n - n**4 + 2*n - 7 - 2*n**3 to d*n + a*n**3 + y*n**4 + k*n**2 + j and give j. -4 Rearrange (-2*w + 4*w - 4*w)*((0 + 0 + w**2)*(4*w - 5*w - w) - 3*w + 7*w**3 + 3*w) to f + q*w + r*w**4 + z*w**3 + v*w**2 and give r. -10 Rearrange 3*x**4 + 3*x**4 - 4*x**4 + (4*x + 0*x - 3*x)*(x + 5*x**3 - x) - x**4 + 2 - 2 to t*x**3 + d + j*x**2 + v*x**4 + c*x and give v. 6 Rearrange (1 + 0 + 0)*(-1 + 2 - 2)*(-16*u - 15*u + 24*u) to the form g + m*u and give m. 7 Rearrange (11*f + 2*f - f)*(7*f**2 + 16*f - 16*f) + 1 - 1 - f**3 to the form j*f + a*f**3 + s + h*f**2 and give a. 83 Rearrange (m + 1 - 1)*(-4*m**2 + 5*m**2 + m**2) + (m + m + m)*(-3*m**2 - 2*m**2 + 2*m**2) to the form u + q*m**2 + y*m**3 + f*m and give y. -7 Express 0*k**3 + 8*k**3 - 2*k + 0*k as l*k + o*k**2 + a*k**3 + j and give a. 8 Express -5 + 3 + 2 - 43*w**2 as s*w + x + y*w**2 and give y. -43 Express x + 4*x**2 - 3*x**2 + 0*x**2 + 5*x**3 + 0*x + 2*x**4 - 1 in the form a*x**4 + c + t*x**2 + h*x**3 + k*x and give h. 5 Rearrange 245*l - l**3 + 2*l**2 - 249*l - 6*l**2 to the form k*l + q*l**3 + u + b*l**2 and give b. -4 Rearrange -4*u**2 + 2*u**2 + 5*u + 222 - 221 - 32*u to the form b*u + a + i*u**2 and give i. -2 Rearrange (3 - 3 - p)*((-2 + 4 - 4)*(3 + 0 - 2) - 24 - 13 + 8) to i*p + s and give i. 31 Express 3 + 2*t**4 + 2 + 6*t**2 - 7*t**2 + 2*t**3 + 1 in the form i*t**4 + l*t + y + k*t**3 + f*t**2 and give f. -1 Rearrange -s + 1 - 1 + (4 + 3*s - 4)*(1 + 4 - 3) to m + h*s and give h. 5 Express 0*a - 7 + 2*a**3 - 24*a**2 + 23*a**2 + a as c*a + r*a**2 + s*a**3 + g and give r. -1 Rearrange ((-1 + 1 + 2)*(-3*v + 4*v - 3*v) + (0 + 1 - 3)*(-v + 3*v - 4*v) - 6*v + 3*v + 2*v)*(v + 2*v - 4*v) to the form i + q*v**2 + r*v and give q. 1 Rearrange 0*j**2 - 3*j**2 + 2*j**2 + (-26 + 26 + 12*j)*(-2 + 2*j - 6*j + 2*j) to the form r*j + x*j**2 + m and give x. -25 Express -8 - 3*c + c + 3*c - 4*c + 2*c + c + (c - c + c)*(2 + 3 - 6) in the form f*c
512
OpenSubtitles
of money." "They saved a fortune!" "Inosuke, we're set for life!" "Get the Kuchinawa boss." "Did you kill everyone in the house?" "What about the kids?" "They're nowhere to be found." "Fool!" "We re out of time." "Let's go." "We tracked down Heihachi, the clerk..." "What are you doing?" "You were the Naruto family's clerk." "Don't you recognize us?" "The Naruto family?" "I'm the daughter!" "As for the others, I only know names..." "Tell me." "Inosuke and Tashichi." "They also spoke of the Kuchinawa boss." "That's all we know." "And you've searched all these years?" "Even." "Wrong again!" "I'll try with my eyes closed." "Like him." "How does he do it by listening?" "I'm so unlucky!" "One rolled away!" "That's the problem." "Odd." "Even." "Odd." "I think I got it." "My senses are sharper with my eyes closed." "OK!" "Shinkichi!" "You're just sitting with your eyes closed." "Aren't you betting?" "I'm listening." "What?" "Sitting up front just to listen?" "I have the right to listen." "Are you looking for trouble?" "Don't put on airs!" "This dump needs all the clients it can get." "Bastard!" "Easy, Shinkichi!" "You can listen and bet at the same time." "Calling me by my first name?" "That s no way to speak to a client!" "A client?" "You used to work for me." "Shut up and bet!" "You asked for it." "The last sound was..." "OK..." "Odd!" "Odd." "Game." "4 and 2, even!" "So?" "A message for your boss..." "What?" "Drop dead!" "Is Mrs Izutsu in?" "One moment, please." "May I ask what business you have here?" "Your dead husband has gambling debts to my establishment." "I'm taking your store." "You have three days to vacate." "Not one day more." "This is madness!" "Shut up!" "Don't interfere!" "See those beauties?" " Know them?" " Nope." "I wish!" "The one in red is hot." "More sake, please." "Osei..." "Should we ask around for work?" "Sir..." "Do you know a place where we could offer our services?" "Business has been slow and we're available." "Do you know of anyone?" "You should try Mr. Ogi." "He runs everything now, thanks to Ginzo." "This Mr. Ogi..." "Can you introduce us to him?" "Pops, give those ladies a hand." "Gramps, go and see Ogi." "Go yourself, bastard!" "Stop exploiting the old man!" "Hurry up!" "Presenting the windmill!" "Watch it turn!" "Boss!" "The tavern owner recommends two geishas." "They're available this evening." "Excellent." "Send them over!" "You two, beat it!" "Lord Sakai, we'll soon be in the company of two gorgeous women." "Hurry up." "What's next?" "Even." "Even!" "Bets are placed." "Game." "3 and 5, even." "A winner!" "Ogi!" "Must I watch this much longer?" "Let s have some dancing!" "Show's over!" "Beat it!" "Time to dance, girls!" "Hurry up!" "Dance!" "Odd." "Bets are placed." "Game." "4 and 1, odd." "Masseur, should we bet it all?" "New game." "Objections?" "Hey!" "The dice don't sound the same." "Damned masseur!" "Master..." "Some masseur is tearing up the gambling house." "Boss wants you to go there." "A masseur?" "Please, sir." "You're coming with me." "Let me
512
realnews
to show solidarity. The Gironde prefect said about 25,000 residents of the area had no functioning telephone lines. (Editing by Philippa Fletcher) March 1 (Reuters) - England's top order blew a second chance to spend some quality time in the middle but the tourists still went on to cement their lead on the penultimate day of their four-day match against New Zealand XI in Queenstown on Friday. Opener Nick Compton (one) and Kevin Pietersen (eight) once again failed with the bat, while Jonathan Trott (20) was berating himself on his way back to the pavilion after failing to convert the start into something substantial. Captain Alastair Cook (24), who hit 60 in the first innings, was run out, leaving it to Matt Prior (68) and Graeme Swann (41 not out) down the order to power the visitors to 256 for nine for an overall lead of 333 runs by third day's play. For New Zealand XI, Mark Gillespie claimed four for 87. England's bowling did not look too convincing either when New Zealand XI captain Tom Latham made an aggressive pre-lunch declaration at 349 for seven. Graham Onions struggled for rhythm, sending down five of his six no-balls while bleeding 131 runs for the only wicket of Canterbury all-rounder Corey Anderson, who hit an entertaining 62-ball 67 batting at number eight. Stuart Broad conceded 27 runs in his five overs without adding to his previous day's success. New Zealand test wicketkeeper BJ Watling was unbeaten on 66 and returned after the declaration to take four catches behind the stumps. The four-day match is the only warm-up England will have before their three-match series against New Zealand begins at Dunedin's University Oval on Wednesday. (Reporting by Amlan Chakraborty in New Delhi; editing by Patrick Johnston) Based on what happened Wednesday night at Fenway Park, the rivalry between the Boston Red Sox and Baltimore Orioles still is pretty heated. One day after Red Sox ace Chris Sale threw a pitch behind Manny Machado, Orioles starter Kevin Gausman hit Boston shortstop Xander Bogaerts with a 76.6-mph slider. Gausman promptly was ejected despite no pregame warnings, and the Orioles clearly weren’t happy about home plate umpire Sam Holbrook’s decision. Showalter: "You keep trying to do the right thing and take the high ground. It's frustrating. It's hard to keep turning the other cheek." — Tim Britton (@TimBritton) May 4, 2017 "You've got a 77 mph pitch compared to 96 last night. You figure it out. You guys are smart. You guys have been watching a lot of baseball." — Tim Britton (@TimBritton) May 4, 2017 Gausman also didn’t appear to like the decision, while catcher Caleb Joseph told reporters he’s excited “to get the hell out of Boston.” Gausman called his ejection “complete BUSH LEAGUE,” especially juxtaposed with Sale’s fastball behind Machado last night. — Tim Britton (@TimBritton) May 4, 2017 Caleb Joseph: "I am the most excited person to get the hell out of Boston." Says he's tired of sideshow, wants to just play baseball. — Chris Mason (@ByChrisMason) May 4, 2017 Red Sox manager
512
reddit
and thermals as a base layer, wool socks, gloves, a fuzzy hat, and a full-length wool coat. Chemical hand warmers in my pockets, plus more in my pack for gifts. [Here is a collection](http://i.imgur.com/xKVvrol.jpg) of all of my jewelry from my wedding day. My dress was very ornate on the top, so I didn't want an overstated necklace. Pictured: wedding bands, circlet, heavy earrings, personal vows, and custom wedding garter set with DDR arrow charms. The earrings were a wedding gift from my husband to me. [Here is a shot](http://i.imgur.com/iAXFO3l) of the ensemble with my veil. [Another](http://i.imgur.com/CJGP5kl) with the circlet on. Bonus TWD on the TV in the background! The marathon was on and getting me pumped up. that's besides the point then, we can have a discussion about migrants not having to go to jail and I'm with you. But there are plenty of kids who's parents (or only parent) end up having to go to jail, they cry just as hard, and it's not a matter of "political sides". I am using it like a mac, but some things are (imo) inconvenient. I don't think I presented this post as a 'I want it to work like windows', but for the specific points I made, I would prefer the behavior I'm used to. Mainly for the return key, I think it's just useless for me to get used to it, since I will continue using the other OSes and a little consistency goes a long way. Unless of course, if you just wanted to bash a non apple-fanboy but new mac user, for having strong habits, in which case, carry on :/ wow,did I ever dodge a bullet there.Was born in 1960 in Paris.An example of how an individual who happens to be in the right position to make a difference, doesn't waste the opportunity to do so.Wish there were such heroes today rather than the opportunists we seem to have.Surprised she got to keep her job after contradicting her superiors. I think that they need to change the timers on base captures to be based on the amount of players capturing, as well as allowing capture when there are more attackers than defenders. The balance to this would be announcing that "East Armoury is Under Attack!" In order to alert the other team to your presence. Conversely, "Our team is capturing the East Armoury". The last 2 years we've been seriously hurt by injuries and the year before that we made the cup final. We're doing much better than teams like Buffalo, Arizona, Edmonton, Calgary, Florida, the Isles, and Carolina. They've been picking top 15 for the past 10 years and have absolutely nothing. This team can compete rn and looks like we have a promising future. Get the fuck out of here with that blow the team up bullshit You do realise that Hillary only cares about the rich. If you look at those who fund and act as sponsors for Hillary's campaign, the vast majority are conglomerates. She is literally required to act in a way that favours the rich. Now if you
512
OpenSubtitles
your last wedding." "What's that-- a smart remark?" " No." " Huh?" "You're bringin' up my first marriage today. huh?" "You tryin' to jinx me." "Raymond?" " No no" " Don't mess with me today." "Raymond." " I'm just" " Do not mess with me today!" "This is my wedding day." "and I'm in no mood for fun!" "Then you're gonna love marriage." "Robbie?" "Ma. this is the men's room." "Raymond told me you were in here." "What are you doing?" "Nothing." "Ma." "I just wanted a little alone time before the ceremony." "Oh. okay." "I'll stay with ya." "Can-can we go somewhere else?" "No." "Ma." "I want to stay in here." "Remember last time I got married." "I saw Joanne before the wedding?" "I think that put the whammy on the whole marriage." "Oh. honey." "The problem there was you saw her after the wedding." " All right. out." "Mom." " No. but..." "You already got Gianni lookin' for a fire hydrant." "Look look look." "you want to help?" "See if you can find the reverend guy. okay?" "He'll be the one with the big book." " Yeah. but I need to talk to..." " No no no no." "Whoa. thanks. man." "Yeah. always happy to do that." "So. how ya doin'?" "Ya fast. ya loose." "ya throwing' up?" "I'm fine." "You know. just wanted a little alone time. that's all." "Yeah." "Let me ask ya something." "Now that you and Amy are gettin' married." "what's the one special thing that you two have that a group of people would wanna hear about?" "You've got nothin' for the toast." "I got plenty." "What do you got?" "Oh!" "Great." "You're both here." "Yeah." "How's it goin'?" "Fine." "Peter." "What is it?" "Nothing." "I just wanted to see you two before blast off and everything." "What do you think about the tux?" "I rented it." "Yeah." "It's a good fit." "Thank you." "Guys." "Iook. this is really hard for me." "Um." "I've had some issues with this whole marriage agenda." "but I've had some time to reflect." "and I realize that I may have been a wiener." "That's okay." "Peter." "No. it's not okay." "We're gonna be family." "and I just..." "I want to be able to call you guys-- both of you-- brother-man." "All right." "Okay." " Welcome to our lives." " Okay." "It's all right." "Thank you." " Thank you." "Peter." " Well. thank you." "And now." "I shall take my leave." "Have a great day." "That psycho's gonna pull some crap." "Now." "listen." "You gotta stick with him." "Raymond." "Go." "Go now." "You gotta follow him." "I don't want to be..." "Listen listen. just do it." "He's gonna wreck the wedding." "That guy has squirrels juggling' knives in his head." "No. wait wait." "Before I go. one thing funny and then heartfelt." "Go!" "Look out." "I got egg and cheese sandwich on my crotch." "Oh. great." "Great!" "What's your problem?" "Nothin'." "Nothin'." "Dad." "How are you today?" "None too happy." "I just found out it's gonna be a cash bar."
512
StackExchange
in regards to the package manager. It will never touch anything under /home. (Of course, you can still cause yourself plenty of confusion by doing bad thing to your home directory. Luckily that is usually be recovered from by removing the broken configuration files from your home directory, and let them be re-created from default at the next use. Do note that the automatic re-creation of default config only goes for your personal configuration files, not the system wide stuff under /etc) In the role of a (power) desktop user I guess the most common system wide creativity will be installing extra applications, libraries, emacs modes, etc? Again, the really important part is to always put none deb package stuff under /usr/local instead of under /usr; to use /usr/local/bin instead of /usr/bin, to use /usr/local/share/emacs/23.1 instead of /usr/share/emacs/23.1 and so on. Once you start playing around with server daemons you will soon be confronted by the system wide configuration under /etc. While you generally can modify files under /etc, you should "never" actually remove a file or a directory there, unless it was you who created it yourself. Likewise should you be careful about yourself creating new files in there, in case they would later on collide with a configuration file the package manager want to create. That being said, there are definitely files which you can (and should) be created under /etc. On of the more common examples is defining your Apache VirtualHosts under /etc/apache2/sites-available. There might be times when you want create files or directories under /var. While it is a completely different place than /etc, still consider the same rules about being careful and doing things on individual consideration. In case you want to know more, it won't hurt you to take a peek at the Filesystem Hierarchy Standard (FHS) or in the Debian Policy Manual. While it might be completely overkill in answering your original question, it is still a good read. Q: Ruby array computation with grouping connected and not connected items I'm doing some date times computation where I have to calculate new hours group based on array of ordered date time hashes. For example, if this is initial array (I've simplified values but it's comparable): [ {first: 9, last: 9.30}, {first: 9.30, last: 10}, {first: 10, last: 10.30}, {first: 12.30, last: 13}, {first: 14, last: 14.30}, {first: 14.30, last: 16.30}, {first: 16.30, last: 18.30}, ] result should be [ {first: 9, last: 10.30}, {first: 12.30, last: 13}, {first: 14, last: 18.30} ] It should also work with other cases when first/last one is not connected or when there are multiple groups. My solution is with each_cons(2) where I'm checking groups per 2, but it doesn't work for some edge cases. Thanks A: This works for your case where ranges are sorted by first: new_ranges = ranges.each_with_object([]) do |range, new_ranges| if new_ranges.empty? || new_ranges.last[:last] < range[:first] new_ranges << range elsif new_ranges.last[:last] < range[:last] new_ranges.last[:last] = range[:last] end end Q: Error = [Microsoft][ODBC Driver 11 for SQL Server]Warning: BCP import with a format file will convert empty
512
reddit
order to study for finals. Once school is out I am done with this shit... For a while. *I do MDMA once every 4-5 months only when the event really calls for it, and I use psychedelics like 4-AcO-DMT, 2C-B and LSD every other week or so. So guys, any serious or minor red flags? I really want to hear your harm reduction tips unless its something unproductive like "stop doing drugs" because we all know that ain't happening this early in my life and lowering overall intake is probably the best first atep. Thanks guys! Yes. Guilt is a strange thing. I was raped regularly by my Catholic school teacher when I was fourteen. My mother knew, and let it happen, but after a year she took me out of the school because people were beginning to suspect. After I'd been at a public school for a year, I was trying desperately to be normal, but I felt isolated and horrible and wracked with guilt. When I was sixteen I tried to kill myself for the first time, and ended up in the hospital psych ward overnight. While I was there, under the watchful eyes of the nurses, I met a girl I knew from middle school. Her name was Malia. The middle school I went to before the bad stuff happened had a little cheerleading squad, and Malia was so tiny she was always at the top of the pyramid. I think she was Malaysian; dark skin and hair, huge brown eyes in a face narrow and fine-boned like a sparrow's. Malia whispered to me a little, and we passed handwritten notes. She was in terrible shape, her speech slurred, her head hanging downward. I'll spare you the details, but he'd been fucking her too. And, just like me, he'd made her do things to other kids and she'd felt so guilty about it that she'd wanted to die. That was how he did things. He'd "break in" kids, and make them recruit other kids. Young people know how to find the damaged among them, the misfits. And it made "his" kids feel more guilty, more culpable. We only talked a little, but the nurses shushed us. My family decided to drug me up with so many antidepressants I could barely think straight, and I never saw Malia again. Fifteen years later I can still see her face, or rather her two faces--the almost-comatose child in the hospital, and the grinning cheerleader in my yearbook. I hope she has learned to jettison the guilt. I'm still working on it, myself. This bus should be in Japan. I say this because I want to be the random dude who gets on this bus (even though I'm not currently in Japan[just bear with me]), and then all this cool stuff happens. I swear, I saw a video where these girls were rolling around in a female version of bang bus. I want to be that dude, if this is the bus! Feeling good so far and enjoying the ride while it lasts. We won't
512
Pile-CC
“/”) then the scroller will work in the local site. Regarding the preview, there seems to be some problem as it was supposed to work by simply copying the image files in the assets folder. I will forward this to our developer team to see what they say about it. Yes, without backslash it works on local site folder, which "call" the scroller js, but "preview" is not working. I know it. My idea was make it independent on the site, so I want to use "root-relative" path. It is not possible in this time, all right, I have no problem. I will wait for Your SW developer´s solution and answer. Using assets folder - it works, of course. But the size of web is increasing (I have 2 sets of the same images). Regards, Roman Reply From: Likno Customer Support Dear Roman, We have just uploaded the new build which resolves (among others) the bug you reported. When I load the web page locally on my PC that has the new menu object, I get the question at the bottom of the frame. The menu is java-script, would a user really need to lower their IE security settings to make this go away? My settings are also included below. I don’t want users to have a hassle using the new menu each time they come to my website…what is the most elegant way to avoid this dialog? Thanks, -David Reply From: Likno Customer Support Hello, This is NOT a problem and you should not worry at all. See why below: When you preview a local web page in Internet Explorer that contains javascript (like our projects do), you get the following message: FLYTLAB Vaporizer FLYTLAB Specializes in high-quality vaporizers for dry herb and wax. Producing some of the highest quality vapes to date, FLYTLAB has made a name for themselves winning the 2014 - Hempcon best smart portable vaporizer award for their standout the H2FLO Vaporizer. "The images it creates are very sharp, even wide open, and the colors and contrast are great. It's not a huge lens and doesn't stick out on the street like a white 70-200 or anything of that nature." bhphotovideo.com Festooned with Lies, the McCain Campaign’s attack on reality George Orwell would be proud. He once wrote that, “During times of universal deceit, telling the truth becomes a revolutionary act.” Perhaps a more appropriate quote would be, “In our time political speech and writing are largely the defense of the indefensible.” Today’s hero? Phil Tuchman. He has the integrity of a traveling carnie promoter. He never saw a mark who he couldn’t rob; for him, truth comes solely in the form of a McCain campaign paycheck. 70 years ago, Joseph Goebbels would loved having Tuchman as his reich hand man. Today’s Salon exposes another truth behind McCain’s campaign: “You can be whoever you want to be,” says an inviting Phil Tuchman. “You can be a beggar or a millionaire. A mom or a husband. Whatever. You decide!” I volunteer in political campaigns now and then. After a series
512
YouTubeCommons
play you learn to live for the now knowing that if you only think of the future you won't recognize the trouble you're currently in by learning to balance these two polar opposites you learn how to play the game independence I think one of the reasons why the sandbox mode is so much more popular than the story mode it's not just the story or any of the details I'll get into that in another video I think it's because in story mode you aren't alone with NPCs to lean on the infinity fires that are here in there depending on where you are in the scenarios your survival becomes less of a triumph and more of a team effort the sandbox mode goes out of its way to push the isolation onto the players the player is alone and thus there is no one to blame and no one to steal credit the game is not forgiving and it allows you to fail it tries to kill you when you take a chance and go for that one spot that might have a rifle however it's passed an entire pack of wolves well you feel a certain amount of pride when you survive those wolves and find the rifle if it's there if not well then you need to find a way to get back out of there and survive getting past all those wolves however if you do you can then take pride in surviving a poor decision you took a chance and your chance was wrong but you survived your bad choice and thus no one else can take that from you nobody can tell you that you didn't do it alone this is what I think is the final puzzle to the piece of the long dark psychology it's a game that rewards skill and calculated risk and mercilessly punishes ignorant but either way you earn the result nobody else there is no player versus player mode you didn't die because somebody was a sniper you died because of your own choices you took a chance and you lost but you chose your action your plan you own it no one can take that from you in the game you are isolated and alone but you are also independent and self-sufficient so while all these psychological aspects taken together form the game I think it's this final aspect the ownership of your own destiny four-wheeler 4 whoa that is what lures so many players to take the isolated path into the long dark thank you for stopping by the bear island terse kiosk be sure to stop by the Quonset garage if you find yourself needing any supplies just remember our motto Kwanza garage where the water is always free hello everybody so I did figure out how to do the conveyor stuff it turns out that the example names he used are the only name is available so we're gonna use them as well to show you what I'm talking about these location markers mmm thank
512
reddit
aged 13–18." Why would any sane person ask children aged 13 about their sexual preferences and expectations regarding the social status of a partner. These are fucking children. And the conclusions: &gt;In sum, our findings revealed that the attractiveness of a potential partner is an important factor for adolescents’ dating desire, whereas social status seems to be less important. Fucking brilliant, nobel prize. Who would have guessed that kids, who don't have to support themselves, don't care about money and social status as much as the looks of a potential partner. Seconded. And adding, diet sodas are a good place to start if you really want to try but have trouble adjusting your habits. The McDonalds website estimates their large Coke at 280 calories. If you eat at McD's twice a day and always order a large meal, you can save 560 calories per day getting diet Coke (at 0cal). That's 3920cal per week, which is a little more than a pound. That being said, I think the logic is that it offsets the rest of the meal or that it has "negative calories" somehow. Something along the lines of, "I deserve 2 extra cheeseburgers, a cookie, and an ice cream for making a slightly less unhealthy choice that doesn't require effort or inconvenience me in any way." I beat DaS 1 when i was 12 so.... It's really all about loving the game. I really couldn't stop playing DaS around Sen's Fortress (a early-game area) and then it just went on until i arrived at the kiln. Though if you feel like bloodborne will be your game of the year i suggest you picking up DaS 1. I can't overstate how marvelous that game was. It really is a masterpiece, an art piece. But back to the topic, yes EVERYONE can beat a souls game aslong as you put your back to it! Clearly you can't understand anything outside of the 3 inches in front of yourself. You haven't played it enough or seen it enough to know that if you are in an area with not much cover such as the FOREST which a majority of endings happen and everyone is rolling around in vehicles. Someone will simply drive at you, if you challenge you get seat swapped and if that doesn't kill you the eject finish off will. OR Someone will simply drive at you with the intention of doing the first option except you don't peak you hide and force him out and he just shotgun/smg rushes. All this did was exacerbate an already huge issue. The problem isn't player skill or that one should be ready for the other. Charging someone in a vehicle gives an INSANE advantage to the rusher. Have you seen someone eject from a moving vehicle in this game? Desync/Sliding/Jumping/Porting from seat to 2 ft to the side of the vehicle. you seem to think everyone complaining is just standing in the middle of the road attempting to shoot out the driver and then complains when they die. So in your own words "Jesus christ
512
reddit
I can see questions about Keita as a signing. But if we're playing another formation, it makes more sense to pursue him. Isn't there still a game where Gators are supposed to wear a black jersey? Was hoping for a night game. Saturday the heat was brutal can't imagine what day game in a black jersey would fill like. Or does McElwain push it to indoor game at some in Atlanta Why do you want to switch from NFS to ISCSI or have both? We have a similar situation here use Nexenta and have both NFS and ISCSI. NFS for ESXi hosts and we use some ISCSI targets for very large storage on a few VMs. Id say use the right tech for the right job here. I personally prefer NFS in this situation. I don't think I have the oil metering system as I have the windshield wiper fluid where is should be if I understand correctly. I do check my engine oil every couple weeks and definitely before and after long trips as I do not want to have a bad time. Keep oil in my trunk too juuust in case. Regardless of Thorin’s skill statement, I think Zeus is more focused on the respect aspect of it and the fact that he’s even a prominent personality. Thorin is easily the most disrespectful, inconsiderate, unprofessional person in the scene. Even if it’s all “hur dur he speaks his mind”, it doesn’t disregard the fact that he’s a total dick I can easily spend up to $10,000. I'm pretty stuck on a convertible. I like smaller cars but 4 seats could be nice. I have a few young kids who would love to drive around with me but we already bought them a suburban so this is more for me and my wife to take turns driving to work, date nights, etc. Realistically repairable by an above average DIYer. I tend to be very good at fixing items before they break. I'm in Madison Wisconsin so something FWD could extend its use but renting a garage for winter is easy enough. I would like it fast but fun is more important than speed. I feel Miatas and Solaras aren't really cool. Thinking of a late 90's Boxster. I have seen a few for under $7500 and their are several independent porsche repair places near me. Very open to other cars. There is a high mileage BMW M3 available here but that seems a bit faster than I need. I used to own a 2004 Mustang V6 convertible and that was fun but had pretty low quality interior. I rented a 2015 mustang conv and loved it but that is way out of my price. I really liked driving/owning a 84 scirroco, a 86 celica, 1996 200sx but that was about 20 or so years ago. Thanks Oof. This kind of thing is pretty situational though. If she’s upfront and doesn’t let something she has lost interest in linger than I would be grateful for her respect. If she’s like my last “girlfriend”, though, who
512
reddit
get a free 1K pack (that's what the stamp screen is for when the game first starts). I collected all of the stadiums first to get the 5% boost on XP and stubs. The most expensive stadiums are Wrigley and Fenway at around 400-500 stubs. Almost all of the generic stadiums go for under 10 stubs. After you complete the collection you can then sell off the stadiums if you wish. You *cannot sell* other collections after completing them. I say don't do green spot and do maybe at most 3 dwarves although you may be told each fish needs 5 gallons of water but I've heard of 3 doing ok in a 10 g with plenty of plants. If you want plenty of snails order some live plants online that don't garuntee no pests. Or get 2 mystery snails. you are a senior pscyhology student so you should know how to read scientific literature. go use one of your library databases to look up the sources that are cited in the book and see if the claims made match the citation. but there probably arent any actual studies cited in the book so that should answer your questions &gt; So give me a working definition of 'gender' that isn't a synonym for 'sex'. That's probably where the problem lies. Like many people, I don't see a different between the two. They *are* synonyms and there is no meaningful difference. My sex is the same thing as my gender. It's all female. Is there some sort of issue with that? &gt; Are you saying that we shouldn't refer to pigs as 'pigs' because they could have a rare, genetic abnormality that would change their classification? So I should definitely refer to myself as male from now on then? Is it up to me? Do I get to decide how I perceive my own gender, as everyone else does? Dope shit. Chords are lovely and love the lofi vibe. Would love to hear an acapella over this. That being said I think the drums could use a little more mixing. The bassline isnt coming through as much I would like to hear because the hats are pretty harsh. Maybe add a little variation in how hard you hit the hats. Good stuff tho. Would love your thoughts on my latest. https://soundcloud.com/kennyskoo/been-thinkin Peace Huh, ok. So the captain a while back was fishing salmon. The day's not going all that great, he's got four salmon so far. His boat is in a taxi situation though, where him along with these several other boats are all lined up for this one trolling lane. So they're taking turns, but nobody's catching much anyways. He gets bored and decides to prank these guys. He takes the salmon he caught and rigs them back up on one of his trolling lines. Now each line has five hooks on it, so he puts one salmon on each of the first four and sets it back into the water. Then as he pulls the boat around so he's passing all the guys in line,
512
ao3
to cry, but he had to be strong. these arguments were dumb as butts, but he would not show his fear. “we _are_ going on the cruise!” yoshi screamed, in his yoshi language. migan had learned to decipher yoshi’s mad rambling, and he understood _yoshinese_ fluently. “no, yoshi,” sonic sighed, “i can’t run on the cruise. i need to constantly go fast! i can’t do that on the cruise! you want to make me stop running? how dare you, yoshi! you’re a terrible person! a terrible, terrible, terrible, person!” “i’m so sorry sonic, but think of the children,” yoshi says, almost screaming, “sonic, do you want your children, _our_ children, to just be home, and not experience the world? we’ve saved up for this cruise for many years now, and they deserve a break––as well as us.” “but…” sonic began, whining, almost, “but…. but running!” migan thought that sonic’s argument was bad, and that his pappa wasn’t being fair to yoshi at all. blanket began wailing again, scared for his life, probably. migan had to put an end to this terribleness! “blanket,” migan said, quietly, so he would not disturb blanket’s crying, “i am going to go talk to them. i might be seven-years-old only, but i will try my best to convince them to… to listen to me! yoshi has a point, blanket. yoshi isn’t always that smart, i’ll admit, but for once i think he has a point??? this cruise sounds like an experience, and i would love to go. pappa sonic is just being annoying, because he _always_ wants to run, but he _always_ runs! it’s not fair. i’m going to go put my opinion into this argument.” “migan, no,” blanket looked up at migan, blinking away tears, “you’ll get hurt. sonic will beat you up! he has a tendency to do this with doctor eggman when he is angry. don’t make him angry! i’ve heard him _beat_ yoshi once! yoshi was wailing and moaning and it was just terrible! _terrible_! you’ll get hurt, migan. listen to your brother, for _once_!” migan made a face. he did not think sonic was beating yoshi that one time. sure, sonic would beat up doctor eggman, but he did not think sonic would ever beat yoshi. migan thought it was part of their nightly routine during the weekends, which migan and blanket were told to never interrupt or else they would be in big trouble. migan blinked and then said, “i’m going to do this. it’s our only hope. _i’m_ our only hope! i have to stop this terror in our household.” “migan, please,” blanket began, frowning with sadness, “don’t do th––” “BLANKET!!!!!! DON’T MAKE _ME_ BEAT YOU!!!!!! STOP THIS AT ONCE!!! I KNOW WHAT I HAVE TO DO!!!!! AND IF SOMETHING GOES WRONG I’LL SAY I’M BLANKET SO _YOU_ TAKE THE BLAME, WE _ARE_ TWINS AFTER ALL!!!” “i’m sorry,” blanket said, looking down in shame, “wait, wait, wait, wait, wait a minute…. did i hear what i _think_ i just heard? did i _hear_ what i think i just heard??? i’m
512
ao3
as he opened his eyes and in one swift move knelt, snapping his left hand up, dagger blade positioned across his neck. Tears ran down his face as he sobbed, praying for forgiveness never works for someone who has the blood of hundreds on his hands, on his body. An expression of desperation and pain plastered on his face as his hand shakes, eyes darting across the lagoon water. Harry lets out a small whine as one of her cold hands wrap around his left hand holding his blade whilst the other grips his right bicep pulling him close to her chest. “Hey, just relax Harry,” she whispers softly into his left ear. Her cold lips brushing his ear like a small kiss. “I’m here now.” Harry but his lip and shook his head trying to resist her angelic voice whispering sweet tunes into his ear, but his body immediately relaxes into her ever so familiar touch. “I’m s-sorry Uma” Harry chokes out in a sob thick tears rolling down his face, Harry swears he can feel the phantom stickiness of eyeliner. “I should of h-helped them. I - I should of helped-“ Harry can’t finish his sentence as his chest constricts as if an iron grip was forcing the air out of his lungs burning his throat. Tony let himself be dragged into the restaurant, sitting down at the booth he and Nat used to regularly frequent before everything had turned to ashes in Tony's life. They used to sit right here, every week, and watch the world pass by through the large glass window situated beside them. They would laugh about the most recent mission, how T'Challa had pranked Clint that week and how Clint sulked about it, they laughed and they were happy. Tony ordered his usual of sausage and tomato pasta, whilst Natasha ordered margarita pizza, and if Tony ended up drinking a lot of wine, nobody could fault him. He ended up feeling pleasantly buzzed, hearing real laughter being emitted from his throat for the first time, since... Since that day. He was near enough grinning at the stories of Natasha's recent and past missions. And although he didn't feel whole, he certainly didn't feel empty that night. And before he knew it, hours had passed and Natasha was holding her hand out expectantly for the cash, her eyebrow raised and her mouth cast in a cheeky smirk. He raised his own eyebrow, before passing it over, and Natasha was counting out his share and giving him the rest back, digging her own money out of her pocket. "I don't like you for your money, Tony, obviously I was kidding, wondered if you'd pull through. Buy yourself something nice." She winked, before throwing her coat over her and gesturing him out of the restaurant. He followed suite, grabbing his own coat, and hovering outside of his car. Nat leaned over to give him a parting hug. "Thanks, Nat." "You're welcome." She shot Tony a warm smile and waved to him from behind her shoulder as she began
512
reddit
Bar() def set_text(self, new_text): self.text = new_text class Bar(Foo): def __init__(self): self.text = 'Default' x = Foo().bar() x.set_text('Some text') print(x.text) But I want it to work like this class Foo: class Bar(Foo): def __init__(self): self.text = 'Default' def set_text(self, new_text): self.text = new_text x = Foo.Bar() x.set_text('Some text') print(x.text) Edit: Should have clarified more why I'm trying to do it like this. I'm creating a class for controls in pygame and the parent class will manage all of the events (clicking, double clicking, etc) as well as draw all of the controls that's been created through it (it's children). I want the user to be able to modify the properties of the child class using the parents methods (so I don't have 10 controls and 10 different set_text methods). I don't want the user of the class to create the controls without going through the parent. It needs to be created through the parent so the parent has a list of all of the controls so it can process the events on them So it would be more like this class Controls: def __init__(self): self.__controls = [] class Label: def __init__(self, text): self.__text = text # add this control to the parents self.__controls list class Button: def __init__(self, text): self.__text = text # add this control to the parents self.__controls list class Edit: def __init__(self, text): self.__text = text # add this control to the parents self.__controls list class Picture: def __init__(self, file): self.__file = file # add this control to the parents self.__controls list def set_text(self, new_text): # if child class has a .__text member self.__text = new_text def set_picture(self, file): # if child class has a .__file member self.__file = file def process_events(self): # go through the self.__controls for control in self.__controls: #see if any of them are being hovered over # clicked, double clicked, right clicked, scrolled, etc controller = Controls() btnOne = controller.Button('Click here') lblOne = controller.Label('Some text') picPicture = controller.Picture('C:\\Users\\Public\\Pictures\\Some Pic.jpg') lblOne.set_text('This is a label') Questions are welcomed and I don’t expect huge replies So I should start this by saying I go both ways I’m very Switch and more then happy to play either role. If you want me to be twink/sissy just be upfront I don’t mind as long as we actually sext. I’m not looking to spend three days building up to 29 minutes of sexting honey you start where you feel it’s best and we will go from there A little about me guys and girls I’m rather well endowed(my profile has my nsfw pictures it’s 9 inches ) 6’0 id say I’m cute and funny black hair. I can be shy at times but that’s just my personality but I’m also a very sexual creature and don’t mind the down and dirty type of partner. Bonus points if you have any links or like reddit posts of who you’d want to be in our roleplay. I don't understand this. I have guitars with vastly different neck profiles and my hands never cramp up. Yes, comfort is important, but I think your fretting
512
goodreads
writer, but in the opening sections there was also a tendency to overwrite - a showiness that distracted rather than complemented the plot. I only began to engage with the book when we reached the build-up to the orge that forms one of the centrepieces of the book. It's wonderfully written, and at last some of the characters begin to leap off the page. Once some of the large cast began to feel real rather than caricatured, I was drawn in and really enjoyed the final half of the novel. Hensher uses life in Handsmouth to explore Englishness; the balance between a private and public life; and loneliness in an intelligent and interesting way. It should also be said that the book is very funny throughout. But I felt it needed the heart and empathy that does eventually appear to lift it beyond satire. In the end after a shaky start, Hensher won me over. Finally we get some backstory! And of course excellent adventures. If you are in sales or not, employee or state at home parent, The Go-Giver is a book for everyone to read and live the examples presented by Bob Burg & John David Mann. It teaches all of us that truly giving to others will ultimately lead to benefits for all. My initial read of that book sold me right then and there. I then purchased numerous copies for my co-workers for christmas and I've since read the story a couple more times along with the audiobook. This book though is the companion to The Go-Giver, Go-Givers Sell More is more for those in sales or fields where the notion of giving your all will benefit you versus the traditional approaches. The authors explain by using real case examples where individuals displayed a Go-Giver attitude and truly benefit themselves and everyone around them. If you are in the position where you have a "McGuffin" to sell or are working your way up the ladder of employment then start first with The Go-Giver, but immediately afterwards add to it with this companion to help show you that Go-Givers truly do sell more and are much happier doing so as well. Great start to the series. I'm hooked on Scudder! Wow, this series just keeps getting better and better with every book. This book made me love every character more and more. Every really good book has lovable and hateable characters, and this book had the perfect hateable character, a new chef that's brought in. He was arrogant, cocky, and rude but he was vital to the story and because he was so rude he even had me laughing at times. I kinda hope he murders someone in the next book, but another part of me hopes he stays on to keep some humor in the series. I loved the fact that this book did not have a real murder in it. It had a few almost murders but yet it didn't have a real murder, which made it a nice change from typical cozies. The characters and setting were very good,
512
realnews
a greater stake in global agriculture trade I, thus, challenge the private sector to increase their role in agriculture financing through backward and forward linkages to enhance productivity challenges currently faced in this sector. As we have learnt in Zimbabwe through our successful Command Agriculture Programme, the private sector is an essential partner for growth and transformation of the sector. Ladies and Gentlemen; The African continent has a notably high percentage of arable land which should be harnessed to drive economic growth, stimulate development and improve food security. In that vein, I encourage our countries, through you, our farmer organisations, to utilise water resources, tropical and sub-tropical climates that allow long and multiple growing seasons, to transform agriculture in the region. I equally exhort farmers to renew and accelerate investments towards irrigation development as well as technologies in the efficient and effective utilisation of water to increase agricultural productivity and mitigate the ever growing challenges of climate change. Meanwhile, it is regrettable that African countries spend between US$30 billion and US$50 billion annually on imports of agricultural products, instead of developing the productive capacities necessary for trade. This reality gives greater impetus for us all, governments, unions, farmers, and private sector alike, to heavily invest in agriculture to produce for our own needs within the continent, as well as for export outside Africa. My Government remains ready for win- win collaboration and partnerships to promote appropriate agricultural, agro-industrial policies and investments that will ensure the full exploitation of land and widens the range of agriculture commodities produced and traded within Africa. Distinguished Guests; In a fast developing world and shifting trends, the need for farmers across the social spectrum to have a detailed understanding of the rules, regulations, processes and procedures within which to produce and competitively trade in regional and international markets cannot be overemphasised. I am advised that this is one of the major issues that will be discussed at this conference. I urge you all not to only have a better appreciation of the regional, continental and global trade agreements that have implications on intra-regional trade promotion; but to also cascade the knowledge and perspectives from this conference to other quarters of the farming communities such as small-scale and communal farmers. It is through concerted sharing of knowledge on enhanced production and market participation that our agricultural sector in the region will grow and economic benefits will accrue to our people for a better quality of life of all. I am aware that this event will provide an opportunity to deliberate on controversies surrounding trade arrangements and practices and the extent to which there hinder the prospects of trade to drive agricultural transformation in the region. In this respect, I hope your discussions will include topical issues such as unfair trade practices, elimination of trade barriers and the development of national productive capacities required to produce surplus for export if we anticipate trade to be a key driver of agricultural transformation in Africa. This is consistent with Africa's drive to create wider markets especially through the Africa Continental Free
512
Pile-CC
into common ownership, land rents can be socialised rather than flowing to private landlords and banks. Labour added this would allow people to put down much lower deposits and take on much lower mortgage debt than is currently the case, particularly in high land value areas. The party said the new buyers would sign a lease that would make them members of the Trust, and entitle them to exclusive use of the land in return for paying a land rent. When moving house, “members would sell their bricks and mortar, while the Common Ground Trust would retain the title to the land.” But these plans have been brutally torn apart but critics, who claim it is unaffordable and would force Labour to hike Britons’ taxes by tens of billions of pounds to pay for it. Related articles If politicians want to reduce the cost of housing, they should focus on abolishing the hated stamp duty - not be coming up with ideas for yet more damaging land taxes James Roberts James Roberts, political director of the TaxPayers’ Alliance, told Express.co.uk: “Setting up a landlord quango to buy up property would mean massive borrowing and huge land rents to cover the short term costs. Capping land rents would mean borrowing even more, potentially billions of pounds. “Taxpayers are facing a catch 22: new land taxes to live in your own home, or higher taxes across the board to pay for the UK’s new Government land baron. “If politicians want to reduce the cost of housing, they should focus on abolishing the hated stamp duty - not be coming up with ideas for yet more damaging land taxes.” The Labour Party outlined a number of proposals in their 'Land for the Many' report (Image: GETTY) Jeremy Corbyn's plans if Labour get into power have been ripped apart by experts (Image: PA) He said: “This policy is about as clear as mud and has more holes in it than Swiss cheese. Labour would only be able to fund this plan through huge tax rises and increased borrowing. “Its 2017 ‘fully costed manifesto’ already requires borrowing £250billion for an infrastructure fund over 10 years. That’s £25billion a year extra for further nationalisation. How do they propose going about funding this? “Also, how on earth does a Labour government ensure profitability that gives enough for the tax payer to get a return, and to cut prices for customers? The answer is they can’t. “Killing market forces and the ability of the private sector to generate much-needed housing has never been the answer to more affordable homes.” Is Labour Party leader Jeremy Corbyn a Eurosceptic? (Image: EXPRESS) Matthew Lesh, head of research at the Adam Smith Institute thunk tank, also raged Mr Corbyn’s plan could cost taxpayers’ billions of pounds to fund. “This policy reveals the insidious hatred of private ownership at the heart of Jeremy Corbyn’s Labour Party. Labour does not want you to have your own assets, to have your own stake in society. “If people do not own the land under their home they will
512
DM Mathematics
to 1/4 in v, t, -2? t Suppose 5*m - 3*l - 305 = 0, -3*l = -m - 0*l + 73. Let p = -289/5 + m. Let v = 33/5 - 7. What is the nearest to 1/4 in p, -1/2, v? p Let s = -901/7 - -129. What is the nearest to 1/3 in -2/11, s, -0.2? s Let g be (-2)/(1 - 2) + -3. Which is the nearest to g? (a) 2 (b) 3 (c) -1/7 c Let c = 3.15 + -0.15. Suppose 0 = 4*w - 7 - 13. Let t be (15/10 - 0)/(-6). What is the nearest to t in c, -0.5, w? -0.5 Let f = -73/28 + 20/7. Which is the nearest to 0.2? (a) f (b) 0.5 (c) -0.2 a Let g = -3.8 - 0.2. Let f = g + 3.9. Which is the closest to 2/3? (a) f (b) 1/3 (c) 0.4 c Let c(w) = w**3 - w**2 - 3*w - 2. Let y be c(-2). Let p = -12 - y. What is the nearest to -2 in p, -3/2, -2? -2 Let g(q) = -q + 12. Let o be g(12). Let x = -5 + 5. Which is the nearest to o? (a) -4 (b) -1/4 (c) x c Let u = -76 - -109. What is the closest to -1/4 in 0.3, -2/9, u? -2/9 Suppose -3*l = -5*w + 5, -5*w - l + 30 - 5 = 0. Let n be 0 + (-2)/13 + 0. Let k be (14/84)/(2/9). Which is the nearest to 1? (a) k (b) w (c) n a Let p = 0.098 - -0.902. What is the closest to 1 in -6, -4/7, p? p Let d = 30 - 34. Which is the nearest to -0.1? (a) d (b) 0.2 (c) -5 b Let y = -10.1 - -12. Let d = y - 2. Let s = d + 0. What is the nearest to s in 0.5, 0.1, -2? 0.1 Let m = -0.1 + -3.9. Let v be ((-80)/(-28))/((-2)/(-7)). Let k be (v/(-4))/(2/(-1)). What is the nearest to 1/2 in m, -3, k? k Let i be ((-1)/(-4))/((-12)/32). Let j = 0.2 - 0.6. Let h be (-6)/(-2) - 35/14. What is the closest to -2/3 in i, h, j? i Let w = 15 - 11. Let s(d) = 2*d. Let r be s(5). Let p be (-8)/r*(-6)/(-8). What is the nearest to 0 in 5, w, p? p Let l = 74/357 - -4/51. Let a = 0.12 - 5.12. What is the nearest to 0 in a, 5/4, l? l Let f be (-46)/16 + (0 - -3). Let t = -11 + 11.5. Which is the closest to 0? (a) 2/5 (b) f (c) t b Let g = -1.2 + 0.2. Let f = -3.5 - -4. Let l = 0.7 - f. What is the nearest to g in 4, -1, l? -1 Let q = -3.61 + 0.21. Let y = -0.6 + q.
512
goodreads
Magneto tortures Moira by covering her in some kind of skin-tight metal as he proceeds to aggressively interrogate her, and Professor X loses his shit as he tries to convince Magneto that it's not too late, they still could have it all but totally not in a gay way. Otherwise known as the issue where Rogue captures the essence of their fractured friendship in just two short sentences. Also more importantly known as the issue where Magneto and Professor X leave us with the most depressing and uplifting speeches respectively. This issue made me mutter "Erik, no!" and "Don't do this, Erik!" James McAvoy-style. ++++++++++++++++++++++++++++++++++++++++ This three-issued arc was actually intended to be the very last X-Men piece Chris Claremont ever wrote for the series. That alone makes it something worth reading. It's edgy, dramatic, heartbreaking and gorgeously drawn. I could have made it through an entire week with nothing but this story's aftertaste in my soul. Unfortunately, there are four issues after it that were merely entertaining if not mildly ridiculous and annoying. My high rating for Mutant Genesis as a volume is solely because of the Magneto arc which I will never stop enjoying. It would have received a perfect score if it wasn't for the second arc that was only delightful when it was appropriately campy and cartoonish, and underwhelming whenever it takes the easy route. Claremont did not impress me with these: Issue #4 "The Resurrection and the Flesh" --> In which Gambit tries to score with Rogue during their first date but Wolverine, Jubilee and Beast decided to be total dicks and turn it into a group hang instead. Otherwise known as the issue of super awkwardness when the gang were sabotaged by a group of armed men and Wolverine was segregated so he can fight a death match with a fucktard character I don't care about. This is also the issue where Moira finally snaps and leaves her boyfriend Sean (Banshee). Issue #5 "Blowback" --> In which people try to get Wolverine to remember certain things about his forgotten past because this is the point in the comics where Wolverine is perpetually living a blackout where his memories are basically eggshells only the most desperate would step into. Otherwise known as the issue where Wolverine is still one of the best characters ever but this shitty storyline almost made his participation unbearable to read. It has Dazzler and Longshot on the side but nobody cares. Issue #6 "Farther Still" --> In which Wolverine gets more shit from stupid characters like Matsuo (and his stupid poser hair), Omega Red and German twins called the Fenris who are mostly there to fill the quota of villains. Otherwise known as the issue where Sabertooth appears and makes things entertaining, and Psylocke's telepathy gets used against her for the second time. Issue #7 "Inside...Out!" --> In which Wolverine gets tortured physically again because he's Wolverine. Otherwise known as the issue where everything thankfully and mercifully wraps up on a happy note at least. This issue features Wolverine and Cyclops having
512
realnews
meant when the bush dried off there would be increased fuel to burn. The City of Albany's emergency management team leader Garry Turner said the emphasis this year would be on getting property owners to manage their land responsibly. "The public really need to know that you own the fuel, you own the risk," he said. "They've got to take care of the risk themselves, because in the whole of WA we don't have enough volunteer fire trucks to actually go out to every house and protect them." Across Albany's 16 volunteer brigades, almost 700 volunteers have been rolling trucks out of the district fire sheds, firing up the water cannons and testing their emergency radio systems ahead of the coming season. At the tiny community of Redmond, west of Albany, 20 bush firefighters have been working on fire drills with their brand new $400,000 four-wheel drive truck. Better kit making job safer: volunteer Local dairy producer Troy Mostert, his parents and four brothers are all volunteers at the brigade. He said improved training and equipment was making the dangerous job of fighting wildfires a little safer. "The volunteers are being recognised more and more which is important, the training is continuing to improve which we do need, because training is our safety," he said. The safety of bush firefighters has been the focus of increased training and new equipment following the death of an Albany firefighter in 2012. The State Coroner made recommendations to improve protection for the volunteers after Wendy Bearfoot died from burns she received when her fire truck was incinerated. All firefighting vehicles now have deluge systems and reflective fire blankets as a result of the lessons learnt at Black Cat Creek. But Mr Turner said he hoped they would never have to use that sort of equipment. "Because we try to train them to keep one foot in the black, that means they don't go into the fire ground too far where you can't get out," he said. "We go through a rigorous training program with our volunteers. Our council policy is no volunteer goes onto the fire ground unless they've done introduction to firefighting, bushfire fighting sand burn over drills." The city has a new $100,000 incident control van to co-ordinate firefighting efforts and act as a mobile communications centre. The van — paid for by the city and local businesses — will play a key role in controlling the city's response to emergencies and keeping tabs on where crews are. 'Fires are fought with paperwork' Mr Turner said the safety of firefighters was paramount and fire managers were increasingly accountable for operational decisions. "Fires are fought with paperwork. Yes, you go and [put] the wet stuff on the red stuff, but there's still a lot of paperwork that has to be completed," he said. "Before it used to be 'go out there' … now there's a lot of risk assessment that has to be taken into consideration. In the build-up to the fire season the City of Albany, volunteers and the Department of Fire and
512
Github
fetches a team by ID. // // GitHub API docs: https://developer.github.com/v3/teams/#get-team func (s *TeamsService) GetTeam(ctx context.Context, team int64) (*Team, *Response, error) { u := fmt.Sprintf("teams/%v", team) req, err := s.client.NewRequest("GET", u, nil) if err != nil { return nil, nil, err } // TODO: remove custom Accept header when this API fully launches. req.Header.Set("Accept", mediaTypeNestedTeamsPreview) t := new(Team) resp, err := s.client.Do(ctx, req, t) if err != nil { return nil, resp, err } return t, resp, nil } // NewTeam represents a team to be created or modified. type NewTeam struct { Name string `json:"name"` // Name of the team. (Required.) Description *string `json:"description,omitempty"` Maintainers []string `json:"maintainers,omitempty"` RepoNames []string `json:"repo_names,omitempty"` ParentTeamID *int64 `json:"parent_team_id,omitempty"` // Deprecated: Permission is deprecated when creating or editing a team in an org // using the new GitHub permission model. It no longer identifies the // permission a team has on its repos, but only specifies the default // permission a repo is initially added with. Avoid confusion by // specifying a permission value when calling AddTeamRepo. Permission *string `json:"permission,omitempty"` // Privacy identifies the level of privacy this team should have. // Possible values are: // secret - only visible to organization owners and members of this team // closed - visible to all members of this organization // Default is "secret". Privacy *string `json:"privacy,omitempty"` // LDAPDN may be used in GitHub Enterprise when the team membership // is synchronized with LDAP. LDAPDN *string `json:"ldap_dn,omitempty"` } func (s NewTeam) String() string { return Stringify(s) } // CreateTeam creates a new team within an organization. // // GitHub API docs: https://developer.github.com/v3/teams/#create-team func (s *TeamsService) CreateTeam(ctx context.Context, org string, team NewTeam) (*Team, *Response, error) { u := fmt.Sprintf("orgs/%v/teams", org) req, err := s.client.NewRequest("POST", u, team) if err != nil { return nil, nil, err } // TODO: remove custom Accept header when this API fully launches. req.Header.Set("Accept", mediaTypeNestedTeamsPreview) t := new(Team) resp, err := s.client.Do(ctx, req, t) if err != nil { return nil, resp, err } return t, resp, nil } // EditTeam edits a team. // // GitHub API docs: https://developer.github.com/v3/teams/#edit-team func (s *TeamsService) EditTeam(ctx context.Context, id int64, team NewTeam) (*Team, *Response, error) { u := fmt.Sprintf("teams/%v", id) req, err := s.client.NewRequest("PATCH", u, team) if err != nil { return nil, nil, err } // TODO: remove custom Accept header when this API fully launches. req.Header.Set("Accept", mediaTypeNestedTeamsPreview) t := new(Team) resp, err := s.client.Do(ctx, req, t) if err != nil { return nil, resp, err } return t, resp, nil } // DeleteTeam deletes a team. // // GitHub API docs: https://developer.github.com/v3/teams/#delete-team func (s *TeamsService) DeleteTeam(ctx context.Context, team int64) (*Response, error) { u := fmt.Sprintf("teams/%v", team) req, err := s.client.NewRequest("DELETE", u, nil) if err != nil { return nil, err } req.Header.Set("Accept", mediaTypeNestedTeamsPreview) return s.client.Do(ctx, req, nil) } // ListChildTeams lists child teams for a team. // // GitHub API docs: https://developer.github.com/v3/teams/#list-child-teams func (s *TeamsService) ListChildTeams(ctx context.Context, teamID int64, opt *ListOptions) ([]*Team, *Response, error) { u := fmt.Sprintf("teams/%v/teams", teamID) u, err := addOptions(u, opt) if err != nil { return nil, nil, err } req, err :=
512
StackExchange
and Unity? What apt-get remove and apt-get install should I follow? A: I hope this works for you: sudo apt-get remove xserver* sudo apt-get -f install --reinstall xorg Q: What would be the output voltage of the full wave rectifier output when center-tap is removed? This is the circuit I have been analyzing. My intention is to calculate the output voltage at the resistance RL when the center tap is removed. With center tap connection, output voltage VRL(DC) is calculated is given below, When center-tap is removed, my understanding, Secondary output voltage will be the sine wave with peak voltage = 1.414 * 12V = 16.968 V. At the positive voltage diode D3 will conduct and negative cycle D2 will conduct. So each output would be equivalent of half-wave rectifier. Output (VRL(DC)) voltage (DVM reading) would be = 16.968 V - 0.7 V = 16.268 V ( Note: The reason I am taking the peak voltage as the output voltage is due to the high output capacitance (470 µF). That is why I am not using the average voltage equation Vp/π) Can you please review the output voltage calculation when the center-tap is removed? A: The centre tap is a low impedance source coupled to the primary low impedance. The load R's are fairly high impedance. When the caps and load R's equal, there is no difference. To keep the voltages balanced with a mismatched load, the source impedance must be low. We call this mismatch from loads, load regulation error where the error is due to the voltage divider % (Rs/(Rs+Rl)) that is if one knows the source and load equivalent R's for transformer and diodes. Q: How to compute modulo of md5 in R? The title says it all... I know that I can use digest::digest to compute the md5 of a string: digest::digest('string', algo = "md5", serialize = FALSE) However, I'm at a loss for how I can convert this (presumably hexadecimal) value into an integer (or big int) for modulo purposes... My attempts to use as.hexmode and strtoi have both failed. > as.hexmode(digest("1", algo = "md5", serialize = FALSE)) Error in as.hexmode(digest("1", algo = "md5", serialize = FALSE)) : 'x' cannot be coerced to class "hexmode" > strtoi(digest("1", algo = "md5", serialize = FALSE), base = 16L) [1] NA A: The problem is that the resulting number is too high to be represented as an integer, and strtoi returns NA. Since you need only the lower numbers for the modulo, why not just convert the end of the md5-string? This example does not give the same result as the next (correct) solution with Rmpfr. x <- digest::digest('string', algo = "md5", serialize = FALSE) strtoi(substr(x, nchar(x)-4, nchar(x)), base=16) Another solution is to use the Rmpfr library, which supports conversion of large integers. This gives the correct conversion result (but requires an additional package): library(Rmpfr) x <- digest::digest('string', algo = "md5", serialize = FALSE) x <- mpfr(x, base=16) x %% 1000 Q: algebrainc proof for $\alpha\beta \leq \frac{\alpha^p}{p} + \frac{\beta^q}{q}$ for conjugate exponents p and q I found a very
512
gmane
considered include: notable publications; outstanding contribution to the activities of professional cataloging associations; outstanding contributions to the technical improvement of cataloging and classification and/or the introduction of a new technique of recognized importance; and outstanding contribution in the area of teaching cataloging and classification. Send nominations to: Bruce Trumble First, apologies to everyone for my last email. I didn’t mean to change the thread and jump into the middle. Just wasn’t thinking. I’ve got the build working just fine, but I can’t figure out how to tell cmake that I want to build a .deb (Debian) package. I can’t find it as a target to build. Any help here? Thanks, Bruce An interesting paper I don't think have been mentioned on the DML before: Durda, D. D. & Kring, D. A. 2004. Ignition threshold for impact-generated fires. Journal of Geophysical Research 109 E08004. They study three energy levels 51 kWm-2 for 2 minutes (ignites wood under any circumstances), 20 kWm-2 for 20 minutes (ignites wood in the presence of an ignition source) and 28 kWm-2 for 1 minute (ignites foliage, rotten wood and dry litter, which would provide an ignition source). Calculates that the threshold for continent-wide and world-wide ignition of woody material equates to c. 10^15 and 10^16 kilograms of ejecta respectively, which implies crater diameters of c. 85 and 135 km respectively. This means that Chicxulub is the only Phanerozoic crater certainly in the "worldwide" category, though the Bedout Structure would probably also qualify if it is really an impact crater. Definitely "continent-wide" impacts would include at least Manicougan, Popigai and Chesapeake Bay. An interesting feature is that in most cases the effects in the antipodal area are worse than near the impact (the ejecta landing there have much more energy). Anybody know where the antipodal points of Popigai and Chesapeake Bay were in the Eocene? India and environs must have been very badly hit by Chicxulub. Might explain why there are no land vertebrates with definitely Mesozoic antecedents on Madagascar, while New Zealand which was almost completely flooded in the Oligocene still has two (Sphenodon and Leiopelma). They do not address the direct effect on animals, but even the lowest studied energy level would generate temperatures close to 500 degrees centigrade on an exposed surface and certainly kill any unprotected animal quite quickly. Incidentally this implies that there is probably a rather wide range of irradiation that would kill unprotected animals but not ignite tree trunks, so treeholes might work as protection for small animals. Neither is there any discussion of the effect of heavy cloud or snow which would certainly give some protection (in the case of snow probably a lot because of its very high albedo and thermal inertia). Tommy Tyrberg I am having troubles after upgrading from 12.1 to 12.3. I hope someone can help me. One problem is that I am no longer able to switch input method on Japanese keyboard using zenkaku-hankaku key or any other defined key combination. I presently have scim and Anthy configured, as it was before the upgrade. System languages are
512
StackExchange
call the 3 clusters HG11, HG21 and HG31. The servers are 10.10.X.Y. To add some complexity, we will also enable read/write split, where the readers are HG12, HG22 , HG32. INSERT INTO mysql_servers (hostgroup_id,hostname) VALUES (11,"10.10.10.1"), (12,"10.10.10.1"), (12,"10.10.10.2"), (12,"10.10.10.3"), (21,"10.10.20.1"), (22,"10.10.20.1"), (22,"10.10.20.2"), (22,"10.10.20.3"), (31,"10.10.30.1"), (32,"10.10.30.1"), (32,"10.10.30.2"), (32,"10.10.30.3"); Enable replication hostgroups INSERT INTO mysql_replication_hostgroups (writer_hostgroup,reader_hostgroup) VALUES (11,12),(21,22),(31,32); Create rules for read/write split INSERT INTO mysql_query_rules (rule_id, active, match_digest, flagOUT) VALUES (1,1,'^SELECT.*FOR UPDATE',100), (2,1,'^SELECT',200), (3,1,'.*',100); Sharding, sending traffic to masters INSERT INTO mysql_query_rules (active, flagIN, schemaname, destination_hostgroup, apply) VALUES (1,100, "shard001", 11, 1), (1,100, "shard002", 11, 1), (1,100, "shard003", 11, 1), (1,100, "shard004", 11, 1), ... (1,100, "shard050", 21, 1), (1,100, "shard051", 21, 1), (1,100, "shard052", 21, 1), (1,100, "shard053", 21, 1), (1,100, "shard054", 21, 1), ... (1,100, "shard100", 21, 1), (1,100, "shard101", 31, 1), ... (1,100, "shard150", 31, 1); Sharding, sending traffic to slaves INSERT INTO mysql_query_rules (active, flagIN, schemaname, destination_hostgroup, apply) SELECT 1, 200, schemaname, destination_hostgroup+1 , 1 FROM mysql_query_rules WHERE flagIN=100; Load everything to runtime: LOAD MYSQL SERVERS TO RUNTIME; LOAD MYSQL QUERY RULES TO RUNTIME; Eventually, save everything to disk: SAVE MYSQL SERVERS TO DISK; SAVE MYSQL QUERY RULES TO DISK; About "There is no way to have proxysql deal with the question of which schema is on which hg by itself?" : the answer is no, and this is intentional. Each HG may have identical schemas: beside the classic "mysql", "information_schema", "performance_schema", you can have other schemas that are used for other purposes (anything really). We can't ask ProxySQL to understand what are these schemas and automatically create rules. Also, it is possible that you have created a tenant_1 schema in two different servers, but one has production data while the other has testing data: you don't want ProxySQL to automatically add both of them. Finally, because ProxySQL is easy reconfigurable using simple SQL queries executed on the admin interface, if you want to automate the loading of new schema you can simple create a script that connects to each HG, lists the schemas, and connected to ProxySQL creating the rules if missing. The script can be very simple, but should also have the logic to exclude schemas that shouldn't be included. Or you can create configurations that are pushed to ProxySQL using configuration management tools like Chef, Ansible, Puppet, Consul, etc. Q: What's wrong with my calculation of the expectation of the Laplace distribution? f2[x_, mu2_, sigma2_] = 1/Sqrt[2*sigma2^2]*Exp[-Sqrt[2]*Abs[(x - mu2)/sigma2]] Integrate[x*f2[x, mu, sigma], {x, -Infinity, Infinity}, Assumptions -> sigma > 0] I am pretty sure that the above should produce mu, but it doesn't. What's wrong with it? I did the same thing in Sage, and it worked all right. A: f2[x_, mu2_, sigma2_] := 1/Sqrt[2*sigma2^2]*Exp[-Sqrt[2]*Abs[(x - mu2)/sigma2]] Integrate[x*f2[x, mu, h], {x, -Infinity, Infinity}, Assumptions -> {Element[mu, Reals], h > 0}] (* mu *) Edit Let's make what he did wrong crystal clear to the OP. Should have used SetDelayed (:=) rather than Set (=) when defining f2. Needed to have an additional assumption that mu was a real number. Q: If $\lVert f(t) \rVert:[0,T] \to \mathbb{R}$
512
amazon
in this book and Great headphones at a good price. Beautiful Wedges! Very comfortable. Love these shoes! They are super comfortable and fit perfectly. I wear them every day at work. I need to buy another pair to have at home. Simple, easy to follow common-sense instructions on raising a baby. Great quality! Intriguing dramas which will keep you interested and wondering how things will be intertwined to bring each to a successful and believable conclusion. Received for a Christmas gift and it did not work, it would not read Bluetooth.. Waste of money The dress looked nice on the picture but when i received it it was very different. I can not recommend this dress to any body I love the bag. It's the perfect size for quick trips and the small little things you want to carry. Much of the art presented in this video is actually quite well chosen (for this "genre"), and it is interesting to think about the cultural/historical context of the pieces. But don't expect -too- much exploration of social themes in this video. The art is showcased by two creeps who, throughout the video, create inane banter to "compliment" the pieces. While the woman does bring up a bit of the cultural context of some of the pieces, the man mainly smiles creepily, giggles and makes childish jokes. I'm not sure if this video is intended as a serious (although brief) discourse on the legitimacy of erotic themes in fine and pop art, but it seems to fall short of it's mark, if such was truely intended. Expect a lot of terrible graphics and music, and get ready to feel nauseous whenever your hosts smile and say "I love you." This book is excellent, nothing I can say that isn't already posted. This ornaments is very nice and will look fabulous on my kitchen Christmas tree. Great product! No problem with the product. Bigger then I anticipated. luke skywalker's tauntaun doesn't open cause it was han's tauntaun that got cut open. luke's tauntaun was getting chomped on by the wampa. c'mon people! I ordered this from Robinson Market. It took two months to arrive (from China) and when it did, it did not work. There was no way to contact the seller or to return (the return policy just said not eligible for return). I know it's cheap, but it didn't even magnify. The The item is wrongly assembled - the image is upside down and smaller than the original. That seller must have a defective batch. Works really great! Despite a promising story line, this one strikes me as a little too self-consciously cute, with characters that aren't all that appealing. Nighy and Macdonald do good work but IMO were better in Worriker and State of Play, the former in particular which seems to me the definitive Bill Nighy role. The political moralizing here doesnt help. I would have preferred a straight-on romance. I took a chance on buying a used product and I was not satisfied with the outcome. This style Walkman needs to AA batteries to work. A later Model Walkman only requires one AA battery and that one is
512
realnews
man creeping up behind girl and grabbing her MOVIE FIGURE TRAGEDY Star Wars and Hunger Games producer, 54, dies after lung cancer battle THAT'S BANANAS Office worker finds 'deadly Brazilian wandering spider in his Asda bananas' "It has been put up on walls in various offices and is a show of support to the people of Gibraltar. "Even bosses have given the thumbs up to the poster being stuck up and it shows government workers have a sense of humour as well." PM Theresa May quizzed on Gibraltar and Brexit during King Abdullah II meeting in Jordan Last week Gibraltar's famous Barbary Apes even grabbed our posters and we also gave the Spanish a dramatic light show as we beamed the slogan onto the white slopes of the Rock. We bluntly told the Spaniards Hands of Our Rock as we also lit it up with the phrases Up Yours Senors and No Way Jose. The Spaniards made a renewed grab for Spain after the EU's Brexit negotiating draft document said no deal would apply to Gibraltar - which was ceded to us in 1703 - without Madrid's opinion. One of Gibraltar's iconic Barbary macaques backs The Sun’s Hands Off Our Rock campaign News Group Newspapers Ltd Locals also got behind our campaign Taxi driver Keziah Holgado says Gibraltar should remain British Pig and Whistle regulars Anthony Balban, 72, and Philip Cross, 65 show their support Respected weekly Newsweek even backed us and slammed Madrid's attempts as hypocritical pointing out they had two disputed Spanish enclaves in Morocco. The magazine wrote:"Spain, however, is playing with fire and risks creating a precedent which will burn it several times over. Spanish patrol boat chased out of Brit waters off Gibraltar by the Royal Navy "While Spain might object to Great Britain maintaining sovereignty over a 2.6-square-mile territory that Madrid sees as its own, Spain has its own enclaves on the Mediterranean carved out of what should be, but for historical accidents of centuries past, sovereign Moroccan territory." Last week Spain tried to flex its muscles over Gibraltar as it sent a patrol boat onto territorial waters which was chased away by the Royal Navy. Then just hours later a Spanish police chopper entered the Rock's airspace again without permission and both incursions have been slammed by Downing Street. However the snooty metropolitan elitist Observer sneered at Gibraltar and its "love of Britain and the Queen" adding unpatriotically the "Spanish have a point". WATCHING Jody Powell work out with the press at Carter White House briefings was like watching Douglas Fairbanks Jr. flash his way through a movie sword fight: thrust, parry, lunge, and skewer as only an expert can. When the Carter movie ended in 1980, Mr. Powell picked up his opponents' sword and leaped into another fray as syndicated columnist and TV commentator. Now Powell has written a new book, ''The Other Side of the Story,'' in which he duels with the press in his double role. The result is like a sword fight in the hall of mirrors, with Powell taking on the
512
amazon
that I had previously used for our kitchen floor. I saw this was about half the price and figured, since it was going in the basement utility room, why not give it a try. It's worth every penny. The finished utility room floor feels/sounds just as good as the floor I did w/ the Floor Muffler underlayment. Reminded me of my high school days! Dickey writes amazing storylines from a woman's point of view. I loved it! My shoe arrived as expected and was the right color and most of all it fits perfectly. i feel like an idiot for not Reading Rory Comment before ordering this product Exactly what (Gory Gentry) Said battery are not the ones in the picture....!!!!! please REEEEADDDD this SCAMMMMMM ad said the batteries would be 1500mAh, the package they came in said 1900mAh, but the batteries themselves have no info on them, at all scanned code on the box and the go for $4.00 each battery the point is that you don't know what you are buying i feel crap.... I won't buy from this seller "EVER" again. Considering the price it's not worth it to return the items. BUT I recommend to not buy from this seller until he fixes the way he does business.... great item I have one VERY upset little girl. She has been waiting patiently for this disc for months. Gave it to her for holiday gift last night. Disc is broken and Keeps crashing. Daughter is crushed. :( Morgan Drawn to this book because of my involvement in MOPS. I was hungry for fellowhip, for those walking the same road as me. What an exilerating read. Family life is weak at best with 25% of people over 40 not follwers of Christ. Ms. Morgan states our families are relationally, financially, expectationally broken. Ms. Morgan wonderfully speaks truth. We are healed because of His wounds. We are not evaluated by the products of our parenting. I am accountable for my willingness...how I have allowed and been open to God using my influence. On p. 111, I loved Einstien's quote about felling stupid when we are evaluated against the unattainable. When one is trying to function in a realm of that one is not made to work in..we feel failure and not mercy,grace, and blessing. My favorite part on p. 196 Ms. Morgan points out how God has used brokeness over time for His glory. He wants our vulerable, authentic selves. Notihing in our lives is wasted or useless. His word, a relationship with Him is solid grount. We are unqualified for the task of parenting. It is God who works in us and through us. I received this book free from Booksneeze. Great fit and great gift This Is A Great Product But I Would Not Recommend If your Just Starting On Getting Fit.. This Is tailored To Those Who Have some training Under Their Belt I purchased this lens for an afforable alternative to other wide angle lenses for the time being for my 7D. When I received the lens, I was blown away by the build quality.
512
Pile-CC
juncture to ask some fundamental questions. Has QE worked? Does it mean the end of economic stimulus? Who really gained from the policy? Were there any better alternatives?The answer to the first question is that QE has worked, up to a point. Sure, this has been a tepid recovery in the US and a non-existent recovery in Europe, but the outcome would almost certainly have been a lot worse had central banks not augmented ultra-low interest rates with their money creation programmes. The comparison between the US and Europe is telling: monetary policy has been far more proactive and expansionary in the US than it has been in the eurozone, which helps to explain the disparity in growth and unemployment rates. It is also the case, though, that the impact of QE has been blunted in the US and the UK by the combination of unconventional monetary policies with conservative fiscal policies. There has been a tug of war between stimulus and budgetary austerity.The unspectacular recovery means that stimulus policies will continue. Even though the UK and the US are posting annual growth rates of around 3%, there is no hurry to start raising interest rates. Many financial analysts suspect that central banks will never reverse QE by selling the bonds they have bought.QE has also had unforeseen side-effects. The policy involved allowing banks and other financial institutions to exchange bonds for cash, and the hope was that this would lead to improved flows of credit to firms looking to expand. In reality, it encouraged financial speculation in property, shares and commodities. The bankers and the hedge fund owners did well out of QE, but the side-effect of footloose money searching the globe for high yields was higher food and fuel prices. High inflation and minimal wage growth led to falling real incomes and a slower recovery. QE could have been better designed. There could have been a better dove-tailing of monetary (interest rates and QE) and fiscal (tax and spending) policies. There was a strong case for the targeting of QE at specific sectors of the economy, such as green infrastructure. In retrospect, far too much faith was put in the banks to channel QE to where it was needed. Handing a cheque directly to members of the public would have got money into the economy much more effectively.Central banks have always been wary of “helicopter money” on the grounds that QE is temporary while giving cash to the public is permanent. But the temporary has become permanent. What was once unconventional has now become conventional. So much so that even the European Central Bank is toying with the idea. Perish the thought, but imagine there is a second global financial crisis as bad as the first. Would policy makers look at alternatives to plain vanilla QE? Almost certainly, yes.” Blur tracking dont remember where, but think I saw a tutorial how to blur track (when you want to hide people faces or logos on t-shirts) anyone who can tell me what plugin was used, and where to find the tutorial thanks
512
Github
= wallet.account val accountType = account.type if (accountType is AccountType.Mnemonic && accountType.words.size == 12) { useCount += 1 kit?.let { return it } val syncMode = WordsSyncMode.ApiSyncMode() val networkType = if (testMode) NetworkType.Ropsten else NetworkType.MainNet val rpcApi = when (communicationMode) { CommunicationMode.Infura -> RpcApi.Infura(InfuraCredentials(infuraProjectId, infuraSecretKey)) CommunicationMode.Incubed -> RpcApi.Incubed() else -> throw Exception("Invalid communication mode for Ethereum: ${communicationMode?.value}") } kit = EthereumKit.getInstance(App.instance, accountType.words, syncMode, networkType, rpcApi, etherscanApiKey, account.id) kit?.start() return kit!! } throw UnsupportedAccountException() } override fun unlink() { useCount -= 1 if (useCount < 1) { kit?.stop() kit = null } } // // BackgroundManager.Listener // override fun willEnterForeground() { super.willEnterForeground() kit?.onEnterForeground() } override fun didEnterBackground() { super.didEnterBackground() kit?.onEnterBackground() } } // // Copyright (C) 2015 Claudio lorini <claudio.lorini@iit.it> // Copyright (C) 2011 Sascha Ittner <sascha.ittner@modusoft.de> // // This program is free software; you can redistribute it and/or modify // it under the terms of the GNU General Public License as published by // the Free Software Foundation; either version 2 of the License, or // (at your option) any later version. // // This program is distributed in the hope that it will be useful, // but WITHOUT ANY WARRANTY; without even the implied warranty of // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the // GNU General Public License for more details. // // You should have received a copy of the GNU General Public License // along with this program; if not, write to the Free Software // Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA // /** \brief Linuxcnc and Machinekit HAL driver for Beckhoff EL2202 2-channel fast digital output terminal with tri-state. \details Voltage on Output terminal is controlled by the Output hal pin, if the Tristate hal pin is activated the output value is placed in high impedence status. http://www.beckhoff.com/english.asp?EtherCAT/el2202.htm%20 */ #include "lcec.h" #include "lcec_el2202.h" /* Master 0, Slave 2, "EL2202" * Vendor ID: 0x00000002 * Product code: 0x089a3052 * Revision number: 0x00100000 */ /** \brief channels PDOs Index, SubIndex, size in bit */ ec_pdo_entry_info_t lcec_el2202_ch1_out[] = { {0x7000, 0x01, 1}, /* Output */ {0x7000, 0x02, 1}, /* TriState */ }; ec_pdo_entry_info_t lcec_el2202_ch2_out[] = { {0x7010, 0x01, 1}, /* Output */ {0x7010, 0x02, 1}, /* TriState */ }; /** \brief PDOs of the EL2202 */ ec_pdo_info_t lcec_el2202_pdos[] = { {0x1600, 2, lcec_el2202_ch1_out}, /* Channel 1 */ {0x1601, 2, lcec_el2202_ch2_out}, /* Channel 2 */ }; ec_sync_info_t lcec_el2202_syncs[] = { {0, EC_DIR_OUTPUT, 2, lcec_el2202_pdos, EC_WD_ENABLE}, {0xff} }; /** \brief data structure of each channel */ typedef struct { // data exposed as PIN to Linuxcnc/Machinekit hal_bit_t *out; hal_bit_t *tristate; // OffSets and BitPositions used to access data in EC PDOs unsigned int out_offs; unsigned int out_bitp; unsigned int tristate_offs; unsigned int tristate_bitp; } lcec_el2202_chan_t; /** \brief complete data structure for EL2202 */ typedef struct { lcec_el2202_chan_t chans[LCEC_EL2202_CHANS]; } lcec_el2202_data_t; static const lcec_pindesc_t slave_pins[] = { { HAL_BIT, HAL_IN, offsetof(lcec_el2202_chan_t, out), "%s.%s.%s.dout-%d" }, { HAL_BIT, HAL_IN, offsetof(lcec_el2202_chan_t, tristate), "%s.%s.%s.tristate-%d" }, { HAL_TYPE_UNSPECIFIED, HAL_DIR_UNSPECIFIED, -1, NULL } }; /** \brief callback for periodic IO data access*/ void lcec_el2202_write(struct lcec_slave *slave, long period); int lcec_el2202_init(int comp_id, struct
512
Gutenberg (PG-19)
Imagination, Grace and Beauty, all those qualities which are to the work of Art what scent and colour are to the flower, can only grow towards heaven by taking root in earth. Is not the noblest poetry of prose fiction the poetry of every-day truth? Directing my characters and my story, then, towards the light of Reality wherever I could find it, I have not hesitated to violate some of the conventionalities of sentimental fiction. For instance, the first love-meeting of two of the personages in this book, occurs (where the real love-meeting from which it is drawn, occurred) in the very last place and under the very last circumstances which the artifices of sentimental writing would sanction. Will my lovers excite ridicule instead of interest, because I have truly represented them as seeing each other where hundreds of other lovers have first seen each other, as hundreds of people will readily admit when they read the passage to which I refer? I am sanguine enough to think not. So again, in certain parts of this book where I have attempted to excite the suspense or pity of the reader, I have admitted as perfectly fit accessories to the scene the most ordinary street-sounds that could be heard, and the most ordinary street-events that could occur, at the time and in the place represented--believing that by adding to truth, they were adding to tragedy--adding by all the force of fair contrast--adding as no artifices of mere writing possibly could add, let them be ever so cunningly introduced by ever so crafty a hand. Allow me to dwell a moment longer on the story which these pages contain. Believing that the Novel and the Play are twin-sisters in the family of Fiction; that the one is a drama narrated, as the other is a drama acted; and that all the strong and deep emotions which the Play-writer is privileged to excite, the Novel-writer is privileged to excite also, I have not thought it either politic or necessary, while adhering to realities, to adhere to every-day realities only. In other words, I have not stooped so low as to assure myself of the reader's belief in the probability of my story, by never once calling on him for the exercise of his faith. Those extraordinary accidents and events which happen to few men, seemed to me to be as legitimate materials for fiction to work with--when there was a good object in using them--as the ordinary accidents and events which may, and do, happen to us all. By appealing to genuine sources of interest _within_ the reader's own experience, I could certainly gain his attention to begin with; but it would be only by appealing to other sources (as genuine in their way) _beyond_ his own experience, that I could hope to fix his interest and excite his suspense, to occupy his deeper feelings, or to stir his nobler thoughts. In writing thus--briefly and very generally--(for I must not delay you too long from the story), I can but repeat, though I hope almost
512
reddit
:/), D'artagnan, Mew, Yeowoodong, Altair, Mandy, Necron, Sasquatch, Isabel, Susanoo, Mondrian, Cain, Hikari, Arona, Maxi, Thor, and Kriemhild. Plus a bunch of other older 4*s So are there any new characters I should be trying to get, and what kind of teams work in PvP? I just used Lilith, Mundeok, and Viper to deal a ton of damage before I got killed. My neck isn’t the same color as my face, never has been. Buuuuuttttt, babygirl knows how to blend. ESPECIALLY if I knew I was gonna be on camera! I noticed the same thing. It drives me crazy because I know I have the same issue, but make sure I don’t forget to cover my neck, too. Sorry if this has been asked before - I'm having trouble getting betrothed to marry. My heir is betrothed to the daughter of another earl - who I assassinated just before both my heir and the daughter turned 16. I invited the daughter to my court and now she and my heir are languishing about, stuck in some limbo where they can't get married, but I don't really want to break the betrothal. Any Ideas? Is it a bug? Thanks I bought the Kyuemon Ceramic Filter after seeing it discussed here. I wanted to share my thoughts and some pictures after my first brew with the thing. Not knowing how much coffee to use, I ended up using the same amount as I do in my Aeropress. I believe that to be ≈ 17 g, with a final yield of ≈ 350 ml coffee. A nice big cup! The coffee produced by this filter was not at all tea-like as I had feared from reading other user experiences. The coffee had a chemex-like super clean cup with absolutely no sediments. There were no bitter/sour taste notes. It was extremely smooth, with a freshness that I have not tasted/experienced before. All in all it was a very enjoyable cup and a nice single-cup alternative to my Aeropress! People who have also bought this. What is your opinion on the coffee? CONCLUSION: Absolutely great if you like your chemex. Probably not-so-great if you prefer french press. H2H points, keeper, lose the round he was drafted in 1st year, round earlier every subsequent year. Im trying to make a trade for Kris Bryant and the guy who has him has made it clear Harvey has to be included to make it happen. The deal he wants to do is Kris Bryant, Justin Morneau, Chris Tillman for Rusney Castillo, Nick Castellanos, and Matt Harvey. He got Bryant in the 17th round so id essentially be able to keep him for almost nothing for his entire career with our keeper rules. Im leaning towards doing it because I have Betts, so Castillo is nothing. Then the rest of my pitching rotation is Zimmermann, Tehran, Samardzija, Ventura, and Fernandez when he comes back. Would love some input on if its worth it or not. Thanks! The problem is not actually that we're expecting too much... it's just that we had so many
512
reddit
never found out where I lived, but I know she damn well tried. I still like the idea of being adored from a distance, even after the kook. In freshman year, I was in chorus, which was where I landed my first "real" girlfriend, who I'll call bliss, as I was ignorant of her immature nature, and ignorance is bliss. She was a senior. I thought she was pretty. I'd hit the jackpot. Now I realize that she looked just like her brother. I don't think she's attractive anymore. But goddamn I miss her. Being with her was the perfect end to a hard week. I fell hard, guys. She was my first "serious" girlfriend. We never had sex, but if we'd been together another week or two, we'd have gotten there. I was only fourteen, though. Barely fourteen, in fact, when our first "encounter" happened. She was seventeen. I still don't know what to feel about that. Also in freshman year, I met a guy who ill call Chuck. He quickly became my closest friend, and remains so to this day. He is the person I turn to most with my pain, and was one of the first five people I came out to when I discovered I was bisexual. I've got another friend who I'll call Chad. He's a goof, but hes also one of my closest friends. We regularly play overwatch together. I fear that I'll lose them both now that I'm almost a senior myself, and soon it'll be time for us to part ways and go to college, start families, and have careers. My second girlfriend was a girl that I'll call cat, because she reminded me of a cat, as she was slender and quiet. We stayed together for half a year. She was kind, pretty, smart, and caring. Everything I needed, but she never so much as held my hand. This was the current year if my life, which is junior year, so physical contact was an important part of a relationship. It's not even that she wasn't very sexual. I could not have given less of a fuck if we had sex or not. I would have been content to hold her, to feel that connection that I used to have with bliss before she dumped me and went straight back to her ex. That's not the only reason we broke up, but it was a big one. Now, I'm alone. I long for somebody to love, which, by the way, was the song that kicked off my first relationship, "somebody to love" by queen. Back to the point, however, is the fact that I am miserable. I was once threatened with eviction by my grandmother after I'd gone to the gas station after dark, despite her telling me not to. Other kids sneak out and get grounded. I sneak out and my ass is on the streets. I broke down that night. I broke down another time. I felt a shadow standing over me, in my mind, and in my soul. I was
512
ao3
move to bunch themselves in his shirt and he moves his free hand to clutch at your side. This continues until Jake pulls away before giving you a quick peck and standing up. He grabs your hand and pulls you up, leading you to your bedroom. You stumble a bit, still tipsy and full of bliss. Before you know it, you’re in your room and Jake is stripping down to boxers. You can’t tear your eyes away because he is just damn fine. He notices your staring and blushes a hint before walking over to you and tugging gently on your shirt. “C’mon Dirk, let’s sleep shall we?” Nodding you strip down to your boxers as well and accompany Jake to your bed. He lies down first and pulls you down into his chest. Your head is resting under his chin and you sigh happily. He snuggles closer and wraps his arms around you. “We’ll talk about this in the morning, Dirk,” he whispers “good night.” He places a kiss to your forehead and you both fall asleep entangled in each other. Ready or Not **Author's Note:** > They're like 7 in this "Ten" Awsten could hear Geoff's voice echo through the halls as he quickly turned the corner, trying to go as fast as he could while making as little noise as possible (Something he wasn't very good at.) As soon as had made it into Otto's bedroom, he stopped to catch his breath and find any hiding places where he was, as it was to late now to try to go to a different part of the house. "Nine" As soon as he heard the next number he started rushing, checking the places he had thought might have worked as hiding spots. First he checked Otto's closet, but the little shelf like structure hung up in there left to little room for him to fit. Next he tried under the bed, but it was to close to the ground for him to get under at all, much less in the time he had "Three" Crap. In the time he spent trying to squeeze in the small places, he hadn't managed to come up with any other hiding spots. He decided that he might as well surrender, and just let Otto win. "Two" As he made his way to the door, he saw it, the perfect hiding spot. Right there in-between the door and the wall. It was big enough for him to fit in, and somewhere he was sure Geoff wouldn't think to check. "One" He had to hide _now_. As quickly and quietly as he could, he made his way to behind the door. He had to push it out a slight bit, cringing at the squeak it made. "Ready or not, here I come!" This was it. He had to be as quiet as he could be, be as still as he could be, and hope that Geoff found Otto first. His heartbeat quickend as he heard footsteps in the hall, but relaxed a tad when he heard
512
YouTubeCommons
it is tonight uh wanted me to do a little bit of an itinerary review for a trip to Nicaragua which is what I tend to know a little bit about so uh he has a couple things it's going to be a quick trip it's for about five days uh with two people and the only two absolute pin drops that must happen the non-movable things are uh seeing the the at night this is important the open lava at the Messiah volcano definitely a should do in the country uh and volcano boarding which for those who are not aware happens here in Leon you don't actually volcano would board in the middle of the city but all of the launching uh tours for it are here in Leon I would not talk to people anywhere else about it there's lots of places that are going to sell tours but the tours are all from Leon all the volcanoes for volcano boarding are right here at s negro it's it's really close to the city um so there's two really big volcano boarding groups here in the city uh and that's who you want to go with they're the ones who do it every day they know what they're doing that's that this is where it's done so come to Lon and do the volcano boarding from here there's like like you could arrange it from magaga but that's really silly right if you lived in magaga yeah different but if you're like on vacation and you're coming to Lon just come to Lon and go volcano boarding all right so their current plan is to start the week on a Friday um they're going to land at managa airport and do the drive to Leon they're estimating one and a half to two hour drive well okay so I've done in 75 minutes I could do it in 1 hour if uh um I was being bad but you shouldn't and you want to allow more than two hours for this um partially because you're going to want to allow a bit of time just for the airport you got to rent a car do whatever and that's if you're going to rent a car now if you have a driver lined up a taxi that's what I would do if I was heading out to Leon I was going to do some stuff I would have a private driver ready hit me up I can give you uh lao's number he's freaking awesome Liz here um and he would send someone out to get you and it it'll probably cost you about I don't know $12 $130 maybe you'll get lucky it'll be less cuz it's just a one way but normally you get taken out at night or something because that's when the the flights tend to come in we'll see uh but do that don't rent a car at least if this is your only thing um and then you can zip out to to Leon
512
gmane
p4) Ugh.... Opening a ticket to BMC.... Lisa Brock, Sorry for not quoting any of your message, I am in a crappy Webmail client. The behavior we say was that we would see the Sending messages about 1 per second, eventually 1 per 3 seconds, eventually 1 per 30 seconds eventually crashed JVM. Never gets to the Transmitting data stage. So clearly the problem lies within the notification handling somewhere. As for your patch, isn't the purpose of a Set that it does not allow duplicates? If so, what good is it to check if contains the item? Could the problem be that the item we are storing does not implement the hashCode() method properly? Doesn't Set rely on this method to determine if it is a duplicate? Mark Hello all, Over time migration code clogs up the code and it would be nice to place a lifetime on it. After all, there can't be that many users still stuck on chrome 7, who will eventually update to a newer chrome, right? Much of the time, a migration failure is not horrible anyway. Here are a couple examples: 1. the ntp4 intro bubble was designed to help users of the old NTP learn the ropes with the new NTP. However it is disabled for brand new users. Ntp4 is enabled on stable and has been so for a while (months), so the number of users stuck with ntp3 still must be pretty small. When do we decide it's ok to delete the code? 2. ThumbnailDatabase has some migration code for using TopSites, and it must have been around for quite some time. The worst thing that can happen if a user updates from an early version of chrome to a newer version is that they'll lose their thumbnails on the NTP. This doesn't seem horrible. Can we delete the code? I suspect in these two particular instances, it's ok to delete the code now. But as a matter of policy, I think we should file bugs the day the migration code goes in, and mark a milestone that acts as an expiration date. Obviously some migration code may need to persist forever and that would not have a bug filed against it. -- Evan Stade All, Since my blog isn't syndicated in the planet any more, I just wanted to share some photos I took in Dublin last week: http://picasaweb.google.com/wadejolson I think you can automagically go to a slideshow at: http://picasaweb.google.com/wadejolson/AKademy2006/photo#s4981482699093704722 These are downsized to 1024 X 768. If people are interested in the larger originals, let me know. For those that didn't attend, these photos are a decent representation of my perspective of the city and the conference. Enjoy, Wade Blessings, Let me begin by saying that I haven't belonged to a political party beginning in 1985-1989 (?) and have voted independently from that time so I have no ax to grind. There are multiple accusations of vote fixing or manipulation in Iowa by MS through a "free" app. "Free" as in spy ware. How can closed source, proprietary source code
512
Pile-CC
was impeached after the attacks. The reason of the impeachment is still to day , unknown. after that , xolbor was de-ranked to super admin , and then , to admin. Also , the reason of xolbor randomly turning into a admin is still unknown. Flu means extra precautions for older people The flu could be especially severe for the 39.6 million older adults in the United States. We’ve all read about the severity of the current flu season. Boston declared an emergency, hospitals are seeing patients in tents outside their emergency departments and we all probably know someone who has been laid up for a week with fever and aches and generally feeling lousy. But the flu could be especially severe for the 39.6 million older adults in the United States. Defined as 65 years or older, the group makes up almost 13 percent of the total population. Add to that the number of people who care for an aging person – patient, parent or friend – and the impact on older people is even greater. What’s an older person or a caregiver to do? Get a flu shot – it’s not too late and it could help reduce severity of an illness Wash your hands regularly Avoid crowds All human immune systems weaken with age, says Duxbury, also a member of the UAB Center for Aging. “So when older people get the flu and get knocked down further they are more likely to get other infections, such as pneumonia. Just being knocked into bed for as little as three or four days can, in a very frail older person, make it so they lose the ability to walk and do for themselves. It can cause a spiral in disabilities and increase chances of falls and injuries.” If you or an older person you know has flu symptoms, Duxbury says, “Pay more attention to things like staying hydrated. Appetite and thirst mechanisms are different for older people; they can tip over to dehydration in less than a day if they don’t keep fluids up.” Older people also need to get out of bed at least a minimal amount and sit up. “It’s better for lungs and helps avoid pneumonia," he says. Call your doctor if you have a productive cough, fever higher than 101 or if you’re feeling short of breath. Caregivers are an important link to the outside world for older people, which means they could also be vectors for the flu virus. “Caregivers need flu shots just like older people do,” Duxbury says. Now is a good time for caregivers to create a Plan B,” Duxbury says. “One way to make yourself sicker and make an illness last longer is to try to push through it,” he says. “Caregivers may feel obligated, but it’s a good time to think about your plan B. If you can’t do it for a few days how’s it going to get done?” This flu season is the worst in recent memory, Duxbury says, but it’s not bad enough to be called a pandemic.
512
reddit
won a goddamn Oscar. I've already read it and tried it out :) My biggest problem is that when mobs surround me and my Diamond Skin gets demolished I am screwed and have no way to escape aside from Frost Nova which things can quickly come back at you from. I tried implementing Teleport in place of Energy Armor and it worked out a lot better for me except for the occasional lack of mana but that happens in every build. This is a great support build but as I said, I am a solo'er :3. So i use everything inverted. its more natural with how planes are controlled but wwhen i use 'mouselook' when in a tank the control goes back to 'screwed up' really screws having two different control setups. No matter what setting ive tried i cant seem to sort this. Any times or is this bug going to be fixed when the Skink arrives? Yeah it's weird to me. I was never taught they were real and I didn't (at least I don't think) enjoy the magic any less. I still loved leaving cookies out for santa knowing full well it was my parents. Also what kid doesn't love looking for candy hidden in the yard? Who gives a fuck where it came from. Recently after an almost 1 week streak into NoFap, I took the urge and fucked up really bad. Forreal though, for me after that I felt like complete crap. Comparing the NoFap vs the NoFap relapsed mindsets I had, I felt a significant difference. After I started fapping more after the relapse, I noticed that my energy to be social was gone. Today, I felt really awkward at my friend's birthday party and there were so many people I COULD'VE vibed wel with, but just felt so awkward around them. Before my relapse, I felt more social, had energy to keep a conversation, and my friends pointed out that I seemed more happy. I am not going to give in to the demon in the mind telling me to fap to some picture of a naked woman.... Tldr; I was almost on a one week NoFap streak, fucked up because of urges, energy to be more social is gone, felt like an awkward person at my friend's birthday party, and I am going to fucking fight the urges that hit my brain I'm suddenly so much more optimistic about this season. Byron Scott seems like the perfect fit for this organization. I think we can really surprise some people and be like Mavericks were last year. We might struggle against some quicker younger teams but if we sneak into the playoffs I think our bball iq could help us make some noise. That's really good to know. I saw the movie and kind of like it and bought the book in English which at the time was too much challenging for me to read (English is not my mother language). I still have the book though, I will give it a try when possible. Its not October yet
512
gmane
send them to jail for illegalities. Sunil must learn to say that Congress will follow the rule book that has been written down by the Contitution on India. Sad to say, these young turks of the Congress are actually the jokers that they are calling others. They do not know what the Congress System of governance is, because Congress has never had a System of Governance. And, Pratima Coutinho must set her own house right. She has been vociferous in demanding the outright ouster of the Congress' black sheep, eaning Churchill Alemao and Mauvin Godinho. She must firstlearn to clear her own bed and not be found sleeping with the enemy. Cheers floriano goasuraj. dear friends of Skolelinux/DebianEdu thanks to Volker we have now on skolelinux.de also a rsync daemon running. Now you can fetch the newest version via rsync rsync skolelinux.de::download/SkoleLiveCd.iso . more hints you will find on http://wiki.debian.org/DebianEdu/SkoleLiveCd/Download we need help with translation for SkoleLiveCd the german wiki pages are the master pages at the moment there are only 8 pages So we need help in translation to english http://wiki.debian.org/DebianEdu/SkoleLiveCd/ to french http://wiki.skolelinux.fre/SkoleLiveCd/ to spanish http://wiki.skolelinux.es/SkoleLiveCd/ I would like to have someone who feels responsible for translation and subscribes one page as source and his target page So he or she will be automaticly informed, when a new release is coming out. If you have question about, dont hesitate to ask. Thanks Regards/AmicaLinuxement/Viele Gruesse! Kurt Gramlich Thanks! I didn't realize that the "Documents and Files" link was there. I found some other link that was broken and couldn't get a recent download. That set me up - I just wish I would have had the correct version in the first place, b/c it seems like it has changed quite a bit from what I'm using. Thanks again. - Kevin 1) We live out in the sticks - Verizon won't offer us a SIP handoff... 2) See #1 - we do have a point to point ds3 from the state of MD - and are quite happy with it...but it does go down (they are always upgrading/replacing equipment - as such, they do scheduled maintenance - usually around 2 am...which would impact our 24/7 people (mainly Sheriff's office)) 3) I'll have to check on pricing - I'm sure it's not cheaper - but it's reasonable (again, I could be way off base on this) 4) Valid point I prefer to un-complicate things if possible...having another network with other potential issues that I have no control over - scares the bejibbers out of me. My midichlorian count is low due to working for the government for too long - I need to spend more time with the Jedi Council... Nathaniel Watkins IT Director Garrett County Government 313 East Alder Street, Room 210 Oakland, MD 21550 Telephone: 301-334-5001 Fax: 301-334-5021 E-mail: h+eJ282PLSu8ObZd@example.com<mailto:h+eJ282PLSu8ObZd@example.com> I'm pretty new to Java Enterprise Development, hope someone can answer this: At present I'm using a php based portal. In the portal, permission checking and granting is done like this: Administrators may create roles and permission areas. Each permission area
512
StackExchange
the URLs have different structure in the generated classes. Moreover, only the classes generated by http://localhost/soap.php?wsdl is working and the rest of them give error: java.rmi.RemoteException: Runtime exception; nested exception is: unexpected element type: expected={http://www.w3.org/2001/XMLSchema}QName, actual={http://www.w3.org/2001/XMLSchema}int My Questions: What is the difference in the API versions? What is this XMLSchema QName error? How to solve it. A: I got the answers: All the API version have different implementations. For example: Later versions expect password to be MD5 coded. XMLSchema Error is raised by providing wrong information to the parameters. java.rmi.RemoteException will simply give the error message irrelevantly. Q: PHP - Preventing collision in Cron - File lock safe? I'm trying to find a safe way to prevent a cron job collision (ie. prevent it from running if another instance is already running). Some options I've found recommend using a lock on a file. Is that really a safe option? What would happen if the script dies for example? Will the lock remain? Are there other ways of doing this? A: This sample was taken at http://php.net/flock and changed a little and this is a correct way to do what you want: $fp = fopen("/path/to/lock/file", "w+"); if (flock($fp, LOCK_EX | LOCK_NB)) { // do an exclusive lock // do the work flock($fp, LOCK_UN); // release the lock } else { echo "Couldn't get the lock!"; } fclose($fp); Do not use locations such as /tmp or /var/tmp as they could be cleaned up at any time by your system, thus messing with your lock as per the docs: Programs must not assume that any files or directories in /tmp are preserved between invocations of the program. https://refspecs.linuxfoundation.org/FHS_3.0/fhs/ch03s18.html https://refspecs.linuxfoundation.org/FHS_3.0/fhs/ch05s15.html Do use a location that is under your control. Credits: Michaël Perrin - for proposing to use w+ instead of r+ Q: Strong parameters with Active Admin: no implicit conversion of Symbol into Integer I'm on Rails 4 and using Active Admin. I need to have a different set of parameters permissible for the create and update methods, so I am approaching this by modifying the instructions from the Active Admin documentation. Here is what I am trying to do: My model needs to take the following set of parameters on create: :name, :region, :contact_details, :province_id, :status_id, :start_date But is should not change :region on update. So, without overriding the default Active Admin’s update method, I am modifying permit_params as follows: permit_params do params = [:name, :contact_details, :province_id, :status_id, :start_date] params.push(:region) unless params[:action] == "update" params end The result is inevitably the following error: TypeError: no implicit conversion of Symbol into Integer which occurs, I believe, when permit_params is creating the method permitted_params. What am I doing wrong? What is the solution? A: A shorter version of Andrey Deineko permit_params do params = [:region, :name, :contact_details, :province_id, :status_id, :start_date] params.delete(:region) if action_name == 'update' params end console output: 2.1.5 :021 > params = [:region, :name, :contact_details, :province_id, :status_id, :start_date] => [:region, :name, :contact_details, :province_id, :status_id, :start_date] 2.1.5 :022 > params.delete(:region) => :region 2.1.5 :023 > params => [:name, :contact_details, :province_id, :status_id, :start_date] Q: SOA Governance Explained
512
ao3
down, Rumple,” she ordered, and as he sat and scooted back enough that he wasn’t in danger of falling, Belle slowly pulled the panties down all the way, kneeling to remove them from his feet. Climbing to straddle him on the bed, she brushed the black silk against her cheek and smiled. “Rumple, they smell like you,” she said, quietly, seductively, and the thought of her smelling his essence on her lingerie caused his cock to twitch, and he brought his hand down to stroke himself. Belle was kneeling on his thighs, and she watched as he took himself in hand, desperate for release. “Do you like this, baby, dressing up for me?” Belle’s own arousal was evident on his upper thighs, and she started rolling her hips slightly, slowly, her wetness spreading over him and the sensation of her clit slipping against his skin stoking her fire even more. “I love seeing you like this, I love your willingness to do this, that you want to please me.” Belle’s head fell back as her confessional worked her up, she was lost in the pleasure of proclaiming her desire, and of grinding herself against her lover. She felt more alive and aroused that she thought possible, and brought a hand down to rub her clit, need beginning to overtake her. Rumple watched Belle as she succumbed to the need for stimulation, he felt her wetness coating his skin and fuck - there was nothing more beautiful and desirable than his Belle at the height of passion. Stopping his own masturbation, he reached to swipe one finger between her folds, bumping her own hand out of the way and gathering her warm fluid into his palm. Returning to his cock, he trailed her wetness down his shaft, and as Belle watched, he pointed the head of his cock down slightly to tease her outer labia. Belle rose up slightly and shimmed up his thighs until she was straddling his hips, and Rumple began to rub the tip up and down against her slit, teasing her clit with each swipe. He could hear Belle’s gasps, and while his need was great, his first concern was hers. His eyes bored into her, and he could see himself through her - he saw all the love, all the desire - as if they weren’t two people, but the same being split between two bodies. He loved how connected they were, and if he lived another 300 years, he would never know a love like he had with her. Belle sank onto him with a sigh, leaning back slightly and beginning to rock herself against him. She was full of him - complete - and the thought alone brought her to the edge. She leaned forward, searching for just the right angle, just the right friction, her hands by Rumple’s head and her eyes closed. Suddenly, Rumple bucked his hips up, shifting her forward, and his hands swept up her thighs to cup her warm, round ass. His hips began pumping up into her, and Belle had
512
StackExchange
am guessing that there is a problem with the sticky scroll which has animated scroll views and animated views. I tried adding scrollToOverflowEnabled = {true} overScrollMode={'never'} but it didn't help. Any help would be appreciated. Thanks A: This was solved by changing the input range from x to x*2. const translateY = this.props.screenProps.scrollY.interpolate({ inputRange: [0, headerHeight], outputRange: [0, headerHeight], extrapolate: "clamp", }) changed to const translateY = this.props.screenProps.scrollY.interpolate({ inputRange: [0, headerHeight * 2], outputRange: [0, headerHeight], extrapolate: "clamp", }) One of the explanations I found was that the offset given by iOS is a series like 1, 1.5, 2, 2.5 but android gives offset in decimal values. I don’t know how changing input range as x*2 solves that or if it’s even a reason, but it did run smoothly later on. But even though the stuttering problem was solved, there were still some problems with scrolling on Android. So I had to drop this. Q: C# Use instantiated class in a different class/file Am I able to use an instance of once class in another class and file without having to reinstantiate it? class Start { public static Log Log = new Log(...); } class Start1 { Log.Write("New instance!"); } I have read about having to use a get/set block to do it, but I'm not exactly sure how I would go about that, A: Singleton pattern: public class Log { private static Log instance; private Log() { } public static Log Instance { get { return instance ?? (instance = new Log()); } } } Use it by calling Log.Instance, and so on. To call this using a parameter, you need to do something like this: public class Log { private string foo; private static Log instance; public static Log Instance { get { if (instance == null) { throw new InvalidOperationException("Call CreateInstance(-) to create this object"); } else { return instance; } } } private Log(string foo) { this.foo = foo; } public static Log CreateInstance(string foo) { return instance ?? (instance = new Log(foo)); } } However, it is generally a bad idea to use singletons in this manor. Have a look at dependency injection / inversion of control to see how this can be solved. Q: getQueryStringParameter is not defined I have a SharePoint hosted app and I am trying to pull the SPHostUrl out of the app Url for REST calls. Everything I read tells me to use the below but for some reason I am getting an error 'GetQueryStringParameter' is undefined I have tried in a couple of different browsers and even tried just a simple command in the console using the browser developer tools but it seems GetQueryStringParameter() is not a valid function? am I missing something? URL http://app-cb941ae4f1f18e.app.dragon.dev/sites/smrgol/AppPartTest/Pages/Default.aspx?SPHostUrl=http%3A%2F%2Flair%2Edragon%2Edev%2Fsites%2Fsmrgol&SPLanguage=en%2DUS&SPClientTag=2&SPProductNumber=15%2E0%2E4763%2E1000&SPAppWebUrl=http%3A%2F%2Fapp%2Dcb941ae4f1f18e%2Eapp%2Edragon%2Edev%2Fsites%2Fsmrgol%2FAppPartTest References in Default.aspx <script type="text/javascript" src="../Scripts/jquery-1.9.1.min.js"></script> <script type="text/javascript" src="/_layouts/15/MicrosoftAjax.js"></script> <script type="text/javascript" src="/_layouts/15/sp.runtime.js"></script> <script type="text/javascript" src="/_layouts/15/sp.js"></script> <script type="text/javascript" src="../Scripts/App.js"></script> Line in App.js var hostUrl = decodeURIComponent(getQueryStringParameter("SPHostUrl")); A: Definition of getQueryStringParameter should look like following. Check it in your App.js file. function getQueryStringParameter(paramToRetrieve) { var params = document.URL.split("?")[1].split("&"); var strParams = ""; for (var i = 0; i
512
StackExchange
a link to documentation about how to do this? Thanks A: RSS is a pretty simple format - there is no great need to use a separate library. I'd just use simplexml, because I don't wanna spend the effort learning another library, and keeping up with its development. Here is a simple PHP script for showing the latest Stackoverflor posts with simplexml: <?php $rss = simplexml_load_file('http://stackoverflow.com/feeds'); ?> <h1><?php echo $rss->title; ?></h1> <ul> <?php foreach($rss->entry as $e) { echo "<li><a href=\"".$e->link['href']."\">"; echo $e->title; echo "</a></li>\n"; } ?> </ul> A: Simplepie is probably the most popular PHP RSS library. Q: Does EAV datamodels considered as advanced form of database normalization? i am confused when looking at databases designed with the EAV concept. EAV stands for entity, attribute and value. my question is: Does EAV datamodels considered as advanced form of database normalization ? is it a "must use" to be "up to date" ? to cut long things short: when to use EAV and when not? A: No, they are considered to be an anti-pattern. They can be seen as taking normalization to an absurd level (I have seen people think that this is a good idea), causing one to lose all notion of easy ad-hock querying and causing havoc with the notion of proper indexing. EAV has a place when you have no idea what the schema will be (say for a client customizable "database"). Q: Mapping folder in docker compose on Windows I have a working Windows container, binding works using docker run. But I need to make it work inside docker-compose file. Last error I got is invalid bind mount source, must be an absolute path My swarm runs Docker 18.09.5, 3 linux managers and 3 Windows 2019 workers. version: "3.7" services: web: image: 192.168.1.1:5000/sample volumes: - type: volume source: logs target: C:\Logs volumes: logs: driver: host driver_opts: source: C:\Docker\Logs\ I came to a property COMPOSE_CONVERT_WINDOWS_PATHS but haven't found any docs about it, so don't know how to set up correctly. A: The problem is quite old and described in this moby issue. Linux manager prepends current path before Windows path resulting in non-sense. I had to promote one Windows worker to manager and run the docker stack deploy from there. Q: Windows patching on SharePoint servers Often when Windows patching is done on SharePoint servers, i see even SharePoint security patches get installed on it. Post that my central admin page shows "Patching required". Does the SharePoint patching should always be followed by windows OS patching? A: It's really the other way around. First you update Windows Server (both the SQL Server and Windows Server which hosts SharePoint) using Windows Updates. When this is done, update SharePoint, starting with application servers. Make sure the PSCONFIG runs successfully before moving on to the next server. See: Tips for Patching SharePoint 2013 Q: How to set dynamic properties whose values are statements I have defined two dynamic properties at test suite level: "EffectiveDate" and "ExpirationDate" which are used in the request to be tested. Then I am trying to test them with
512
StackExchange
Could anyone refer me to some obscure, updated library that I've somehow overlooked, or give me some pointers? A: You could use Selenium Webdriver to actually execute the JavaScript and click on the images in the thumbnail view. Once an image has been opened, the link is in the DOM and you can scrape it from there. All Webdriver does is open an actual browser and simulate a user. You can even run it as a headless browser if you use xvfbwrapper. The downside is that even then, you will need all the dependencies of the browser you are using installed on your server. However, scraping Google is against their terms of service and they will make an effort of blocking you as quickly as possible. So, unless you pass through the captchas (which are linked to sessions), you will possibly not be able to make a whole lot of searches before being blocked this way, either. Q: Reset total sum if input changes with jquery change event I have a list of inputs that i'll be using to set values (0 to 100). The total values from those inputs can't be more than 100, i have this done and it's working, but i need a way to subtract the total if i change one of those inputs and the total becomes < 100 Here's one example for what i have so far: var soma_total = 0; jQuery(function($){ $('input[type=text]').each(function () { $(this).change(function(){ var valor = $(this).val(); valorPorcentagem = valor; eE = procPorcentagem(valorPorcentagem); eE = Math.ceil(eE); valorPorcentagem = parseInt(valorPorcentagem); if((parseInt(valorPorcentagem) + soma_total) > 100) valorPorcentagem = 100 - soma_total; $(this).val(valorPorcentagem); soma_total += valorPorcentagem; console.log(soma_total); $('#final_sum').append('<li>'+soma_total+'</li>'); }); }); }); function procPorcentagem(entradaUsuario){ var resultadoPorcem = (entradaUsuario * 48) / 100; return resultadoPorcem; } JSFiddle Help please, thanks! A: This demo might give you an idea on how to proceed: $(function() { $(':text').val(0).on('change', function(e) { var i = $(':text'), total = 0; i.each(function() { total += +this.value; }); if( total > 100 ) { this.value -= (total - 100); } total = 0; i.each(function() { total += +this.value; }); $('#final_sum').text( total ); }); }); <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script> <input type="text"> <input type="text"> <input type="text"> <div id="final_sum">0</div> Q: How to close Selenium WebDriver code without throwing exception on closing it. Java My main() function contains several sub-functions testing several features / scenarios etc each. There are several cases of errors that may be found during the test running. In each of these cases there is no reason to continue running the test so I'm sending a report email and closing the program with driver.close(); or driver.quit(); command. The browser is closed however the code still trying to run so as the first command in the following sub-function still trying to do things: navigate somewhere, find objects etc but since the browser is already closed Exception is thrown as following: Exception in thread "main" org.openqa.selenium.remote.UnreachableBrowserException: Error communicating with the remote browser. It may have died. or Exception in thread "main" org.openqa.selenium.remote.SessionNotFoundException: The FirefoxDriver cannot be used after quit() was called. So how can I tell my program to stop running
512