text
stringlengths
1
20.5k
meta
dict
score
float64
0
0.99
span_scores
list
Export/Download Printable Text (.txt) CSV Multiverse id (.txt) Markdown/Reddit MTGO (.dek) MTG Salvation MTG Arena Copy to clipboard 4 Brimstone Volley (2XM) 120 2 Burn at the Stake (AVR) 2 Fervor (M13) 4 Goblin Arsonist (M21) 147 4 Guttersnipe (MYS1) 145 2 Hellrider (JMP) 334 4 Krenko's Command (MYS1) 53 3 Krenko, Mob Boss (JMP) 339 3 Mogg Flunkies (MYS1) 143 23 Mountain (ZNR) 275 4 Pillar of Flame (JMP) 355 3 Rakdos Cackler (RTR) 67 2 Reforge the Soul (C16) 132 3 Searing Spear (E01) 56 3 Arms Dealer (M13) 2 Chandra, the Firebrand (M13) 4 Slumbering Dragon (M13) 253693 2 Thunderous Wrath (MM3) 113 Copied to clipboard. You can now import it in the MTG Arena client. In TappedOut's comments/forums In TappedOut's comments/forums with pie-chart On your blog This will require TappedOut.js included in your blog.
{ "pile_set_name": "OpenWebText2" }
0.019159
[ { "begin": 0, "end": 105, "score": 0.0026204558 }, { "begin": 105, "end": 116, "score": 0.012078391 }, { "begin": 116, "end": 135, "score": 0.070516795 }, { "begin": 135, "end": 609, "score": 0.0067333565 }, { "begin": 609, "end": 631, "score": 0.04783881 }, { "begin": 631, "end": 678, "score": 0.016104523 }, { "begin": 678, "end": 710, "score": 0.010481823 }, { "begin": 710, "end": 757, "score": 0.018464668 }, { "begin": 757, "end": 771, "score": 0.012078391 }, { "begin": 771, "end": 825, "score": 0.023803791 } ]
atxs1krr said: Production dates from Nov 2011 thru Feb 2012. To see your production date enter the last 7 of your vin into the decoder at Just got a production date range of the effected bikes from my dealer.Production dates from Nov 2011 thru Feb 2012.To see your production date enter the last 7 of your vin into the decoder at realoem.com Click to expand... Can't wait to hear what it is. My production date is Sept 2011 - can't imagine mine is okay. If it is motor related - should not come as a huge surprise - that is basically the one thing they did not fool with.Just the other day I noticed that the rear wheel bearings are making a racket - have not had the chance to remove the rear wheel and take a look. I have read here that it could be a seal - but I'm not so sure a seal in itself could make such noise. So I may have several reasons not to ride my bike.I have owned it since Feb and have not really had the chance to ride it - only has 200 miles on it. Looks like I'm about to ride it even less.Mine started out tough - right from the purchase - I never took delivery the ECM had to be replaced.It is situations like this that makes me so happy that I'm fortunate to own several bikes. Good chance I can keep one of them running.
{ "pile_set_name": "OpenWebText2" }
0.020686
[ { "begin": 0, "end": 15, "score": 0.021380141 }, { "begin": 15, "end": 64, "score": 0.008503466 }, { "begin": 64, "end": 144, "score": 0.017145762 }, { "begin": 144, "end": 262, "score": 0.014507953 }, { "begin": 262, "end": 370, "score": 0.014299706 }, { "begin": 370, "end": 402, "score": 0.040284947 }, { "begin": 402, "end": 464, "score": 0.022945397 }, { "begin": 464, "end": 727, "score": 0.1008549 }, { "begin": 727, "end": 830, "score": 0.07211506 }, { "begin": 830, "end": 1256, "score": 0.017770508 } ]
Main ContentPlaceholder Ulkomaat Kommentti: Saudien savuava ase ei vakuuta Jalostamoiskusta ei ole vielä kiistattomia todisteita, eivätkä Saudi-Arabian kruununprinssi Mohammed bin Salman ja Yhdysvaltain presidentti Donald Trump ole uskottavia tahoja niitä esittämään, kirjoittaa kommentissaan HS:n ulkomaantoimittaja Ville Similä. Facebook Twitter Sähköposti Kopioi linkki Jaa Facebook Twitter Sähköposti Kopioi linkki Tallenna Kommentoi
{ "pile_set_name": "OpenWebText2" }
0.035306
[ { "begin": 0, "end": 24, "score": 0.0082952175 }, { "begin": 24, "end": 34, "score": 0.0033840323 }, { "begin": 34, "end": 77, "score": 0.0186035 }, { "begin": 77, "end": 334, "score": 0.008260509 }, { "begin": 334, "end": 441, "score": 0.00999591 } ]
Q: How to conditionally render an f:selectItem tag? How can I specify a conditional rendering for an <f:selectItem> tag. I need to display <f:selectItem> options according to a specific user's status. For example, I wanted something like: <f:selectItem itemLabel="Yes! I need a girlfriend!" rendered="false(or some boolean condition)" itemValue="o1"/> A: The <f:selectItem> does not support the rendered attribute. Your closest bet is the itemDisabled attribute which still displays the item, but makes it unselectable. This is also supported in <f:selectItems>. In case of <p:selectOneMenu> you can then just add some CSS to hide disabled items. <p:selectOneMenu ... panelStyleClass="hideDisabled"> <f:selectItem itemValue="1" itemLabel="one" /> <f:selectItem itemValue="2" itemLabel="two" itemDisabled="#{some.condition}" /> <f:selectItem itemValue="3" itemLabel="three" /> </p:selectOneMenu> .ui-selectonemenu-panel.hideDisabled .ui-selectonemenu-item.ui-state-disabled { display: none; } In case of <h:selectOneMenu> you're more dependent on whether the webbrowser supports hiding the disabled options via CSS: <h:selectOneMenu ... styleClass="hideDisabled"> <f:selectItem itemValue="1" itemLabel="one" /> <f:selectItem itemValue="2" itemLabel="two" itemDisabled="#{some.condition}" /> <f:selectItem itemValue="3" itemLabel="three" /> </h:selectOneMenu> select.hideDisabled option[disabled] { display: none; } The server side alternative is to bring in a JSTL <c:if> around the individual <f:selectItem> to contitionally add it to the view like this (make sure you're aware of how JSTL works in JSF: JSTL in JSF2 Facelets... makes sense?): <f:selectItem itemValue="1" itemLabel="one" /> <c:if test="#{not some.condition}"> <f:selectItem itemValue="2" itemLabel="two" /> </c:if> <f:selectItem itemValue="3" itemLabel="three" /> Or, you could simply dynamically populate a List<SelectItem> in the backing bean based on the calculated conditions and bind it with <f:selectItems>. A: The workaround I use is setting the itemDisabled attribute and using this CSS: select option[disabled] { display: none; } But it needs to be fixed properly in JSF. A: <c:if> for me is also not working if it depends on the repeated variable of a ` component (on first build phase it works but using ajax and updating the collection of the for-each it fails, showing some items twice and others not) this is really one big issue in JSF. Disabling is not always an option, and this way much more code is necessary in the bean to address such "easy" things.
{ "pile_set_name": "StackExchange" }
0.035993
[ { "begin": 0, "end": 53, "score": 0.03856816 }, { "begin": 53, "end": 124, "score": 0.010620655 }, { "begin": 124, "end": 204, "score": 0.007462225 }, { "begin": 204, "end": 242, "score": 0.015132698 }, { "begin": 242, "end": 272, "score": 0.011661896 }, { "begin": 272, "end": 294, "score": 0.059728492 }, { "begin": 294, "end": 351, "score": 0.10892494 }, { "begin": 351, "end": 381, "score": 0.0065945243 }, { "begin": 381, "end": 386, "score": 0.019297661 }, { "begin": 386, "end": 2617, "score": 0.010690071 } ]
Transcatheter mitral valve-in-valve intervention (TMVI) is an alternative mode of treatment to re-do surgery for bioprosthetic valve failure. Although transapical access represents the shortest route to deliver the new bioprosthesis in the mitral position, currently the transseptal route is becoming more popular \[[@cit0001], [@cit0002]\]. We present the first case in Poland of TMVI using transseptal access. A 69-year-old female patient who underwent surgical mitral valve replacement with an Epic 31 mm (Abbot) valve, after 2 ischemic strokes with pulmonary hypertension and chronic kidney disease stage 4 (EuroSCORE II 9.8%), developed dyspnea 3 years following surgery (NYHA class III). Echocardiographic examination revealed signs of severe stenosis and mild insufficiency of the Epic valve. After discussion at the heart team meeting, due to high risk of a re-do operation the patient was referred for TMVI. Based on the internal lumen diameter of the Epic valve the suggested valve size should be 29 mm ([Figure 1 A](#f0001){ref-type="fig"}), but cardiac computed tomography (CCT) revealed extensive hypodense pannus formation with mean inner lumen diameter of 21 mm ([Figure 1 B](#f0001){ref-type="fig"}). Because of this appearance it was agreed to perform balloon sizing of the degenerated bioprosthesis with a 22 mm balloon catheter. The patient was screened for possible left ventricular outflow tract (LVOT) obstruction by means of neo-LVOT calculation and aorto-mitral angulation, showing no or little risk of obstruction ([Figures 1](#f0001){ref-type="fig"} C--E) \[[@cit0003], [@cit0004]\]. ![Pre-procedural cardiac computed tomography analysis. **A** -- Internal dimensions (ID) of Epic 31 mm valve; based on the Valve in Valve app -- true ID = 26.5 mm. **B** -- CT-ID, dimensions of the true lumen. **C** -- Aorto-mitral angulation (AMA) suggesting low risk of LVOT obstruction (wider than 120°). **D, E** -- Neo-LVOT calculation with virtual valve implantation showing an area above 2.0 cm2, which could increase the risk of LVOT obstruction](PWKI-15-36115-g001){#f0001} The procedure was performed via the transvenous route in general anesthesia under transesophageal echocardiography (TEE) guidance. After puncture of the interatrial septum in postero-inferior location and crossing through the degenerated valve into the left ventricle, dilatation of the intra septal channel was performed with a 12 × 40 mm peripheral balloon catheter. Predilation with a 22 mm balloon catheter was performed and upon inflation a clear waist was visible ([Figure 2 A](#f0002){ref-type="fig"}); therefore a 26 mm Sapien 3 (Edwards Lifesciences) valve was chosen. Despite the previous dilatation of the intra-septal channel the crossing with the delivery system showed some difficulty, but after changing to a Lunderquist Extra Stiff guidewire and some mild dilatation of the distal part of the Edwards balloon it was possible to obtain correct positioning ([Figure 2 B](#f0002){ref-type="fig"}). During rapid pacing the valve was implanted in a 20%/80% (atrium/ventricle) depth ratio and afterwards postdilated distally with an extra 2 ml of volume to obtain a wider, cone-shaped, ventricular end of the valve. In post-procedural angiography there were no signs of paravalvular regurgitation ([Figure 2 C](#f0002){ref-type="fig"}), and TEE showed good expansion of the implanted valve ([Figure 2 D](#f0002){ref-type="fig"}). ![Transcatheter mitral valve-in-valve implantation. **A** -- Predilatation of a 31 mm Epic bioprosthesis with a 22 mm balloon catheter. The waist is clearly visible (white arrows). **B** -- Edwards SAPIEN 3 26 mm delivery. In order to facilitate the delivery, mild balloon inflation (white arrow) and changing to a Lunderquis Extra Stiff guidewire (asterisk) was performed. **C** -- Final angiography showing no residual paravalvular leak (PVL). Aorta and left ventricle marked with white dotted line; red dotted line -- Epic 31 mm valve stent. **D** -- Postprocedural photorealistic TEE (Philips Epic CVx) showing excellent prosthesis position and no PVL](PWKI-15-36115-g002){#f0002} In carefully selected patients TMVI is a forward-looking method enabling less invasive treatment for severe mitral prosthesis failure. With the use of proper implantation technique \[[@cit0005], [@cit0006]\] the procedure is safe and feasible via the transfemoral venous route. The most crucial part of planning the procedure, besides screening for possible LVOT obstruction, is valve sizing. Given the possibility of late valve migration, undersizing should be avoided in most cases. In those situations the true ID should be chosen as the proper diameter to size the valve. In cases with extensive hypodense pannus formation or calcifications within the bioprosthetic valve an alternative may be used. Although controversial, balloon sizing may prove useful to determine the strength and flexibility of additional tissue found within the stent of the degenerated bioprosthesis, therefore providing new information on the appropriate transcatheter valve size for mitral valve-in-valve procedures. The authors want to thank Prof. Markus Kassel for his technical expertise and assistance during the procedure. Conflict of interest ==================== The authors declare no conflict of interest.
{ "pile_set_name": "PubMed Central" }
0.021102
[ { "begin": 0, "end": 142, "score": 0.019575324 }, { "begin": 142, "end": 342, "score": 0.033246122 }, { "begin": 342, "end": 412, "score": 0.04818217 }, { "begin": 412, "end": 695, "score": 0.020269485 }, { "begin": 695, "end": 801, "score": 0.037881445 }, { "begin": 801, "end": 918, "score": 0.0067333565 }, { "begin": 918, "end": 1219, "score": 0.021518974 }, { "begin": 1219, "end": 1350, "score": 0.1943727 }, { "begin": 1350, "end": 1612, "score": 0.0013709669 }, { "begin": 1612, "end": 5323, "score": 0.010759487 } ]
The present invention relates most generally to semiconductor devices and methods for manufacturing the same. More particularly, the present invention provides a method and structure for preventing base groups from becoming nested in low-k dielectric materials and subsequently rendering photoresists insoluble. Deep ultra-violet (DUV) lithography is widely used in the fabrication of advanced VLSI (Very Large Scale Integration) semiconductor devices. Chemically amplified DUV photoresists improve the performance of the lithography systems and improve device feature resolution. Low dielectric constant (low-k) dielectrics are favored in today""s semiconductor manufacturing industry because of the performance improvements they provide by way of reducing parasitic capacitance, reducing propagation delay and therefore increasing device speed. The use of copper interconnect features is also favored to reduce line resistance of the interconnect lines. Typical copper interconnect schemes incorporate damascene manufacturing techniques to define the interconnect paths. A dual damascene approach is favored because it provides lower cost processing, improved level-to-level alignment tolerance and thus allows for tighter design rules and improved performance. A shortcoming associated with the use of low-k dielectrics in conjunction with copper interconnect lines and chemically amplified photoresists used in DUV lithography, is that base groups which become nested in porous low-k dielectric materials, can interact with the acid catalysts included in chemically amplified photoresists to render the exposed photoresist insoluble in developer. This unwanted residual photoresist distorts the pattern being formed and is difficult to remove. Base groups such as amines or other Nxe2x80x94H base groups, are typically produced in association with conventional hard mask films, etch stop layers and barrier films used in the film stack that also includes the low-k dielectric films, and which is advantageously used in dual damascene processing. Etch stop layers and barrier films are commonly nitrogen-containing films. It is therefore desirable to enjoy the benefits provided by copper interconnect technology, low-k dielectric films and chemically amplified photoresists in DUV lithography systems, without degrading the chemically amplified photoresist by interaction with base groups from low-k dielectric films. The present invention provides a method and structure for isolating low-k dielectric layers from nitrogen base layers that include Nxe2x80x94H base groups which are capable of diffusing from the nitrogen base layer and becoming nested in the low-k dielectric layer. The present invention provides an oxygen-containing layer disposed directly between the low-k dielectric layer and the nitrogen base layer. The present invention also provides a process for forming a semiconductor product which includes forming at least one low-k dielectric film over a substrate, forming at least one Nxe2x80x94H base film over the substrate using a source chemistry which includes ammonia, and forming a TEOS (tetraethyl orthosilicate) oxide film between at least one adjacent set of a low-k dielectric film and an Nxe2x80x94H base film.
{ "pile_set_name": "USPTO Backgrounds" }
0.014994
[ { "begin": 0, "end": 110, "score": 0.012564304 }, { "begin": 110, "end": 312, "score": 0.04406188 }, { "begin": 312, "end": 453, "score": 0.009857078 }, { "begin": 453, "end": 581, "score": 0.010273575 }, { "begin": 581, "end": 847, "score": 0.023803791 }, { "begin": 847, "end": 956, "score": 0.015340946 }, { "begin": 956, "end": 1073, "score": 0.030155903 }, { "begin": 1073, "end": 1264, "score": 0.0168681 }, { "begin": 1264, "end": 1651, "score": 0.019575324 }, { "begin": 1651, "end": 3244, "score": 0.15071863 } ]
Deluxe Name Badges Upgrade to these Custom Printed Name Tags and your business is sure to get noticed. Use as Conference Badges or Company I.D.'s. for effective branding. Custom Printed Name Badges are great for retail, restaurant, hotel, travel industries and more. Name badges are great for building company recognition at tradeshows and professional events. These promotional name badges are made of sturdy plastic in your choice of 34 vibrant colors to compliment your logo. Set your company apart from the rest with Name Badges. With thirty-four colors to choose from, you'll find the perfect shade to accent your logo. Made of sturdy plastic, these will withstand the busiest work environments. You've got sharp employees. Our Custom Name badges are as smart as they are. Pair them up for a winning combination that presents your company best above the rest. These Name Badges create a lasting first impression.
{ "pile_set_name": "Pile-CC" }
0.020131
[ { "begin": 0, "end": 19, "score": 0.052935857 }, { "begin": 19, "end": 104, "score": 0.015688026 }, { "begin": 104, "end": 172, "score": 0.026207292 }, { "begin": 172, "end": 268, "score": 0.005587992 }, { "begin": 268, "end": 363, "score": 0.015896274 }, { "begin": 363, "end": 481, "score": 0.03461955 }, { "begin": 481, "end": 537, "score": 0.13146462 }, { "begin": 537, "end": 628, "score": 0.020130653 }, { "begin": 628, "end": 704, "score": 0.046465382 }, { "begin": 704, "end": 921, "score": 0.03221605 } ]
Download Now IObit Driver Booster Pro 8.0.1.166 Crack + License Key Download [Latest] Driver Booster Pro Crack is professional software that gives you security against equipment disappointments and vicious crash consequences for your PC. At the point when pernicious apparatuses become contaminated with your PC, this program figures out what updates are absent. Your old drivers can genuinely harm your PC. Further, Driver Booster Pro Key consequently filters these drivers and encourages you to download successful updates to spare time. It is an astounding system and well known in everything to naturally refresh a wide range of drivers. Driver Booster Pro Crack is a refreshed driver that consequently runs and outputs your PC for old drivers, at that point downloads and refreshes them with a solitary snap. It is modified so that you can spare time via looking for the connection to download the drivers for every gadget one by one. Driver Booster Pro Key is sheltered to use since it contains a reinforcement driver and a framework reestablish highlight. Driver Booster Pro 8.0.1.166 Crack + Serial Key Free Download IObit Driver Booster Pro Serial Key gives you a chance to talk about the sequential key of Driver Booster. Further, you should know about the gadget’s drivers. Each computerized gadget has its very own program. Begin with a model. In the event that you introduce another design card in your PC or put in new equipment, your PC won’t know about the new equipment. In this manner, the equipment of each organization gives a program that contains directions or a program about the exhibition of this gadget. The working framework associates this new establishment gadget with the assistance of the controllers. Each piece of your PC has its own drivers, yet you don’t have to introduce them on the grounds that your working framework as of now contains these drivers and introduces them on your PC during the principal establishment of your window. Driver Booster Pro Crack keeps your drivers, game parts, old or missing segments refreshed, effectively, and accurately. However, Windows couldn’t introduce a wide range of drivers on your PC. The reason is that if the working framework attempts to do it, the size of the working framework will be enormous. Consequently, windows must keep up their parity in the controller and give the all-inclusive kind of controllers. It underpins the programmed establishment of drivers and parts while the PC is dormant. Propelled pressure innovation, stop-point resumption innovation, computerized retry component, and SSL convention can set you up to download and introduce the driver all the more rapidly, easily, and securely. Driver Booster Pro 8.0.1.166 Key Pro Cracked Full Version Driver Booster Pro Crack has a progression of new and significant changes since its last update, which improves it for better group execution. This incorporates new highlights, for example, Game Boost and Game Ready Driver, which organize your game time, as the game experience is additionally refreshed and improved. As well as, it likewise has a bigger database, which gives a smoother and increasingly stable execution. In addition, the program contains a huge database. It has a basic game task and supports all the game’s instruments. Additionally, with a solitary snap, clients can refresh their old drivers. The program has helped stop the restart of innovation. Further, you can appreciate a programmed retry system for a viable speed. Clients can rapidly and effectively dispatch the most recent drivers. Driver Booster Pro Key expands a considerable lot of advanced and important changes. Moreover, the program does not require any understanding to utilize it. IObit Driver Booster PRO Key contains a total video instructional exercise for new clients. Moreover, Driver Booster Key investigates and changes blunder drivers straightforwardly with a solitary snap. Keep your drivers sheltered and ensured. IObit Driver Booster PRO Crack is free of any danger to an infection. Rather, the program guards your framework against all Trojans. More, it gives a programmed driver update server to spare your important time. So, the screen framework alternative gives you a total rundown of all the controller’s presentation. Driver Booster Key Features: Database of enormous controllers The game execution is smooth. Update the quick and safe driver Adjustment of equipment blunders. Another verifies your PC from all equipment issues. Increment the similarity and security of the framework. Driver Booster Pro Crack is good with pressure innovation and SSL convention. The game controller improves the tasks of the game. Keep your gadget’s drivers and game segments refreshed. You can refresh your sound, video, USB, and different gadgets. This program builds the establishment procedure and download speed. This rendition contains an incredible and simple to-utilize refreshed framework It keeps the driver constantly improved in the presentation of your PC. The program, in this manner, isolates every one of the drivers that fall flat. The IObit Driver Booster PRO 6 gives you the most recent drivers for your framework. The request of the game mode changes the controllers to improve the presentation in the diversions. Improved instruments for fixing sound breaks, without system issues, poor exactness and blunders in the gadget This program gives you six full-use devices that shield your PC from system issues, sound issues, equipment blunders, and so on. System Requirements: OS: Windows 7/8/8.1/10 Windows XP and VISTA. RAM: 512 MB Processor: 1 GHz Hard Disk: 1GB How To Crack? First of all, Download IOBit Driver Booster Crack from this site. Then Install it. After this, copy and paste the key in the activation code. Now, setup is ready to use for a lifetime. Enjoy. Iobit Driver Booster Activation Key: ZQA23-WSX4E-DCR5F-V6ERY-AZTEC GTFVR-DC5EX-DRC6T-FV7GS-DCFVG AZ3WS-X4EDC-5RFV6-TGBY7-HNUXS UFA-ZW3SX-E4DC5-RFVT6-BGY7H
{ "pile_set_name": "OpenWebText2" }
0.057731
[ { "begin": 0, "end": 13, "score": 0.037023053 }, { "begin": 13, "end": 87, "score": 0.060927194 }, { "begin": 87, "end": 240, "score": 0.09548495 }, { "begin": 240, "end": 365, "score": 0.055333257 }, { "begin": 365, "end": 410, "score": 0.101391904 }, { "begin": 410, "end": 542, "score": 0.013327881 }, { "begin": 542, "end": 644, "score": 0.013466713 }, { "begin": 644, "end": 817, "score": 0.07011723 }, { "begin": 817, "end": 943, "score": 0.0121478075 }, { "begin": 943, "end": 6024, "score": 0.020963646 } ]
If Pyongyang pushes ahead with a fourth nuclear test and defies the international community it can expect swift and strong punishment. This was the gist of the South Korean foreign minister's warning to North Korea when he said the regime would pay "the heaviest price" in new sanctions. Chairing a meeting at the UN Security Council on Wednesday, Yun Byung-se said a test would have a huge impact on the strategic landscape in Northeast Asia and would pose a serious challenge to Beijing as well. "We must clearly warn North Korea if it challenges the international community with another nuclear test, it will be met with the most serious consequences." At the same time, Yun stressed Seoul wants to build a peaceful and "new Korean peninsula" -- through President Park Geun-hye's reunification drive. But Pyongyang continues to verbally attack President Park's initiatives. The North Korean daily, Rodong shinmun, said Thursday that Park's ambition is only stirring the potential for war. It also said the South Korean government was fooling the nation with a diabolical idea. Meanwhile, the U.S. confirmed Wednesday that Secretary of State John Kerry met with Wang Jiarui, China's international director of the Communist Party. Wang, considered a key messenger between China's Communist Party and North Korea's Workers' Party is believed to have discussed the possible resumption of the six-party talks on North Korea's denuclearization. Song Ji-sun, Arirang News.
{ "pile_set_name": "Pile-CC" }
0.120517
[ { "begin": 0, "end": 135, "score": 0.13879937 }, { "begin": 135, "end": 288, "score": 0.026035614 }, { "begin": 288, "end": 498, "score": 0.0060391957 }, { "begin": 498, "end": 657, "score": 0.124380715 }, { "begin": 657, "end": 806, "score": 0.022945397 }, { "begin": 806, "end": 879, "score": 0.06132676 }, { "begin": 879, "end": 994, "score": 0.0471521 }, { "begin": 994, "end": 1082, "score": 0.355017 }, { "begin": 1082, "end": 1234, "score": 0.010620655 }, { "begin": 1234, "end": 1470, "score": 0.013466713 } ]
/* * Licensed to the Apache Software Foundation (ASF) under one or more * contributor license agreements. See the NOTICE file distributed with * this work for additional information regarding copyright ownership. * The ASF licenses this file to You under the Apache License, Version 2.0 * (the "License"); you may not use this file except in compliance with * the License. You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package org.apache.spark.sql /** * All classes in this package are considered an internal API to Spark and * are subject to change between minor releases. */ package object internal
{ "pile_set_name": "Github" }
0.010829
[ { "begin": 0, "end": 73, "score": 0.0072539765 }, { "begin": 73, "end": 109, "score": 0.013952625 }, { "begin": 109, "end": 146, "score": 0.011592479 }, { "begin": 146, "end": 217, "score": 0.010342991 }, { "begin": 217, "end": 292, "score": 0.00999591 }, { "begin": 292, "end": 364, "score": 0.021102477 }, { "begin": 364, "end": 381, "score": 0.01492445 }, { "begin": 381, "end": 421, "score": 0.021796638 }, { "begin": 421, "end": 473, "score": 0.013397297 }, { "begin": 473, "end": 988, "score": 0.013119632 } ]
It’s no secret that McClatchy Company, the parent company of the failing Kansas City Star, is in a financial pickle. As of this year, they retain almost $700 million in corporate debt. In addition to that albatross, McClatchy’s stock is plummeting. In the last year, it has lost almost 80 percent of its value and shows no signs of recovering. The last 15 years have not been kind to investors. McClatchy stopped paying dividends, did a 1 for 10 reverse split in 2016, and the stock is still at an all-time low while still being considered overvalued. McClatchy owns newspapers all across the United States. Along with truly impressive names like The Fort Worth Star Telegram and The Miami Herald, the Kansas City Star is also somewhat prominent in their portfolio. Its even more prominent decline is a staggering reflection of its parent company. Circulation numbers for The Star are dropping like a rock. As of May 2019, they had barely 12,000 digital subscribers. Things are so bad the building housing The Star was sold. The buyers had to agree to lease it back to the paper, though. Save us! When you are failing this badly at business, good journalism is absolutely imperative. When good journalism is replaced by agenda and bias, you may find yourself failing badly at business. The question to answer: is the Kansas City Star showing agenda and bias in their coverage of Tyreek Hill and his legal situation? Furthermore, if they are, how should they be held accountable? In essentially every article published by The Star on this situation this year, Hill is painted as a monster. At every opportune moment, The Star makes sure to ‘namedrop’ his 2014 incident, describing it in graphic detail, seemingly reminding any forgetful readers that a man who had said incident expunged from his record and lived a relatively incident-free life since could strike again at any moment. When Hill’s lawyers — and Pettlon Law is no discount public defender— provided a letter defending Hill, The Star immediately attacked its hardest evidence, doubling down on their initial editorials insisting that Hill be cut from the Chiefs. When Hill was fully and completely cleared of breaking his son’s arm, little recourse was given. When fans, as they are given to do, defended him, The Star attacked the fans. When audio mysteriously surfaced after months that called into question whether Hill has ever, in fact, abused a single person in his entire life, the response from The Star? To compare him to a domestic abuser who was caught on video. At almost every turn, The Star has decried anything that might fly in the face of their initial reports, which we now know were the result of an attempt by Crystal Espinal to frame Tyreek Hill for a crime. The Star’s bias not only shows in their writing, but in their public appearances. One writer in particular demonstrated it fully on radio, describing an encounter with Hill as an event where “something just felt off,” clearly serving as more proof of his obvious guilt. Later, the idea that Tyreek Hill might be less literate than someone who works at The Star was used as an attack on evidence his lawyers presented as a defense. The resulting message they attempt to brainwash readers with: Tyreek Hill is a monster, Espinal did nothing wrong. But it was Espinal who weaponized a son against his father. Imagine what might have been published if the reverse had been true. This kind of biased journalism is typically informed by agenda. If there were no agenda, all information would be considered and given equal weight, as it has been by other journalists and credible public figures. Soren Petro, 810 Sports: “The investigation may have been centered on her…there are theories put out that she is trying to frame him…” Nate Taylor, The Athletic: “The audio recording was misleading…Crystal Espinal was trying to get Tyreek Hill to say things that were condemning…” Tim Grunhard, 810 Sports: “There’s victims everywhere. We’re gonna find out who else is a victim in the coming weeks. Whether it’s Tyreek…I don’t know…but I think there’s some other people that have been taken advantage of here.” When far more fair and balanced information is available from so many other sources, an environment is created where the public doesn’t want to read your newspaper and even begins to hate your newspaper. Readers cancel subscriptions. They find ways to read anything they want on your website without paying a dime. In fact, it’s appallingly easy to do this. In order to read anything published online by The Kansas City Star, one needs only to open a story in an incognito or private browsing window on their favorite browser (here’s a helpful link). This is not to say every journalist at The Star is a reprehensible propaganda machine unworthy of readers. Some have already apologized for their roles in misleading the public. This falls in line with what writers have done at other outlets. But some, as we saw Friday morning, have their heels dug in. They are “tripling” down, more interested in promoting a fantasy that Tyreek Hill sprang fully grown, fists flying, from the loins of Lucifer himself. More interested in defending TV stations other journalists are categorizing as unethical. And if you disagree, perhaps you are just another ignorant reader. Often, these fantasies are published without bylines, as is the case with multiple editorials written by “STAR EDITORIAL BOARD.” Such an approach contributes to a lack of trust already growing from poor reporting. If the public doesn’t trust a paper, if the paper is publishing baseless character assassinations rather than providing balance, if the paper is attacking their readers, if the paper’s paywall is flimsier than the border at the American southwest, changes are necessary. Both for the good of the newspaper, the community and the readers. What changes should be made? Should certain writers be fired? Should The Star have its access to the Chiefs severely restricted? Only you, the consumer, can decide. To voice your concern about journalism practices at The Star: Tony Berg, the President and Publisher of the KC Star. [email protected] [email protected] Dan Schaub, Corporate Director of Audience Development at McClatchy. [email protected]. Kevin McClatchy, Chairman of McClatchy. [email protected] [email protected]. To voice your concern about what media are allowed access to the Chiefs: [email protected] @Ted_Crews As a consumer, and perhaps a disgruntled one, you have a voice. Perhaps just one, but a babbling brook can easily become a destructive tidal wave if enough streams converge. Newspapers exist to serve the public, and the truth. When they instead try to serve an agenda, and break the public’s trust, it can, should and is affecting their business.
{ "pile_set_name": "OpenWebText2" }
0.086088
[ { "begin": 0, "end": 117, "score": 0.05253629 }, { "begin": 117, "end": 185, "score": 0.007462225 }, { "begin": 185, "end": 250, "score": 0.14059398 }, { "begin": 250, "end": 345, "score": 0.011731312 }, { "begin": 345, "end": 397, "score": 0.057331093 }, { "begin": 397, "end": 554, "score": 0.013397297 }, { "begin": 554, "end": 611, "score": 0.019297661 }, { "begin": 611, "end": 769, "score": 0.009787662 }, { "begin": 769, "end": 851, "score": 0.05133759 }, { "begin": 851, "end": 6855, "score": 0.07690986 } ]
Count the number of time the MIL (check engine lamp)on the instrument panel flashes on and off. The number of flashes represents the trouble code. There is a short pause between the flashes representing the 1st and 2nd digits of the code. Longer pauses are used to separateindividual 2-digit trouble code. An example of a flashed DTC is as follows: -Lamp flashes 4 times, pauses, then flashes 6 more times. This denotes a DTC number 46. -Lamp flashes 5 times, pauses, then flashes 5 more times. This indicates a DTC number 55. DTC 55 will always be the last code to be displayed.
{ "pile_set_name": "Pile-CC" }
0.028096
[ { "begin": 0, "end": 33, "score": 0.01631277 }, { "begin": 33, "end": 70, "score": 0.0112454 }, { "begin": 70, "end": 96, "score": 0.06252546 }, { "begin": 96, "end": 107, "score": 0.012078391 }, { "begin": 107, "end": 141, "score": 0.15568043 }, { "begin": 141, "end": 147, "score": 0.010481823 }, { "begin": 147, "end": 178, "score": 0.0224908 }, { "begin": 178, "end": 215, "score": 0.021796638 }, { "begin": 215, "end": 239, "score": 0.010481823 }, { "begin": 239, "end": 581, "score": 0.008954669 } ]
Q: element.setAttribute is not a function So, i know that this has already been answered, but none of the previous answers managed to make my code work. I have a html structure as the following: <div class="form"> <div class="formrow"> <div class="previewcontainer"> <object id="preview"> <object> </div> </div> </div> I am trying to set the data attribute to the object like this: var link = "http://www.someurl.com"; var preview = document.querySelectorAll ("#preview"); preview.setAttribute("data", link); However, I get an error preview.setAttribute is not a function A: or this: var link = "http://www.someurl.com"; var preview = document.getElementById("preview"); //getElementById instead of querySelectorAll preview.setAttribute("data", link); Be sure to run the code after the element is created, or use jQuery code: $( document ).ready(function() { } "Uncaught TypeError: Cannot read property 'setAttribute' of null" By: LazarusRising—in that case, the element doesn't exist yet in the document. You need to run the code after the element is created, say after the load event or a script below the element.
{ "pile_set_name": "StackExchange" }
0.011523
[ { "begin": 0, "end": 43, "score": 0.006455692 }, { "begin": 43, "end": 155, "score": 0.019297661 }, { "begin": 155, "end": 197, "score": 0.013952625 }, { "begin": 197, "end": 216, "score": 0.009857078 }, { "begin": 216, "end": 242, "score": 0.013397297 }, { "begin": 242, "end": 281, "score": 0.0069068964 }, { "begin": 281, "end": 315, "score": 0.008364634 }, { "begin": 315, "end": 336, "score": 0.016729267 }, { "begin": 336, "end": 351, "score": 0.019436494 }, { "begin": 351, "end": 1174, "score": 0.014577369 } ]
Share 0 SHARES CURRENTLY staring at a series of root canal treatments to save three of his ‘good back teeth’ which will cost somewhere in the region of €1,800, Waterford man Michael Cronell has said he feels ‘vindicated’ in his decision to abstain from visiting a dentist for well over ten years. Although the dental hygienist at Gums clinic in Waterford City tried to explain to Cronell that avoiding the dentist for over a decade is almost certainly the reason why he needs such extensive work done now, the 36-year-old maintains that he would have been ‘fine’ if he’d just not attended his appointment today. Forced into the dentist office by blinding, sudden pain that began to appear months ago and failed to be eased by brushing and ignoring it, Cronell now finds himself on the receiving end of a bill for almost two grand, which he describes as ‘the scariest part of the dentist’. “I’ve always been terrified of the dentist. It’s got my least favourite things.. Needles, drills, and paying out money” said Cronell, bracing himself for having no money for sweets for at least a year. “And it turns out, I was right to be afraid. I knew as soon as I came in here, they’d find loads of things to charge me money for. Well, I knew it because I could literally feel the cavities with my tongue, but still. €1,800 worth of treatments! Jesus, a dental phobia isn’t cheap, is it?” Cronell has refused to comment on the idea that a 40 quid visit back in 2007 would have saved him a decade of dental pain and today’s huge payout, as he ‘has enough to be annoyed about’.
{ "pile_set_name": "OpenWebText2" }
0.071316
[ { "begin": 0, "end": 15, "score": 0.010967735 }, { "begin": 15, "end": 298, "score": 0.034104515 }, { "begin": 298, "end": 614, "score": 0.018187003 }, { "begin": 614, "end": 892, "score": 0.06492286 }, { "begin": 892, "end": 937, "score": 0.12953265 }, { "begin": 937, "end": 974, "score": 0.032559406 }, { "begin": 974, "end": 1095, "score": 0.08689302 }, { "begin": 1095, "end": 1141, "score": 0.08170467 }, { "begin": 1141, "end": 1227, "score": 0.02929751 }, { "begin": 1227, "end": 1573, "score": 0.0825038 } ]
Busy Monsters Busy Monsters is the debut novel of William Giraldi, released in 2011. It centers on Charles Homar, a writer whose fiancée runs away with her colleague to catch an elusive giant squid, seemingly cutting ties with him. Charles attempts to regain her affection and finds himself budding into a strange cast of characters on the way. References External links The A.V. Club Review Washington Post Review Category:2011 novels Category:2011 science fiction novels Category:Debut novels
{ "pile_set_name": "Wikipedia (en)" }
0.060128
[ { "begin": 0, "end": 14, "score": 0.22069082 }, { "begin": 14, "end": 86, "score": 0.033246122 }, { "begin": 86, "end": 233, "score": 0.07730943 }, { "begin": 233, "end": 347, "score": 0.026722329 }, { "begin": 347, "end": 359, "score": 0.008711713 }, { "begin": 359, "end": 375, "score": 0.009787662 }, { "begin": 375, "end": 384, "score": 0.028439116 }, { "begin": 384, "end": 396, "score": 0.013258465 }, { "begin": 396, "end": 419, "score": 0.007392809 }, { "begin": 419, "end": 499, "score": 0.003106368 } ]
Q: Exception while running AWS dynamoDb in Local Machine I have downloaded AWS dynamodb zip file and extracted to D:/dynamoDB folder When tried to run via command prompt using java -Djava.library.path=./DynamoDBLocal_lib -jar DynamoDBLocal.jar Exception as below occurs Exception in thread "main" java.lang.NoSuchFieldError: completionKey at sun.nio.fs.WindowsNativeDispatcher.initIDs(Native Method) at sun.nio.fs.WindowsNativeDispatcher.<clinit>(Unknown Source) at sun.nio.fs.WindowsLinkSupport.getRealPath(Unknown Source) at sun.nio.fs.WindowsPath.toRealPath(Unknown Source) at sun.nio.fs.WindowsPath.toRealPath(Unknown Source) at sun.util.calendar.ZoneInfoFile$1.run(Unknown Source) at sun.util.calendar.ZoneInfoFile$1.run(Unknown Source) at java.security.AccessController.doPrivileged(Native Method) at sun.util.calendar.ZoneInfoFile.<clinit>(Unknown Source) at sun.util.calendar.ZoneInfo.getTimeZone(Unknown Source) at java.util.TimeZone.getTimeZone(Unknown Source) at java.util.TimeZone.setDefaultZone(Unknown Source) at java.util.TimeZone.getDefaultRef(Unknown Source) at java.util.TimeZone.getDefault(Unknown Source) at org.eclipse.jetty.util.DateCache.<init>(DateCache.java:88) at org.eclipse.jetty.util.log.StdErrLog.<clinit>(StdErrLog.java:68) at org.eclipse.jetty.util.log.Log.initStandardLogging(Log.java:185) at org.eclipse.jetty.util.log.Log.initialized(Log.java:168) at org.eclipse.jetty.util.log.Log.getLogger(Log.java:435) at org.eclipse.jetty.util.log.Log.getLogger(Log.java:425) at org.eclipse.jetty.util.IO.<clinit>(IO.java:44) at org.eclipse.jetty.util.log.Log$1.run(Log.java:110) at java.security.AccessController.doPrivileged(Native Method) at org.eclipse.jetty.util.log.Log.<clinit>(Log.java:85) at org.eclipse.jetty.util.component.AbstractLifeCycle.<clinit>(AbstractL ifeCycle.java:33) at com.amazonaws.services.dynamodbv2.local.main.ServerRunner.createServe r(ServerRunner.java:123) at com.amazonaws.services.dynamodbv2.local.main.ServerRunner.createServe rFromCommandLineArgs(ServerRunner.java:119) at com.amazonaws.services.dynamodbv2.local.main.ServerRunner.main(Server Runner.java:70) I am having Java7 sdk in my windows 32 system. A: NoSuchFieldError exceptions are thrown "if an application tries to access or modify a specified field of an object, and that object no longer has that field". In this case, it's likely the jar was compiled against one version of java (or other dependency) and you're using a different version that is not compatible. I'd suggest updating to Java8 since support for Java7 ended as of April 2015. Also, check your version of jetty (since the last call outside the JVM was caused by org.eclipse.jetty.util.DateCache.<init>(DateCache.java:88)) to make sure it's compatible.
{ "pile_set_name": "StackExchange" }
0.016174
[ { "begin": 0, "end": 58, "score": 0.0068374802 }, { "begin": 58, "end": 135, "score": 0.0085381735 }, { "begin": 135, "end": 178, "score": 0.014160873 }, { "begin": 178, "end": 204, "score": 0.008746422 }, { "begin": 204, "end": 246, "score": 0.007913429 }, { "begin": 246, "end": 273, "score": 0.017909339 }, { "begin": 273, "end": 342, "score": 0.008885254 }, { "begin": 342, "end": 411, "score": 0.01193956 }, { "begin": 411, "end": 482, "score": 0.011037151 }, { "begin": 482, "end": 2969, "score": 0.019297661 } ]
Q: Google Sheets - Include a Comparison Trend Line I am using google sheets to record sales data and have a separate worksheet for each calendar year. For each calendar year I include a couple of charts which illustrate things like track dollar value of sales per week and I've included a trendline. Now we've ticked over to a new calendar year, I'd like to include the trendline from last year's dollar value chart into this year's chart, so I can see how the trends compare. I don't really want to include the week by week data in the chart (it will look messy & I don't need that level of detail) - is there a way I can just include the trend line? A: I have 'solved' this by pulling in the previous year's data, including the trend line in the series & then setting the colour for the series to none. That way the trendline appears but the individual data points don't. I suspect this is the right way to do this but I'd be interested to hear of any other approaches.
{ "pile_set_name": "StackExchange" }
0.015757
[ { "begin": 0, "end": 52, "score": 0.0129808 }, { "begin": 52, "end": 153, "score": 0.007948137 }, { "begin": 153, "end": 302, "score": 0.009509998 }, { "begin": 302, "end": 479, "score": 0.010551238 }, { "begin": 479, "end": 654, "score": 0.027752401 }, { "begin": 654, "end": 659, "score": 0.019297661 }, { "begin": 659, "end": 809, "score": 0.009857078 }, { "begin": 809, "end": 878, "score": 0.014577369 }, { "begin": 878, "end": 977, "score": 0.013466713 } ]
Description This alabaster plaque, which warns against going to law, was made by a Beaumaris builder named David Roberts. It shows two farmers tugging at each end of a cow while it is being milked by a third person. The farmers represent the two parties involved in the case and the third person is the attorney.
{ "pile_set_name": "OpenWebText2" }
0.094411
[ { "begin": 0, "end": 12, "score": 0.006559816 }, { "begin": 12, "end": 123, "score": 0.11600884 }, { "begin": 123, "end": 217, "score": 0.1256687 }, { "begin": 217, "end": 313, "score": 0.010828903 } ]
As so many of us, Retha does not normally like to be photographed. In her experience she rarely experienced to be captured as who she is. We arranged to photograph her on location at the Hout Bay Manor. Not only is the Hout Bay Manor a beautiful location, but also one of the venues, where Retha meets clients. Corporate portraits don’t sound like much fun, but we laughed a lot during the session and kept things fairly relaxed. The cooperation between all three of us was fantastic and made so much easier to capture Retha at her best. I photograph corporate headshots on location and in studio. For the best results, I do recommend to work with a stylist and/ or make-up artist. Just give me a call and I put you in touch.
{ "pile_set_name": "Pile-CC" }
0.044062
[ { "begin": 0, "end": 67, "score": 0.040628307 }, { "begin": 67, "end": 138, "score": 0.019019997 }, { "begin": 138, "end": 204, "score": 0.04406188 }, { "begin": 204, "end": 312, "score": 0.0067680646 }, { "begin": 312, "end": 432, "score": 0.06652113 }, { "begin": 432, "end": 540, "score": 0.022945397 }, { "begin": 540, "end": 601, "score": 0.18450552 }, { "begin": 601, "end": 685, "score": 0.014716201 }, { "begin": 685, "end": 728, "score": 0.2712817 } ]
About this book Introduction This thought-provoking treatise explores the essential functions that culture fulfills in human life in response to core psychological, physiological, and existential needs. It synthesizes diverse strands of empirical and theoretical knowledge to trace the development of culture as a source of morality, self-esteem, identity, and meaning as well as a driver of domination and upheaval. Extended examples from past and ongoing hostilities also spotlight the resilience of culture in the aftermath of disruption and trauma, and the possibility of reconciliation between conflicting cultures. The stimulating insights included here have far-reaching implications for psychology, education, intergroup relations, politics, and social policy. Included in the coverage: · Culture as shared meanings and interpretations. · Culture as an ontological prescription of how to “be” and “how to live.” A Psychology of Culture takes an uncommon tour of the human condition of interest to clinicians, educators, and practitioners, students of culture and its role and effects in human life, and students in nursing, medicine, anthropology, social work, family studies, sociology, counseling, and psychology. It is especially suitable as a graduate text.
{ "pile_set_name": "Pile-CC" }
0.03771
[ { "begin": 0, "end": 16, "score": 0.014091457 }, { "begin": 16, "end": 30, "score": 0.010828903 }, { "begin": 30, "end": 205, "score": 0.020963646 }, { "begin": 205, "end": 419, "score": 0.027237365 }, { "begin": 419, "end": 623, "score": 0.019297661 }, { "begin": 623, "end": 771, "score": 0.013397297 }, { "begin": 771, "end": 798, "score": 0.014507953 }, { "begin": 798, "end": 849, "score": 0.025692256 }, { "begin": 849, "end": 925, "score": 0.017145762 }, { "begin": 925, "end": 1275, "score": 0.009440582 } ]
Luke Bryan’s 2016 Kill The Lights Tour comes to Houston Oct. 20 Published 2:00 am, Sunday, July 31, 2016 Reigning CMA and ACM Entertainer of the Year Luke Bryan will extend his Kill The Lights Tour through this fall and make a stop on Oct. 20 at The Cynthia Woods Mitchell Pavilion Presented By Huntsman. Reigning CMA and ACM Entertainer of the Year Luke Bryan will extend his Kill The Lights Tour through this fall and make a stop on Oct. 20 at The Cynthia Woods Mitchell Pavilion Presented By Huntsman. Photo: Courtesy Photo Luke Bryan’s 2016 Kill The Lights Tour comes to Houston Oct. 20 1 / 1 Back to Gallery Reigning CMA and ACM Entertainer of the Year Luke Bryan will extend his Kill The Lights Tour through this fall and make a stop on Oct. 20 at The Cynthia Woods Mitchell Pavilion Presented By Huntsman. Little Big Town and Dustin Lynch will be his special guests for this great evening of music! Tickets went on sale Friday, July 29, at 10 a.m. at www.livenation.com, www.ticektmaster.com, or by phone at 1-800-745-3000. Since the debut of his first album in 2007, Luke has placed 14 singles at No. 1 and sold nearly eight million albums with 30 million digital tracks from his five studio albums. He has twice been named Entertainer of the Year by both the Academy of Country Music and the Country Music Association. Now Playing: His fifth studio album, Kill The Lights, debuted at No. 1 on both the Billboard Top 200 (his third to do so) and Top Country Albums charts and closed 2015 with the best-selling country album of the year and the 10th biggest selling album on the all-genre Billboard Top 200 Year-End list.
{ "pile_set_name": "Pile-CC" }
0.080506
[ { "begin": 0, "end": 61, "score": 0.07850813 }, { "begin": 61, "end": 106, "score": 0.0036616963 }, { "begin": 106, "end": 307, "score": 0.076110736 }, { "begin": 307, "end": 508, "score": 0.076110736 }, { "begin": 508, "end": 531, "score": 0.011037151 }, { "begin": 531, "end": 593, "score": 0.11536485 }, { "begin": 593, "end": 603, "score": 0.010828903 }, { "begin": 603, "end": 620, "score": 0.02792408 }, { "begin": 620, "end": 821, "score": 0.076110736 }, { "begin": 821, "end": 1640, "score": 0.017909339 } ]
# From http://snapshot.debian.org/archive/debian/20091207T044352Z/pool/main/t/ttf-inconsolata/ttf-inconsolata_001.010-2.dsc sha256 ecf8ba44911fcb3c9683aef1ca2b3cfbafa119a3e93c682f448850e1ae08ce93 ttf-inconsolata_001.010.orig.tar.gz # Locally computed sha256 8bbed014d1c85a9e3f36703816833c9538e140fea88c2bc3a745ce2449dc18ab OFL.txt
{ "pile_set_name": "Github" }
0.003991
[ { "begin": 0, "end": 124, "score": 0.0067680646 }, { "begin": 124, "end": 234, "score": 0.014507953 }, { "begin": 234, "end": 253, "score": 0.018048171 }, { "begin": 253, "end": 335, "score": 0.019714156 } ]
Q: Switch single view based application view on iPhone I have a simple view based application. I want to switch this original view for another view when I push a button on the original view. I do not want to use a navigationviewcontroller, or switchviewcontroller, I simply want to swap the root view for another. Thanks, Joe A: This isn't recommended by apple. If you have multiple views, you should be using a TabBar controller or a Navigation Controller. One reason is that messages like viewDid/WillAppear don't get sent when you improperly add views. If you don't want to display a navigation bar, then you you can set it to hidden and no one will ever know the are in a Navigation based app. You can also prevent views from animating in from the side when pushing a view controller. The other accepted option is loading a "backing" view and never changing it. You can switch out any subviews on this backing view. You might never see the backing view in the app, but it is there just for you to remove and add views.
{ "pile_set_name": "StackExchange" }
0.021102
[ { "begin": 0, "end": 56, "score": 0.0056574075 }, { "begin": 56, "end": 98, "score": 0.011523063 }, { "begin": 98, "end": 195, "score": 0.017909339 }, { "begin": 195, "end": 318, "score": 0.017701091 }, { "begin": 318, "end": 326, "score": 0.008954669 }, { "begin": 326, "end": 331, "score": 0.012772553 }, { "begin": 331, "end": 368, "score": 0.013050216 }, { "begin": 368, "end": 464, "score": 0.017284594 }, { "begin": 464, "end": 562, "score": 0.010620655 }, { "begin": 562, "end": 1030, "score": 0.010273575 } ]
Hollow hybrid spheres with silica inner shell for non-deformable, core exchangeable properties. Core exchangeable polymer-silica hybrid capsules with solvent-selective permeability were fabricated, in which the internal silica layer, formed from pre-included precursors, has the role of a framework to prevent irreversible deformation of the hollow capsules.
{ "pile_set_name": "PubMed Abstracts" }
0.008191
[ { "begin": 0, "end": 96, "score": 0.014993866 }, { "begin": 96, "end": 358, "score": 0.01193956 } ]
Image caption Taxpayers are now being asked if they would pay more council tax to save services An extra £40m will have to be cut from Birmingham City Council's budget because of further government funding cuts and increased costs, leaders say. The authority had initially said it was looking at cuts of £70m in 2013-14, but said that figure was now £110m. Leader Sir Albert Bore said the situation was "much worse than we feared" after the Autumn Statement. Local Government Minister Brandon Lewis said "while Birmingham pleads poverty" it was hoarding £112m in reserves. Taxpayers are now being asked if they would pay more council tax to save services. Labour took over the running of the council, the UK's largest local authority, in May from a Conservative/Liberal Democrat coalition. I despair there is a lack of concern in government as to what the impact of their budget cuts areSir Albert Bore, Leader of Birmingham City Council In October, the council said it was looking at a total of £600m of savings by 2017. Sir Albert warned at the time the authority could be facing an additional amount of tens of millions of pounds for next year, depending on reductions in direct government grants. He said he thought the council could see its grant money fall by £310m by 2016-17. The council has previously said it would have to look at decommissioning entire services to help meet the budget shortfall. Sir Albert said work had already started on the budget for 2014-15 and there would be a consultation on decommissioning services next year. He said: "It's going to get harder and harder and this is now a very different ball-game - no more salami-slicing - we are talking about removing services that the people of this city value. "When we are taking out, over six years, around 50% of the budget the council has control over then this will be reflected in the number and size of service cuts that we have to make. "It's not just that I regret having to bring a budget of this sort forward but I despair there is a lack of concern in government as to what the impact of their budget cuts are." 'More than double' Ravi Subramanian, West Midlands regional secretary for the union Unison, said: "These are cuts that have been imposed on Birmingham by this Tory-led government as part of their failed austerity measures." He said the average reduction in government funding for the country amounted to £74 per person, but Birmingham's reduction was "more than double" at £149. Last month the council revealed it would have to pay at least £757m to settle equal pay claims brought by mainly women who missed out on bonuses. However, it said that amount had been included in the budgets for the next few years. Last week, Dudley Metropolitan Borough Council became the first in the West Midlands to say it was considering holding a referendum over higher council tax rates. Image caption Sir Albert had initially ruled out the possibility of holding a referendum over raising council tax Ministers have said that any authorities wanting to increase council tax by more than 2% must ask their electorates if they are willing to pay it. Birmingham City Council said it would now be looking at a similar consultation. Mr Lewis said next year's funding for councils would be announced shortly. He added: "Councils still account for a quarter of all public spending - £114bn of taxpayers money - so they must help act to reduce the inherited deficit. "This year, while Birmingham pleads poverty, it is hoarding £112m in reserves, getting almost £400 more per household than the national average to protect frontline services, been given a £1.5bn city deal, £22m Growing Places Funding, an Enterprise Zone and £7.5m in New Homes Bonuses." Mr Lewis said Chancellor George Osborne had exempted councils from the reductions government must make in 2013-14. He added: "This will give councils like Birmingham time to find sensible savings by transforming frontline service delivery as well as reducing fraud, procuring better and sharing back offices."
{ "pile_set_name": "Pile-CC" }
0.038225
[ { "begin": 0, "end": 14, "score": 0.010134743 }, { "begin": 14, "end": 96, "score": 0.012425472 }, { "begin": 96, "end": 246, "score": 0.014993866 }, { "begin": 246, "end": 359, "score": 0.00930175 }, { "begin": 359, "end": 462, "score": 0.027409043 }, { "begin": 462, "end": 577, "score": 0.018881164 }, { "begin": 577, "end": 661, "score": 0.015549194 }, { "begin": 661, "end": 796, "score": 0.014716201 }, { "begin": 796, "end": 945, "score": 0.08635602 }, { "begin": 945, "end": 4073, "score": 0.07371333 } ]
El ecuatoriano Ángel Mena fue la única ausencia en el entrenamiento de Cruz Azul de este martes con miras al juego del sábado ante Chivas. Mena hizo el calentamiento con el resto de los integrantes de La Máquina, pero en los ejercicios posteriores corrió alrededor de la cancha con el fisioterapeuta y realizó trabajos en el gimnasio. Al ser cuestionado por su condición física y la molestia en la pierna derecha, Ángel se limitó a decir que estaba en un 80 por ciento, por lo que será sometido a una evaluación médica para saber si estará a punto para la fecha dos. Los celestes, que debutaron en el certamen con un triunfo de 3-0 ante Puebla, se enfocaron en trabajo de definición ante la mirada del timonel portugués Pedro Caixinha.
{ "pile_set_name": "OpenWebText2" }
0.044405
[ { "begin": 0, "end": 139, "score": 0.023117077 }, { "begin": 139, "end": 336, "score": 0.01492445 }, { "begin": 336, "end": 569, "score": 0.03856816 }, { "begin": 569, "end": 738, "score": 0.0025510397 } ]
JIM'S STORY PART 5 Jim - a Diamond in the Not-So-Rough June 2011 I have been wanting and meaning to update “Jim’s Story” for a long time, but developing acute myelogenous leukemia in 2007 has simply meant I couldn’t manage everything. However, there are so many things that Jim is now doing that I feel I need to share these with other families. I was recently contacted by someone from Sri Lanka to translate Jim’s Story because the parent thought that Jim’s Story provides a lot of hope to other parents. Indeed, starting to speak at the age of 50 is very inspiring. Now, at 58, Jim is feeling so at ease talking to others – he is no longer shy and works very hard at being understood. I will be trying to write about new advances and how things are moving along for Jim through this blog, and hope you will be as inspired as I am when I see and hear changes in Jim that occur even now. One of Jim’s support workers suggested that Jim is a Diamond in the Rough, but as we discussed this, we realized that every day there are indications of new cuts and refinements and that he is becoming a sparkling and special diamond. I feel this is true for all individuals on the spectrum, including those who are non-verbal (which Jim was for so many many years). Clearly a key to Jim’s changes has been the introduction of a means for communication. As I describe in Jim’s Story, it was a surprise when he started speaking after using a computer program, Write Out Loud, where the letters that are typed are spoken and the word is pronounced when the space bar is clicked. At the end of a sentence, the entire sentence is spoken. Jim has listened so carefully to the consistent pronunciation that the voice in the program produces, that I believe this has helped him to improve his own spoken language. He now repeats everything that we say to indicate both that he understands what we are saying and to make sure that he is pronouncing things correctly. I believe that he is very bright, and that this is true for most – perhaps all – individuals with an ASD. Sometimes, however, the frustration of not being understood (usually because they are non-verbal) leads to aggressive behaviours or other negative behaviours that are often expressed by persons on the spectrum and cover up the positive attributes. Now for some recent observations: Jim has a new support worker. His previous support persons were all very good and their approaches were good to get him to a point where he could talk and make decisions for himself. His new support worker – a retired teacher who is also a handyman – is working with Jim to fix things around our house and do woodworking and lots of practical things! Jim loves to see that there is a purpose for what he does. He doesn’t like to just hammer nails into a board; he wants to build something useful. We had a couple of old garden benches that needed sanding and repairs and Jim and Jerome did this together. We now have two lovely benches added to our garden – places to rest and view Nature. Jerome and his partner, as he calls Jim, have built stands for our rain barrels, made large trellises on the sides of our house for climbing plants to create natural art during the years to come, put together new stairs and will be making an addition to our deck, for planters! We also have some young female students working in our garden with Jim – planting and weeding. Everyone has remarked that in the last two months, Jim has become so talkative and interactive with everyone. He is not shy anymore but loves to share what he is thinking. One of the students graduated with a BA in Psychology, and she said that she has to discard all that she learned about autism in her classes, because Jim just doesn’t fit with what they were told – he is social and enjoys being with others – yet she also recognizes the true autistic behaviours. However, he is never aggressive anymore – we all believe that the big difference is that he is treated as a person first, and as someone with autism …… perhaps fifth! But certainly he is not simply a person with autism. What more can we ask and how much less should we be expecting? I think this is the secret to a successful relationship, regardless of the relationship – being respected for what you have to offer and that what you have to offer is meaningful. I will be writing more, and hope that through my words, and – on occasion – those of Jim or others, you will find the answers to unlocking the brilliance that is just under the surface.
{ "pile_set_name": "Pile-CC" }
0.038053
[ { "begin": 0, "end": 19, "score": 0.017631676 }, { "begin": 19, "end": 56, "score": 0.029984225 }, { "begin": 56, "end": 67, "score": 0.011731312 }, { "begin": 67, "end": 238, "score": 0.030327583 }, { "begin": 238, "end": 349, "score": 0.017006932 }, { "begin": 349, "end": 510, "score": 0.0136749605 }, { "begin": 510, "end": 572, "score": 0.020685982 }, { "begin": 572, "end": 691, "score": 0.04680874 }, { "begin": 691, "end": 892, "score": 0.009509998 }, { "begin": 892, "end": 4521, "score": 0.06252546 } ]
List of most-watched television broadcasts The following content contains the tentative list of the most-watched television broadcasts around the world in selected countries, with the corresponding peak viewership (or ratings share) records, the corresponding year of such broadcast, and the mentioned media research organizations tallying nationwide viewership records. However, the most-watched television broadcast in any of the following nations can also be broadcast simultaneously in other countries and rank among their most-watched television broadcasts as well. Global History On July 20, 1969, an estimated 650 million people watched the live global broadcast of the Apollo 11 moonlanding (this constituted around one fifth of total population of the world at the time), despite the fact that the first moonwalk took place in the middle of the night in Europe (at 01:56 in Iceland; 02:56 in Ireland, Portugal and the United Kingdom; 03:56 in Andorra, Austria, Belgium, Denmark, France, Germany, Italy, Liechtenstein, Luxembourg, Malta, Monaco, the Netherlands, Norway, Poland, San Marino, Spain, Sweden, Switzerland and Yugoslavia and 04:56 in Finland, Greece and Turkey) and it was not broadcast in the Eastern Bloc (except in Romania (04:56) and Poland) (03:56). The boxer Muhammad Ali drew record global television audiences during the 1970s to early 1980s. Estimates of Ali's worldwide television audiences for his "Rumble in the Jungle" fight against George Foreman in 1974, "Thrilla in Manila" fight against Joe Frazier in 1975, rematch against Leon Spinks in 1978, and "Last Hurrah" fight against Larry Holmes in 1980, range between 1billion and 2billion people. The 1996 Summer Olympics opening ceremony, where Muhammad Ali lit the torch, was watched by an estimated 3.5billion viewers. The funeral of Diana, Princess of Wales in 1997 was watched by an estimated 2billion people globally, making it the all-time most-watched royal event on live television in the world. The original Live Aid was a dual-venue benefit concert held on 13 July 1985. It became an ongoing music-based fundraising initiative. The original event was organised by Bob Geldof and Midge Ure to raise funds for relief of the ongoing Ethiopian famine. Billed as the "global jukebox", the event was held simultaneously at Wembley Stadium in London, England, United Kingdom (attended by 72,000 people) and John F. Kennedy Stadium in Philadelphia, Pennsylvania, United States (attended by about 100,000 people). Many similar events happened the same day in other countries, such as the Soviet Union, Canada, Japan, Yugoslavia, Austria, Australia and West Germany. It was one of the largest-scale television events of all time, watched across 150 nations, with an estimated global audience of 1.9 billion who watched the live broadcast. In 1990, Roger Waters played a concert in Berlin known as The Wall – Live in Berlin to commemorate the fall of the Berlin Wall. The concert was subject to a live audience of 450,000 and was broadcast to 35 countries, with an estimated broadcasting audience of 500 million to 1 billion people. Prominent personalities in the 1990s and 2000s such as David Hasselhoff and Mexico's Thalia (currently based in the U.S.) starred in primetime series such as the Las Tres Marias trilogy shows (Maria Mercedes, Marimar and Maria la del Barrio), Rosalinda and Baywatch, which were broadcast in about 180 countries and still remained among the world's most-watched non-U.S.-produced television series. U.S. television programming remains one of the most popular forms of entertainment worldwide. This trend was initiated by U.S.-made broadcast network soap operas and sitcoms such as Dallas, M*A*S*H, The Cosby Show, Seinfeld, Friends and The Big Bang Theory by the mid-2000s, and then in the late 2000s and 2010s by U.S. medical dramas and police procedurals such as House, and the CSI and NCIS franchises. All of these are currently syndicated in more than 100 countries, and rank among the most-watched television series in the world, extending their dominance to a three-decade span. In recent decades, the global popularity of U.S. television is rivaled by European television programming and television dramas from Latin America and Asia. The annual Eurovision Song Contest, considered to be one of the world's longest running and most-watched reality television franchises, annually attracts a peak of 600 million viewers. Eurovision has consistently ranked among the all-time most-watched live non-sports entertainment telecasts worldwide in the last 2 decades. Idols, airing since 2001, has the largest collective global franchise viewership in the world to date, shown in versions in over 150 countries worldwide and has been watched by over 3.2billion viewers. The 2008 Summer Olympics opening ceremony set the record for the largest viewing figure for any sports event, reaching an average daily audience of 593 million worldwide. Over billion people saw some part of the 16-day coverage, including the opening and closing ceremonies of the Beijing-hosted Olympic games. The FIFA World Cup has attracted an average of 3.2 billion viewers in 2010 and 2014, making it the most-watched overall live event by average on television worldwide in the 21st century. In 2010, over 1.1 billion people were reported to have watched the 2010–2011 Sydney New Year's Eve coverage, constituting approximately 16% of the world population at that time and still remains the most-watched New Year's Eve live telecast in the world. As one of the first major New Year's celebrations globally each year, Sydney New Year's Eve annual coverage are live in all time zones in both Asia, Australia and Oceania on 31 December 2010 and 1 January 2011. Few cable television programs have ranked among the world's most-watched television broadcasts beginning the mid-2010s. In particular, notable scripted series like Game of Thrones, Sherlock and Doctor Who, originating from both the U.S. and UK, have been currently aired to more than 100 countries. The annual Miss Universe and Miss World pageants, headquartered in the U.S. and UK, respectively, and aired live to more than 190 countries yearly, are said to have each regularly attracted more than 500million viewers and consistently rank among the most-watched live annual entertainment telecasts in the world. Regional annual sporting events like the Super Bowl in the U.S., and the UEFA Champions League finals in Europe, televised live worldwide, have emerged among the world's most-watched television broadcasts. The 2015 Cricket World Cup is estimated to have been watched by an estimated 2.2billion people. The most widely watched match during the tournament was India vs. Pakistan, which is estimated to have drawn over 1billion viewers. Most reality television franchise broadcasts and international sporting events (which are aired in several countries) tend to comprise some of the most-watched television programs, as tallied by their media research bases. Beginning the mid-2010s, the majority of the world's most-watched television broadcasts, including all of the world's major international sporting events, are often broadcast live via satellite across virtually all of the world's time zones in seven continents. List Records International Australia Most-watched broadcasts of all time (Total Viewers) The following is David Dale's approximate ranking of the most-watched television shows of all time in Australia using data from Nielsen Corporation and OzTAM. Note: the funeral of Princess Diana, the Wedding of Prince Charles and the Wedding of Prince William were all carried by all 4 major networks and are counted together. Most viewed broadcasts since 2001 (OzTAM 5 City Metro Average) The following table is a list of the most viewed programs based on the OzTAM 5 City Metro Average rating system. It does not include regional numbers (40% of the population) and uses the average viewership, not the peak viewership. Also note these ratings are not comparable with ratings before 2001 due to different methodologies used after this time. Brazil Canada The two most-watched television broadcasts in Canadian history occurred during the 2010 Winter Olympics in Vancouver. For the gold medal game of the men's hockey tournament at the 2010 Winter Olympics, played between the United States and Canada, confirmed 16.6 million Canadians watched the whole game, roughly one-half of the country's entire population. A groundbreaking 26.5 million Canadians watched some part of the game, over 80 percent of the country's 34-million-person population. According to multiple sources, 13.3 million Canadians watched the games' opening ceremony, which was the previous record. Many believed the final game of the 1972 Summit Series had up to 18 million viewers, but only 4.3 million TVs tuned in. This statistic does not represent the reality that most school children (representing the tail end of the baby-boom i.e. a large population) nationwide watched the game in gymnasiums on only one or two TVs. 10.3 million people watched the ice hockey gold medal final of the 2002 Winter Olympics. China China Central Television's Spring Festival Gala has regularly attracted between 700 million to 1.17 billion viewers annually. The CCTV's main evening news broadcast Xinwen Lianbo has a daily audience of around 135 million people, and it is also one of the most expensive shows in the world per advertising spots, with its 2013 advertising slots selling for a record of 5.4 billion yuan. France Germany Note: The UEFA Euro 2008 final is missing from the list, because the lengthy trophy presentation was included into the official ratings. The game itself was watched by 28.05 million viewers. India India measures the viewership of shows through TRP (Television Rating Point). Shows used to have higher ratings in 2000s as compared to present decade. The present shows that regularly score above or around the 3.5 mark are Kumkum Bhagya, and its spin off Kundali Bhagya along with Yeh Rishta Kya Kehlata Hai. Sometimes these shows touch 4 which is still quite low as compared to highest rated shows of the last decade. Other than that Naagin (2015 TV series) is the only show now that scores above 4.7. All of these shows are produced by the same banner Balaji Telefilms except Yeh Rishta Kya Kehlata Hai. Currently, Naagin (2015 TV series) is the most viewed TV Show which garnered a highest TRP of 6.1 in 2016 and Naagin 3 which got 10.8 million viewership in its opening week (Week 23, 2018) and continued it for months. Ironically, 2.5-3.5 TRP was considered an average in the 2000s era of classic serials. The most-watched channel for years has been Star Plus , then Zee TV with major competition from Colors. Mahabharat (19881990), the television adaptation of Indian epic Mahabharata, had a share of 97.8% among Indian viewers. Aamir Khan's talk show Satyamev Jayate (20122014) drew an estimated audience of 600million viewers in India. The 2016 ICC World Twenty20 cricket cup was watched by an estimated 730million viewers in India, with India vs. Pakistan being the most widely watched live event during the tournament. The Doraemon anime series is India's highest-rated children's television show as of 2017, with a total of 478.5million viewers across Hungama TV and Disney Channel India. Most viewed broadcasts Ireland A list of most-watched shows in the Republic of Ireland in the 21st century was released in January 2015. The Late Late Toy Show held the top six spots, with the 2014 edition drawing 1,593,000 viewers: over one-third of the country's population. Other high-performing shows were Who Wants to be a Millionaire?, crime drama Love/Hate, Mrs. Brown's Boys, The Sunday Game, UEFA Euro 2012 and the Eurovision Song Contest. Japan The following list is for Japanese anime only. The list covers broadcasts after 26 September 1977. Video Research had previously recorded an episode of the 1960s Astro Boy anime that earned a 40.3% rating. Mexico A list of most-watched shows in the Mexico, Televisa and TV Azteca broadcasters (Liga MX Apertura and Clausura), Boxing, 1968 Summer Olympics in Mexico City, (FIFA World Cup hosts 1970 & 1986), some concerts like Maná's Unidos por La Paz at Estadio Azteca in March, 2001; in 2007, the last episode of La Fea Más Bella", Funeral events like Chespirito at December, 2014 the creator of TV Series El Chavo del ocho and El Chapulin Colorado, and Celebration of Mexican political anniversaries in 2010 celebrate independence from Spain also called Bicentenario 2010, had an average audience of over 40 million views in Mexican Television. New Zealand In 2011, the television website Throng published a list of the 12 most-watched television broadcasts in New Zealand from 1995 to 2011. This is based on average viewership of the program, but it does not include broadcasts from before 1995 or after 2011. The Rugby World Cup has frequently had large audiences – the Rugby World Cup 2011 final, and a semi-final, both had an average audience of over 2 million. Philippines AGB Nielsen The following table shows the all-time highest rating television shows in Mega Manila as tallied by AGB Nielsen since 1992. However, ratings are from a single highest recorded episode of the show (in the case of the TV series) and it is not the average over-all ratings for the whole season or series. Poland List of the 10 most-watched television broadcasts since the beginning of telemetry research in Poland (since 1997) by Nielsen Media Research: Portugal South Korea Viewership ratings are provided by two companies in South Korea, AGB Nielsen Media Research and TNmS. Originally Media Service Korea was the only company providing such information, and it was later acquired by Nielsen Media Research. In 1999 TNS Media Korea also began such service, and later changed its name to TNmS. AGB collects viewership data based on 2050 households, while TNmS has 2000 households with measuring devices. Drama ratings usually vary between the two companies by 2–3%. Sweden Statistics from Mediamätning Skandinavien. Most-watched programmes per year Most-watched sport events per year United Kingdom Most-watched special events The majority of special events attracting large audiences are often carried on more than one channel. The most-watched programme of all time on a single channel is the 1973 wedding ceremony of The Princess Anne, shown only on BBC1. The figures in these tables represent the average viewership achieved by each broadcast during its run-time and do not include peak viewership. Post-1981 figures verified by the Broadcasters' Audience Research Board (BARB) Pre-1981 figures supplied by the British Film Institute (BFI) Notes: The Wedding of Princess Margaret and Lord Snowdon (6 May 1960) was watched by an estimated 25 million viewers in Britain. At least two Muhammad Ali boxing matches were reported to have been watched by at least 26million viewers in the United Kingdom: the Fight of the Century (Ali vs. Frazier) was reported to have been watched by 27.5million British viewers in 1971, and The Rumble in the Jungle (Ali vs. Foreman) was reported to have been watched by 26million viewers on BBC One in 1974. Live Aid is reported to have reached approximately 24.5million British viewers in July 1985. The Wedding of Prince William and Catherine Middleton (29 April 2011) received a total audience peak of 26 million viewers, but this is a combined figure aggregated from the ten different channels that broadcast the ceremony. The highest figures of these were 13.59 million on BBC1, with an extra 4.02 million watching on ITV. Most-watched programmes The following is a list of most-watched programmes, excluding sporting events and news coverage. The mid-1980s introduction of in-week repeat showings accounts for six of the top ten programmes. On this measure, the 1996 Christmas edition of Only Fools and Horses is the most-watched non-repeated, non-documentary programme of all time in the UK. It is the third most-watched programme of all time on a single channel, after the 2012 Summer Olympics closing ceremony and the wedding of Princess Anne and Mark Phillips in 1973 (see below). Post-1981 figures verified by the Broadcasters' Audience Research Board (BARB) Pre-1981 figures supplied by the British Film Institute *Denotes aggregated figure with repeat showing. United States NBC's live telecast of Super Bowl XLIX in 2015 currently holds the record for the largest average viewership of any live single-network U.S. television broadcast, with 114.4 million viewers. During this broadcast, the halftime show was watched by 118.5 million viewers. The previous live telecast Super Bowl XLV in February 2011 helped Fox become the first ever television network in the United States to be watched by at least 100 million American viewers by average for a single primetime night of programming. Moreover, Super Bowl telecasts account for 23 of the most-watched television broadcasts based on overall viewership in U.S. television history. Fox's live telecast of Super Bowl LI in 2017 currently holds the largest total viewership in U.S. television history, peaking at 172 million viewers in Super Bowl's first ever overtime play. Additionally, the National Football League (or NFL) regular season is watched since 2012 by at least 200 million individuals in the United States, accounting for the largest consistent annual nationwide viewership for any television event in U.S. television history (representing almost 70% of the American households, more than 80% of the total U.S. television viewers, and more than 60% of the 2018 U.S. population of 325 million individuals). Most-watched broadcasts References Sources https://www.moneycontrol.com/news/india/man-vs-wild-episode-featuring-pm-modi-was-most-trending-televised-event-claims-bear-grylls-4351101.html https://in.mashable.com/entertainment/5924/pm-narendra-modis-man-vs-wild-stint-with-bear-grylls-is-officially-the-most-watched-episode-on-tv Citations Most-watched broadcasts Most-watched broadcasts
{ "pile_set_name": "Wikipedia (en)" }
0.012148
[ { "begin": 0, "end": 43, "score": 0.013327881 }, { "begin": 43, "end": 372, "score": 0.01492445 }, { "begin": 372, "end": 572, "score": 0.008191093 }, { "begin": 572, "end": 580, "score": 0.016937515 }, { "begin": 580, "end": 589, "score": 0.010620655 }, { "begin": 589, "end": 1093, "score": 0.059728492 }, { "begin": 1093, "end": 1278, "score": 0.016590435 }, { "begin": 1278, "end": 1375, "score": 0.016104523 }, { "begin": 1375, "end": 1684, "score": 0.036508016 }, { "begin": 1684, "end": 18178, "score": 0.09978092 } ]
Construction of genomic libraries of Cryptosporidium parvum and identification of antigen-encoding genes. Genomic libraries have been constructed from bovine C. parvum DNA in the lambda ZAP and lambda DASH vectors. Based on an estimated genome size of 2 x 10(4) kilobases (kb), each recombinant library contains greater than 10 genomic equivalents. The average recombinant size for the lambda ZAP library is 2.1 kb and for the lambda DASH library is 14 kb. We have identified genes to major antigens recognized by hyperimmune bovine antiserum. These recombinants are currently being purified and characterized. Limited DNA sequence analysis of random C. parvum clones confirms suggestions that the genome is quite AT-rich. The DNA sequence of random lambda ZAP fusion proteins has identified a potential ATPase, a structural protein and a DNA-binding protein.
{ "pile_set_name": "PubMed Abstracts" }
0.013675
[ { "begin": 0, "end": 106, "score": 0.013050216 }, { "begin": 106, "end": 215, "score": 0.029469188 }, { "begin": 215, "end": 349, "score": 0.012911384 }, { "begin": 349, "end": 457, "score": 0.011800728 }, { "begin": 457, "end": 544, "score": 0.031357653 }, { "begin": 544, "end": 611, "score": 0.08290337 }, { "begin": 611, "end": 723, "score": 0.08330294 }, { "begin": 723, "end": 859, "score": 0.009371166 } ]
Further details New listings in Toowoomba Auto Key Pro provides a mobile replacement car key service to Toowoomba and the Darling Downs.We cut, program and supply keys for a range of makes and models. Call Now 0401796273 We Beat Any Price - Get 10% Off !
{ "pile_set_name": "Pile-CC" }
0.010204
[ { "begin": 0, "end": 16, "score": 0.009440582 }, { "begin": 16, "end": 43, "score": 0.012425472 }, { "begin": 43, "end": 203, "score": 0.010481823 }, { "begin": 203, "end": 256, "score": 0.028610796 } ]
[Inquiry on the future of newborns treated in intensive care units for children. III. Neurologic anomalies]. This study concerned newborns admitted between 0 and 10 days of life at the intensive care unit of the Hospital St-Vincent-de-Paul from 1969 to 1972. They were followed later as outpatients. Out of 1,607 newborns admitted, 1,126 survived (average mortality: 30%). 532 were examined after one year, 397 after two years. On the whole prognosis may be considered as good: at 2 years of age, 8% had major neurologic abnormalities; 4% minor abnormalities, no increase in the percentage of major neurologic abnormalities between 1969 (6%) and 1972 (5%), whereas mortality decreased from 36 to 24%. The various types of neurologic deficits were analyzed, according to their effects on rehabilitation (4% had severe retardation, 11% moderate retardation). The sensory involvement (3%) and intercurrent seizures (10%) were also analyzed. According to the bias of the Unit in recruitment, this enquiry concerned children close from term or medium premature children (B.W. 1,500 g) : this diminishes the true rate of the neurologic deficit. The relationships between etiology of neonatal distress and delayed neurologic abnormalities are emphasized.
{ "pile_set_name": "PubMed Abstracts" }
0.032903
[ { "begin": 0, "end": 81, "score": 0.018742332 }, { "begin": 81, "end": 86, "score": 0.019575324 }, { "begin": 86, "end": 109, "score": 0.024318827 }, { "begin": 109, "end": 259, "score": 0.008052262 }, { "begin": 259, "end": 300, "score": 0.013258465 }, { "begin": 300, "end": 428, "score": 0.017284594 }, { "begin": 428, "end": 701, "score": 0.0334178 }, { "begin": 701, "end": 857, "score": 0.079307266 }, { "begin": 857, "end": 938, "score": 0.015688026 }, { "begin": 938, "end": 1247, "score": 0.014438537 } ]
Incisional hernia (IH) can be prevented using prophylactic mesh placement (PMP), which involved placement of mesh to reinforce an abdominal fascia closure before herniation occurs at the index of surgery. PMP reduced the absolute risk of IH, with an acceptable complication profile. Open abdominal surgery techniques remain commonplace and contribute to the estimated 153,000 cases of IH performed in the United States (US) and the associated $3 billion spent on hernia treatment. To reduce these hernias, more widespread adoption of PMP is needed, yet barriers exist to adopting PMP in practice. Surgeon-level barriers are a key impediment due to the added time for PMP (20-30 minutes). A rapid mesh application system can reduce this time and increase utilization of PMP. Further, the reliability and technical challenges inherent to PMP pose significant challenges. These barriers highlight an unmet clinical need for an effective, well-engineered, intra- operative technology to decrease the time and circumvent the technical challenges of applying mesh to the abdominal wall fascia for hernia prevention. The SafeClose Mesh Augmentation System is a medical grade, hand-held, mesh affixing system. The system increases the speed of mesh affixation and circumvents technical intra-operative challenges by integrating several key steps of the PMP process, including positioning, tensioning, and affixation into one system. The system includes sterilized mesh with pre-integrated fastener anchors along with a customized applicator that houses the mesh-fastener system inside. By pulling the applicator along the length of the incision, the mesh rolls out of the applicator and is simultaneously affixed by the fasteners. In one continuous motion, the entire incision can be reinforced. When the surgeon reaches the bottom of the incision, he/she can cut the mesh off using the built-in cutting mechanism. This newly updated design satisfies important end-user needs by providing an ergonomic yet robust application mechanism, while at the same time allowing the device to accommodate for different incision lengths and sizes giving the user full ability to control the length of mesh that is used. We propose a feasible, systematic, and step-wise approach to refinement and proof-of-concept for the SafeClose System. Success of this Phase I proposal will be defined by creation of a refined applicator whose core functionality includes a built-in cutting mechanism to reliably and safely cut the mesh after the surgeon has completed the procedure AND demonstration that the SafeClose significantly reduces the time relative to a hand- sewn technique (Aim 2 Experiment 1) while achieving equivalent or improved biomechanical strength of the repair (Aim 2 Experiment 2). The proposed research objectives will advance hernia care and begin a shift towards more preventative risk reductive interventions in abdominal surgery.
{ "pile_set_name": "NIH ExPorter" }
0.028439
[ { "begin": 0, "end": 205, "score": 0.019852988 }, { "begin": 205, "end": 283, "score": 0.011314815 }, { "begin": 283, "end": 481, "score": 0.012494888 }, { "begin": 481, "end": 597, "score": 0.031185975 }, { "begin": 597, "end": 688, "score": 0.01527153 }, { "begin": 688, "end": 774, "score": 0.021518974 }, { "begin": 774, "end": 869, "score": 0.0186035 }, { "begin": 869, "end": 1110, "score": 0.023632111 }, { "begin": 1110, "end": 1202, "score": 0.009371166 }, { "begin": 1202, "end": 2923, "score": 0.016729267 } ]
Choose Other Models to Add The Toyota Corolla is one of the best selling cars in the world for a reason. It does what it was made to do - be a solid car. For the price, it is a good transportation device and the reliability/gas mileage is a plus. Avg. Dealer Rating: (17 reviews) "Dealer did not display any credibility from the first phone call. There were multiple calls from the dealer insisting that I make an appointment. It was as though they though I worked for them. Person I spoke with was rude to the point that whenever I tried to say anything he made it a point to talk over me. At one point I finally hung up and made the decision that I Would never purchase a car from them. I ended up buying from another local Toyota dealer and am extremely pleased with the service and price and will enjoy my 2016 Prius for many years to come. I advise any potential buyer to check out the reviews and remember "Caveat Emptor."" Avg. Dealer Rating: (2 reviews) "Tried to add on the price of repairing the tank to the total cost. On the advertisement it was not disclosed that the trunk did not work. Oh and the dealer fee is almost $1,000. The car was advertised for $7,995. And by the time everything was added up the OTD cost would have been over $11,000. I found and bought the a the same car 1 year older with 15k less miles for 8,500 OTD." Avg. Dealer Rating: (10 reviews) "They agreed on the price and the trade. They sent all of the paperwork as agreed to my credit union. I drove a 140 miles to the dealership to pick up the vehicle and leave my existing trade in. after making me wait for more than 2 hours they decided they wanted $5,000.00 more money as my car was a XLT and not a King Ranch Expedition. During our negotiations I had sent then complete photos of my car plus a photo of the window sticker clearly showing the type of expedition as well as all of the options etc. They also had the tag receipe showing the VIN number as well. I refused the deal and they made no apology nor did they offer any compensation for my time or make any attempt to make this right." 2014 Toyota Corolla LUsed Cars in Clearwater, FL 33764 Average time on market: 29 days Certified Pre-Owned: No Transmission: Automatic Color: Silver Description: Used 2014 Toyota Corolla L for sale - $10,777, 39,467 miles with Steel Wheels, Bluetooth Avg. Dealer Rating: (11 reviews) "Excellent . They responded by email within a couple of hours and then followed up with a phone call. We were not able to get over to see the vehicle however would be happy to deal with them in the future."
{ "pile_set_name": "Pile-CC" }
0.033246
[ { "begin": 0, "end": 27, "score": 0.0136749605 }, { "begin": 27, "end": 106, "score": 0.012494888 }, { "begin": 106, "end": 155, "score": 0.032559406 }, { "begin": 155, "end": 248, "score": 0.007948137 }, { "begin": 248, "end": 254, "score": 0.0741129 }, { "begin": 254, "end": 282, "score": 0.008746422 }, { "begin": 282, "end": 349, "score": 0.03616466 }, { "begin": 349, "end": 429, "score": 0.019714156 }, { "begin": 429, "end": 477, "score": 0.014716201 }, { "begin": 477, "end": 2583, "score": 0.11472086 } ]
Brisbane bar The Scratch succeeded in spite of making “every mistake in the book” in its opening year, according to co-founder Ben Nichols, who has revealed details of his next hospitality venture.Read More » So-called ‘gateway beers’ may actually be doing little to convert Australian drinkers to more flavoursome styles, mused Brendan Varis of Feral Brewing, as the company launched its new canned range.Read More »
{ "pile_set_name": "Pile-CC" }
0.008746
[ { "begin": 0, "end": 209, "score": 0.0112454 }, { "begin": 209, "end": 418, "score": 0.032387726 } ]
Murli Murli may refer to: Murli, Bihar Murli (instrument) MuRli, Togolese-Irish rapper
{ "pile_set_name": "Wikipedia (en)" }
0.271282
[ { "begin": 0, "end": 6, "score": 0.039598234 }, { "begin": 6, "end": 27, "score": 0.014646785 }, { "begin": 27, "end": 42, "score": 0.019019997 }, { "begin": 42, "end": 62, "score": 0.02193547 }, { "begin": 62, "end": 90, "score": 0.2406723 } ]
How do electronic carriers cross Si-bound alkyl monolayers? Electron transport through Si-C bound alkyl chains, sandwiched between and Hg, is characterized by two distinct types of barriers, each dominating in a different voltage range. At low voltage, the current depends strongly on temperature but not on molecular length, suggesting transport by thermionic emission over a barrier in the Si. At higher voltage, the current decreases exponentially with molecular length, suggesting transport limited by tunneling through the molecules. The tunnel barrier is estimated, from transport and photoemission data, to be approximately 1.5 eV with a 0.25m(e) effective mass.
{ "pile_set_name": "PubMed Abstracts" }
0.01666
[ { "begin": 0, "end": 60, "score": 0.013536129 }, { "begin": 60, "end": 237, "score": 0.011453647 }, { "begin": 237, "end": 396, "score": 0.011314815 }, { "begin": 396, "end": 539, "score": 0.025863936 }, { "begin": 539, "end": 669, "score": 0.008850546 } ]
The Parlando Project – Where Music and Words Meet Not for that City Let me introduce newcomers to one of this project’s “finds,” the little-known early 20th century English poet Charlotte Mew. Of course, I didn’t really find her, some of her English contemporaries did, and they waged an unsuccessful campaign to bring her work to greater attention. Among those who thought she deserved more attention: Thomas Hardy, Virginia Woolf, Siegfried Sassoon, Walter de la Mare, John Masefield, and even Ezra Pound. Her poetry touches on some different styles, but what unites it is a skeptical and iconoclastic attitude. She herself seems to have been something of a sui generis outsider, and her poetry reflects that, frequently focusing attention on outsider characters, and her poetry often makes unusual arguments or turns—and I suspect that’s the reason her poetry didn’t catch on. Even her era’s rebels like T. S. Eliot had a ready hook to grab attention: the trauma of WWI and the rise of a modern heterogeneous urban society and industrial economy were enough of a shock to the system that even the most high-brow and arcane poetic examinations had some access to the reading public’s attention. Particularly in America, there were a number of women poets who examined love and relationships* in sophisticated ways that were widely seen then as access to that mysterious creature of the era: “The New Woman.” Mew didn’t really do the former much, and her take on love didn’t seem to always align with expectations, for she was noticeably androgynous as a person and as a poet. So, what does today’s piece, Mew’s “Not for that City” deal with instead? Glorious Heaven, and in language and imagery that would make for an ornate hymn about the rewards of same. Except it’s not saying that’s what some “we” really want. The poem instead says that what “we” want is rest, not a surfeit of glory and splendor. Yes it’s nice and all, but I could use some alone time. Who’s the “we?” I’m not completely sure. Mew lived a somewhat weary life with long-running caretaker roles. Is she speaking of the poor and working classes, though she never names them as the “we” as such? Is this simply the testament of a religious skeptic? I can’t say for sure, but it works even if this isn’t determined. I struggled long on the musical setting of this, completing two different sets of music, and then after choosing the music finally used, trying mightily to realize a full voiced, almost operatic singing line. That failed miserably, I just don’t have the voice or access to anyone else who does. The version you’ll hear with the player below is left with a track of my shabby talk-singing which is simply the best I can do to present this. I still think it’s worth hearing, and you can with the player gadget below. Full text for those who’d like to read along is here. *We’ve presented some of them here: Edna St. Vincent Millay, Sara Teasdale, Margaret Widdemer, Mina Loy and Elinor Wylie. Being seen as “love poets” probably helped them with general audiences that still existed in the early 20th century for poetry, but then caused them to fall off the literary map later in the century which increasingly admired and required either political and philosophical advocacy, or a devotion to “serious and universal topics”—which for some reason did not include women’s observations of sexual and romantic politics.
{ "pile_set_name": "Pile-CC" }
0.041658
[ { "begin": 0, "end": 50, "score": 0.008746422 }, { "begin": 50, "end": 69, "score": 0.0121478075 }, { "begin": 69, "end": 195, "score": 0.015202113 }, { "begin": 195, "end": 352, "score": 0.06612156 }, { "begin": 352, "end": 510, "score": 0.020963646 }, { "begin": 510, "end": 617, "score": 0.038911518 }, { "begin": 617, "end": 883, "score": 0.046465382 }, { "begin": 883, "end": 913, "score": 0.078108564 }, { "begin": 913, "end": 1200, "score": 0.04406188 }, { "begin": 1200, "end": 3410, "score": 0.08420804 } ]
Builder's experience with iBuild nothing short of positive Ryan Cooper from Hawkesbury River Home Builders has praised the iBuild team for its outstanding work in the construction of a kit home in the Hawkesbury River Area, NSW. When Ryan was first asked to erect an iBuild kit home for one of his customers he was very sceptical. However, the established builder’s experience with iBuild has been nothing short of positive. “As an established custom home builder of nearly 30 years, I was sceptical of the product and service that we may receive from a kit home company,” Ryan said. “However, the level of service provided by Project Manager Peter Kiraly at iBuild was exceptional. As a business we can’t afford to have supplier delays, and I can honestly say that the speed of product delivery and level of service provided by Pete at iBuild was great." "I would be happy to work with iBuild again anytime in the future.” - Ryan Cooper Our work with the Hawkesbury River Home Builders team shows that our builder contractors are extremely satisfied with the timely delivery and ongoing support that follows our sales process. We try our utmost best to ensure we provide exceptional customer service and satisfaction. iBuild is entrusted by builders because we make ourselves available for any questions and issues. We thank Ryan for entrusting us and we look forward to working with him and other builders in the future. “It is obvious that interns add value to any business. But it is a two-way street. You have to provide them with meaningful work so they gain extra skills that prepare them for the workforce.” The company’s internship program began in 2016 and placements are now offered to students from a variety of fields including engineering, business, finance, marketing and Information Technology. Managing Director of iBuild Dr Jackson Yin said interns gain valuable real-world experience from the placement and apply their unique skills, capabilities and enthusiasm to the role. Following the end of their placements, some interns have been fortunate enough to be offered permanent positions. Jayden Savannah completed his marketing internship in 2017 before recently being promoted as a Marketing Project Manager. Jayden now supervises as many as 10 interns a semester, developing his own leadership and mentoring skills in the process. “While it may sound onerous, it isn’t. I’ve created a program so that the students are all set and ready to go within one week,” he said. “A majority of the interns are in their final year of study and bring really valuable skills and attributes to the job.” Holmesglen student Helen Ly was one of iBuild’s most recent interns where she gained practical, real-world skills. “I really liked the placement at iBuild. I was assigned to conduct inshore and offshore market research to look for potential markets as well as increase our target audience in the residential, commercial and government sectors,” she said. “This real business experience, combined with my marketing knowledge and sales skills, will greatly assist me in finding the part-time job I’m looking for as an administrative or marketing assistant.”
{ "pile_set_name": "Pile-CC" }
0.024662
[ { "begin": 0, "end": 59, "score": 0.022074303 }, { "begin": 59, "end": 230, "score": 0.0095794145 }, { "begin": 230, "end": 333, "score": 0.10515087 }, { "begin": 333, "end": 428, "score": 0.0142302895 }, { "begin": 428, "end": 588, "score": 0.0051367874 }, { "begin": 588, "end": 688, "score": 0.007809305 }, { "begin": 688, "end": 861, "score": 0.0066639404 }, { "begin": 861, "end": 944, "score": 0.011453647 }, { "begin": 944, "end": 1135, "score": 0.010690071 }, { "begin": 1135, "end": 3183, "score": 0.019019997 } ]
Patrick Hall (politician) Patrick Hall (born 20 October 1951) is a British Labour Party politician, who was the Member of Parliament (MP) for Bedford from 1997 to 2010. He was re-selected by the Labour Party as their candidate in Bedford for the 2015 general election, but failed to return to Parliament. Early life Patrick Hall was educated at the independent Bedford Modern School, the University of Birmingham and Oxford Polytechnic. He joined Bedford Borough Council in 1975 as a local government planning officer, becoming the borough's Town Centre Coordinator. Hall remained employed by the council until his election to Parliament. He was elected as a councillor to the Bedfordshire County Council 1989–97 and was a member of the North Bedfordshire Community Health Council. He contested Bedfordshire North at the 1992 General Election, but was defeated by the veteran Conservative MP Trevor Skeet by 11,618 votes. Parliamentary career Patrick Hall was elected to the House of Commons at the 1997 General Election for the new seat of Bedford with a majority of 8,300. He was re-elected at the 2001 and 2005 election. Hall was Bedford's third Labour MP and the first to hold the seat for more than one term. He made his maiden speech on 30 July 1997, where he celebrated the history of Bedford and paid tribute to the town's diverse population. He also raised issues about the lack adequate and affordable housing supply, a cause which he would champion throughout his parliamentary career. Hall made his reputation as being an attentive constituency-based MP. His work in Parliament reflected his experience in town planning, becoming the chair of the all-parliamentary group on town centre management. He was also a vocal campaigner on better transport links for Bedford, pushing for the Bedford by-pass and rail investment for the town's many commuters. In 2003, Hall was one of 139 Labour MPs to rebel against the Government whip by voting in favour of an amendment which stated that there was no moral case for war in Iraq. In the end, Hall did not vote for the declaration of war, choosing not to vote on the motion. In his final term in Parliament, Hall voiced his opposition to the Trident nuclear weapons programme, voting against its continuance. During the expenses scandal, Hall remained one of the few MPs to be applauded for his integrity on claims. His expenses claims were among the lowest total claims of all MPs. He was described as one of the 'saints' by the Daily Telegraph, the newspaper which broke the expenses scandal story in 2009. Hall lost his seat in the 2010 General Election to Conservative candidate Richard Fuller, who had also challenged him unsuccessfully in 2005. Fuller's slim majority of 1,353 made Bedford the Conservatives' twenty-fifth most marginal seat in Britain and a major target for Labour at the next general election. On 30 June 2012, he was selected as Labour candidate for Bedford for the 2015 general election, but was defeated in the 2015 General Election. Personal life Patrick is married to Claudia and has two step sons, Giovanni and Gabriele. He enjoys squash and gardening. References External links Official Website Patrick Hall on Twitter Guardian Unlimited Politics – Ask Aristotle: Patrick Hall MP TheyWorkForYou.com – Patrick Hall MP Category:1951 births Category:Living people Category:People educated at Bedford Modern School Category:Labour Party (UK) MPs for English constituencies Category:UK MPs 1997–2001 Category:UK MPs 2001–2005 Category:UK MPs 2005–2010 Category:Alumni of Oxford Brookes University Category:People from Bedford Category:Politics of the Borough of Bedford Category:Alumni of the University of Birmingham
{ "pile_set_name": "Wikipedia (en)" }
0.032388
[ { "begin": 0, "end": 26, "score": 0.0068721883 }, { "begin": 26, "end": 171, "score": 0.014507953 }, { "begin": 171, "end": 307, "score": 0.007878721 }, { "begin": 307, "end": 319, "score": 0.018742332 }, { "begin": 319, "end": 440, "score": 0.008815838 }, { "begin": 440, "end": 570, "score": 0.0057615316 }, { "begin": 570, "end": 642, "score": 0.0073233927 }, { "begin": 642, "end": 786, "score": 0.008468757 }, { "begin": 786, "end": 926, "score": 0.007705181 }, { "begin": 926, "end": 3723, "score": 0.055333257 } ]
Patients overwhelmingly oppose non-medical switching 2017 Goal: End non-medical switching As we prepare for big changes expected next year in health care, we’re turning our attention to the ongoing problems where there is near universal agreement among patients — but little progress. That starts with a serious problem that directly impacts patients’ health: non-medical switching. Non-Medical Switching: What is it and how does it harm patients? Non-medical switching is when an insurance company supersedes the decision of a patient’s doctor by forcing a patient to use a different treatment. Insurers force this switch to a different drug by either dropping coverage or increasing the out-of-pocket cost of the drug after the plan year has begun. “Switch” doesn’t exactly convey the serious health complications and major side effects that result. “When patients lose access to the therapy that stabilizes their condition, they may also lose the ability to manage their disease, facing re-emerging symptoms and new side effects,” explains U.S. Pain Foundation, a non-profit organization dedicated to serving those who live with pain conditions. “Patients may require visits to the emergency room, additional appointments with their physician, lab tests and hospitalizations as a result— making the “less costly” alternative an expensive option for patients and insurers alike.” “Switching should only take place with the full knowledge and consent of the prescribing physician in consultation with the affected patient,” says U.S. Pain Foundation. “Insurers should not be playing doctor.” 92 Percent of Patients Opposed to Non-Medical Switching According to a newly released survey by the Alliance for the Adoption of Innovations in Medicine, 92 percent of patients are opposed to “nonmedical switching,” in which insurers can force stable patients to switch from their current medication to a different drug. “Many Americans are unaware of such practices,” Stacey L. Worthy, executive director of Aimed Alliance, writes at The Hill. “Yet, the consequences can be a hassle to deal with and, in some cases, detrimental to a patient’s wellbeing.” The poll, which was conducted from December 3 to December 8, 2016, coincides with state and federal policymakers looking to reform insurance coverage, with a special focus on the Patient Protection and Affordable Care Act in 2017. She adds, “There is an inherent absurdity that someone who never examined you would have the authority to override the decision of a trained medical professional with an intimate knowledge of your condition.”
{ "pile_set_name": "Pile-CC" }
0.032731
[ { "begin": 0, "end": 53, "score": 0.021518974 }, { "begin": 53, "end": 91, "score": 0.03204437 }, { "begin": 91, "end": 287, "score": 0.01561861 }, { "begin": 287, "end": 386, "score": 0.036336336 }, { "begin": 386, "end": 452, "score": 0.10300289 }, { "begin": 452, "end": 601, "score": 0.013536129 }, { "begin": 601, "end": 757, "score": 0.032387726 }, { "begin": 757, "end": 858, "score": 0.0136749605 }, { "begin": 858, "end": 1055, "score": 0.018464668 }, { "begin": 1055, "end": 2601, "score": 0.014716201 } ]
# # (C) Copyright 2008 # Ricardo Ribalda,Universidad Autonoma de Madrid, [email protected] # This work has been supported by: Qtechnology http://qtec.com/ # # See file CREDITS for list of people who contributed to this # project. # # 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., 59 Temple Place, Suite 330, Boston, # MA 02111-1307 USA # COBJS += $(BOARD).o include $(SRCTREE)/board/xilinx/ppc440-generic/Makefile
{ "pile_set_name": "Github" }
0.008608
[ { "begin": 0, "end": 23, "score": 0.009648831 }, { "begin": 23, "end": 96, "score": 0.012841969 }, { "begin": 96, "end": 160, "score": 0.0040955464 }, { "begin": 160, "end": 224, "score": 0.00999591 }, { "begin": 224, "end": 235, "score": 0.015896274 }, { "begin": 235, "end": 301, "score": 0.0067333565 }, { "begin": 301, "end": 366, "score": 0.011106567 }, { "begin": 366, "end": 431, "score": 0.005865656 }, { "begin": 431, "end": 485, "score": 0.0100653265 }, { "begin": 485, "end": 1017, "score": 0.011453647 } ]
Last month, an MIUI forum super moderator had claimed that Xiaomi has decided to discontinue the Mi Note line and that the Redmi 5 Plus is the spiritual successor to the company’s popular Redmi Note 4 from last year. However, if a new rumor out of China is to be believed, Xiaomi will definitely launch the Redmi Note 5 this year. The rumor claims the Redmi Note 5 is being tested internally and will be released sometime in the second quarter of 2018. Why the delay, you ask? Well, apparently Xiaomi is waiting for Qualcomm to release the octa-core Snapdragon 632 SoC, a minor downgrade over the Snapdragon 636 chipset that was announced in October last year. You can expect a slightly lower clock speed as well as a lower-clocked GPU. However, the Snapdragon 632 is expected to retain the Qualcomm Spectra 160 ISP, which offers better optimization for dual-camera setups than the Snapdragon 625. Moving on to other key specs, the Redmi Note 5 is expected to feature a 5.99-inch display with an 18:9 aspect ratio. Similar to the Redmi 5 and Redmi 5 Plus, you can expect to see minimal bezels around the display. The screen-to-body ratio on the Redmi Note 5 might perhaps be slightly higher than the Redmi 5 Plus, although this hasn’t been confirmed just yet. In the memory department, the Redmi Note 4 successor will ship with 4GB of RAM as standard. No word on the storage just yet, but you can expect to see 32GB and 64GB options. On the imaging front, Redmi Note 5 will sport a dual-camera setup at the rear with two 12-megapixel resolution sensors. In terms of pricing, however, it appears the Redmi Note 5 will be positioned higher than its predecessor. The latest rumor suggests the smartphone will start at 1599 yuan in China, which converts to Rs.15,600 based on the current exchange rate. While it is too early to speculate on the Indian pricing, the more powerful Snapdragon 632 SoC and 12MP dual-camera setup certainly justify a premium over the Redmi 5 Plus.
{ "pile_set_name": "OpenWebText2" }
0.10354
[ { "begin": 0, "end": 217, "score": 0.010967735 }, { "begin": 217, "end": 331, "score": 0.016173938 }, { "begin": 331, "end": 454, "score": 0.01596569 }, { "begin": 454, "end": 478, "score": 0.02809576 }, { "begin": 478, "end": 662, "score": 0.016243355 }, { "begin": 662, "end": 738, "score": 0.031529333 }, { "begin": 738, "end": 899, "score": 0.0060391957 }, { "begin": 899, "end": 1017, "score": 0.009162918 }, { "begin": 1017, "end": 1115, "score": 0.013536129 }, { "begin": 1115, "end": 1978, "score": 0.014022041 } ]
When the goals of two organizations are so similar, it's almost inevitable that they work together. In the case of NJTV and the New Jersey State Governor's Jefferson Awards for Public Services, that common thread is community service. "Public television strives to educate, entertain and enlighten our local communities through our programming and engagement initiatives. The Jefferson Awards strives to recognize individuals who are on the front lines of doing the same education and engagement in their communities. It's a great match in mission between us," said John Servidio, general manager of NJTV. The New Jersey State Governor's Jefferson Awards is a joint program administered by The Community Foundation of New Jersey, NJ Advance Media and The Governor's Advisory Council on Volunteerism, with support from corporate underwriters. It is a local program of the Jefferson Awards, a national volunteer recognition program established in 1972 by the American Institute for Public Service in cooperation with the U.S. Senate and the White House. Designed to honor volunteers across the country, the programs are coordinated by local media partners. John Servidio, general manager, NJTV.Special to NJ.com Honorees are recognized in more than 15 award categories and candidates are nominated through the New Jersey State Governor's Jefferson Awards website. Representatives from The Community Foundation of New Jersey, NJ Advance Media and the Governor's Advisory Council on Volunteerism assist in the selection process. The nomination form asks a series of questions, which highlight individual and/or group achievements. The deadline for 2017 honorees is Jan. 31. Honorees will be recognized during a local ceremony in the spring, in which they will receive a Jefferson Awards medal and a certificate of recognition. In June, a select group of honorees will be invited to participate in a national ceremony, taking place in Washington, D.C. True to its mission of promoting education and engagement, NJTV sponsors the Jefferson Award for Education. The award recognizes volunteers who provide classroom and/or after-school programs, enrichment opportunities, tutoring, or other academic support that would enhance the student's ability to succeed. It also recognizes volunteers whose service maintains and preserves New Jersey's history by working with historic sites, museums and other organizations with a special interest in history; or whose service directly or indirectly impacts the arts and cultural fabric of New Jersey. "They are a significant ally with getting the word about what's going on in the state, particularly with their coverage of not just breaking news, but issues that are important to the people of New Jersey," said Robert Provost, board chair, New Jersey State Governor's Jefferson Awards. "The other aspect of public broadcasting is its deep engagement with education. We're delighted to have the education award identified as the NJTV Jefferson Awards for Education. We look forward to working with NJTV in the future to get word out on the issues in our state and to also get the word out on the Jefferson Awards programs." The 2016 honoree, Nancy Norris-Bauer, director of school/community partnerships at William Paterson University, was recognized for her efforts to promote National History Day in New Jersey, providing students the opportunity to engage in primary and secondary research, and present their findings while combining English, science, math, technology, music and, of course, history. Thanks to her efforts, the program now serves 5,000-plus middle and high school students from public, private, religious and home schools. "We seek out those individuals who are actively engaged in their towns and organizations, doing work that reflects the important missions of public television -- to serve and educate the community," Servidio said. Norris-Bauer established a statewide advisory board, sought and received annual grant funding, built long-term relationships with archives and historic sites, and actively visited school districts across the state. As the program grew, Norris-Bauer developed partnerships with Seton Hall, Kean, Princeton, Rutgers, Rider and Monmouth universities, which now sponsor regional contests. Benefits for New Jersey students have included invitations to visit Normandy, attend the opening of the World War II Museum in New Orleans, attend congressional breakfasts/an author's lecture/luncheon at the Library of Congress and to view exhibits at the Smithsonian's National Museum of American History. Former History Day participants continue to attest to its value in their college and career development. For example, a participant, who now attends Princeton University, made a documentary for the New Jersey program, which can be viewed by clicking here. Servidio said he's proud of NJTV's support of the Jefferson Awards, and admires the organization's efforts to put a spotlight on volunteers in the community while promoting community outreach, volunteerism and education. "Serving the community as an organization and an individual is critical in today's society, and vital in keeping our communities thriving," he said. "Spotlighting the good work that's being done throughout New Jersey through programs, like the Jefferson Awards, brings important awareness of all the good that's being done, and hopefully inspires others to do more in their communities." The deadline to nominate someone for a 2017 Jefferson Award is Jan. 31 and categories include: Verizon Service Through STEM BD Health Care Individual BD Health Care Professional BD Paterson NJ Patriot PSEG Environmental Stewardship CFNJ Community Pillar NJTV Education Youth Volunteer Program Against All Odds Emergency Services Founders Good Neighbor Lifetime Service Service to Youth Ambassador Executive Leadership Corporate Leadership Youth in Service Faith-Based Volunteer Leadership Volunteer Group Dr. Martin Luther King Jr. Champion for Justice Contributions from sponsors, such as PNC Bank, BD, Verizon, PSEG, CFNJ and NJTV, are directed to the Community Foundation of New Jersey. The funding is split 25 percent to the Jefferson Awards recognition program expenses locally and nationally and 75 percent to the programming and communications outreach to promote volunteerism and public service in New Jersey -- which includes the Students in Action program, which impacts more than 5,000 high school and middle school students in New Jersey. Students In Action educates young people by building a sense of community awareness and pride and motivating students to care about the world beyond their home and classroom. It expands the students' awareness to the needs in their community and fosters the development of leadership and project management skills to be used in meeting those needs.
{ "pile_set_name": "Pile-CC" }
0.027237
[ { "begin": 0, "end": 100, "score": 0.02792408 }, { "begin": 100, "end": 235, "score": 0.013119632 }, { "begin": 235, "end": 373, "score": 0.010551238 }, { "begin": 373, "end": 519, "score": 0.013119632 }, { "begin": 519, "end": 607, "score": 0.009093502 }, { "begin": 607, "end": 844, "score": 0.011523063 }, { "begin": 844, "end": 1026, "score": 0.010342991 }, { "begin": 1026, "end": 1054, "score": 0.0121478075 }, { "begin": 1054, "end": 1157, "score": 0.0071151447 }, { "begin": 1157, "end": 6887, "score": 0.023460433 } ]
Doris Schachenhofer | Breaking through the barriers of the mind to achieve limitless success Doris embodies a presence, a clarity combined with kindness, caring and acceptance that gives people the ease and confidence to change anything. She is an all-rounder when it comes to mentoring people: whether it is a single mother or the CEO of a large company. As a mother of two, she has built up an independent global business and loves her crazy, moving and varied life and business. Being You with Doris Schachenhofer #BOSSLADY DETAILS: Name: Doris Schachenhofer Country: Austria Industry: Communication coach, Life and Business Mentor, Facilitator Business Name: Being You with Doris Schachenhofer Favorite Quote to live by: '“If you don´t doubt yourself, you can’t be controlled by others” 1. Please give us a bit of background on who you are and what you do? (what is your backstory/your business) I am a business and communication coach, life mentor and facilitator for several Access Consciousness® special programs, including Joy of Business. I currently offer online workshops and consultations, serving clients all over the world. Drawing upon my nine years in social work, I seek to break social paradigms around business, money and wealth creation. After completing my studies in social work in Vienna, I worked with children, adults, homeless people, delinquent youth and prisoners, and in education. I started working at the age of 15 to earn my own money and realize my dreams. For me, it did not matter what kind of work I did and how much I worked, as long as it was fun for me. I love to interact, create and empower others. In 2014, my life changed drastically and now I travel around the world, encouraging people to be more of themselves - in every area of life. 2. What are three business & life lessons you have learned throughout your journey? Never give up! The moment before you think it isn’t going to work out, that is the moment to ask another question and take 2 more steps. These are the moments that create something greater. If you are willing to persevere and have faith in yourself. Don´t wait for others. It will hold you back. Be willing to be judged and left by certain people in order to achieve success, to have the life and career that you know is possible. You are not abandoning them or leaving them behind, it’s their choice. Don´t try to make other people understand you. Inspire yourself and you will inspire others. 3. What advice can you give other entrepreneurs that is struggling to breakthrough the glass sealing in reaching their goals? Don´t look at the how, it’s unfathomable. Look for opportunities and be willing to do and be whatever and whoever you need to be. Be prepared to lose all or gain everything. Do whatever it takes. Most people struggle to break through because this concept goes far beyond their logical mindset. Creating a business that breaks through the glass ceiling requires the willingness to choose to be out of control, out of definition and out of linearity and asking questions like… What else is possible that I have not considered or asked for yet? 4. When & how did your big shift take place? 4 years ago I was stuck in my life. I was a stay at home mum with almost no social contacts. I was dedicated to being a good mother and this put me under huge pressure. At that time I took life so seriously, I wanted to get it right but at the same time felt so conflicted, like I was not enough. I felt misunderstood and so lost. Why could I not be like other people, just living and being satisfied with what they had? I found myself in a place of self-doubt and self-judgement. I was angry and unhappy, not satisfied but at the same time keeping up the facade of ‘pretending’ everything was fine. It was at this point that I started to question everything in my life. What would I like to create? What would I like my life to be like? What would I enjoy? When I started asking these questions, everything changed. All kinds of possibilities appeared and in a short amount of time my entire world was transformed and the joy of living returned. 5. What inspires and motivates you? What wakes you up every morning, make you get the work done and do it all over again the next day? I am inspired by the beauty of life and living, the abundance and possibilities. The gift of being alive and exploring new things every day. I am motivated by seeing other people thrive and encouraging them to find the joy in living life at its fullest. Every day there are endless possibilities. The curiosity and the wonder of what every moment could bring are the reasons I wake up looking forward to every day. Even if there is nothing that needs to be done, you can decide to fill the day with life bringing creativity. It is your choice. In my life nothing is routine, there is always more…more contentment, more excitement, more fun. 6. How do you differentiate yourself from your competitors? What makes you unique? I don´t compare myself to others. That is one of the greatest limitations we can put on ourselves. I find other people a source of inspiration and innovation. The way they live their lives or conduct their business can lead to a breakthrough in my own life. I ask myself, “What motivates them to make the choices they making?” and then ask myself, “Would that be a choice I would make? Would it benefit my life, business or profit margin?” Asking questions allows me to bypass mental limitations, remove all judgement, rationalization and justification and opens up infinite possibilities. If you don´t doubt yourself you can’t be controlled by others. If you enjoy your career and keep thinking creatively, you will be successful. When you give up the need to be right, you achieve mental flexibility. Being open-minded, constantly questioning “why?” is so empowering. This is the only way to break through mental blocks and the glass ceiling you set for yourself. 7. What do you think is the biggest trend we will see in 2019 within the entrepreneur space Asking questions is true empowerment, thinking you always have the answer is dis-empowering. The true power is ‘Being You’, and not fitting into other people´s standards or realities. The world is asking for benevolence, empowerment and leaders that live and operate from ‘Beingness’. Leaders who are extraordinary with no limitations. Entrepreneurs that embrace possibilities, that are true to themselves, devoid of judgement and fear. I believe we will start seeing more of them in 2019. 7. Any other question you would like to add? What else is possible? What would it take for you to know, perceive, be and embrace your greatness?
{ "pile_set_name": "Pile-CC" }
0.045092
[ { "begin": 0, "end": 93, "score": 0.01999182 }, { "begin": 93, "end": 239, "score": 0.013119632 }, { "begin": 239, "end": 357, "score": 0.022213135 }, { "begin": 357, "end": 483, "score": 0.1731117 }, { "begin": 483, "end": 519, "score": 0.030155903 }, { "begin": 519, "end": 539, "score": 0.018464668 }, { "begin": 539, "end": 566, "score": 0.010690071 }, { "begin": 566, "end": 584, "score": 0.010342991 }, { "begin": 584, "end": 654, "score": 0.0051714955 }, { "begin": 654, "end": 6711, "score": 0.016035106 } ]
'Partnership with parents'--a progressive pathway. This paper presents the problems associated with the implementation of a new model of service delivery involving parent programmes. Factors affecting the cost-effectiveness included the influence of the learning curve. Change, innovation and adoption will be discussed in relation to the new model of service delivery. The correlation with years of experience will also be considered.
{ "pile_set_name": "PubMed Abstracts" }
0.007011
[ { "begin": 0, "end": 51, "score": 0.031357653 }, { "begin": 51, "end": 183, "score": 0.011661896 }, { "begin": 183, "end": 270, "score": 0.012564304 }, { "begin": 270, "end": 370, "score": 0.0060391957 }, { "begin": 370, "end": 435, "score": 0.009787662 } ]
Tippmann 98 custom The Tippmann 98 Custom, also called the 98C, 98 Custom, and simply the 98, is an open-bolt inline blowback marker designed especially for the sport of paintball. It is manufactured by the pneumatics company Tippmann. It is their most sold marker to date. In addition, Tippmann will soon be releasing their new Tippmann 99 custom in late 2019: this product claims to be the fastest shooting and most reliably fed Tippmann product to date. The code name for this marker is the c12x. Features and specifications Semi Automatic References External links Tippmann 98 Custom Official Site Category:Paintball markers
{ "pile_set_name": "Wikipedia (en)" }
0.019714
[ { "begin": 0, "end": 19, "score": 0.011175984 }, { "begin": 19, "end": 182, "score": 0.021796638 }, { "begin": 182, "end": 237, "score": 0.011384231 }, { "begin": 237, "end": 275, "score": 0.03736641 }, { "begin": 275, "end": 458, "score": 0.024490505 }, { "begin": 458, "end": 501, "score": 0.008156385 }, { "begin": 501, "end": 530, "score": 0.009857078 }, { "begin": 530, "end": 546, "score": 0.011384231 }, { "begin": 546, "end": 558, "score": 0.008711713 }, { "begin": 558, "end": 635, "score": 0.012772553 } ]
This invention relates to a bucket and, more particularly, to an improved bucket/container designed for one-handed transport and manipulation. The common bucket is well known in the art for transporting materials, particularly fluids, between locations. One problem with past buckets is that the dispensation of the materials therefrom is awkward and in some cases difficult particularly if the user cannot use both hands for manipulation of the bucket at the dispensation site. In response thereto I have invented an improved container, which can take the form of a bucket or other vessel, having first and second handle assemblies thereon. Each handle assembly is pivotally mounted to opposed sides of the bucket, the handles presenting spaced-apart central grips. The pivot mounting points of each handle assembly are spaced apart in relative vertical and horizontal displacements. For transport of the bucket the grip of the second handle assembly is grasped. For pouring the contents from the bucket both first and second grips are grasped and urged one towards the other. Upon such grip movement the bucket is pivoted around the pivotal mounting points of the handle assemblies such as to move the bucket between a first transport position and a second position for dispensing the material contents therefrom. Accordingly, only one hand need be used for transport and manipulation of the bucket. The handle design is adaptable for use with various vessels, containers and the like. It is therefore a general object of this invention to provide a container designed for one-handed transport and dispensation of contents therefrom. A still further object of this invention is to provide container, as aforesaid, which is adaptable for use in various forms, including buckets, paint material containers, vessels and the like. A further object of this invention is to provide a container, as aforesaid, presenting first and second handle assemblies, each assembly having spaced-apart pivot points mounted on the opposed sides of the container. Another object of this invention is to provide a container, as aforesaid, wherein the first and second handle assemblies present central grips displaced one from the other in a container transport position. Still a further object of this invention is to provide a container, as aforesaid, having structure coupling the grips of the handles in back and forth movement therebetween. Another object of this invention is to provide a container, as aforesaid, the first and second grips being urged one towards the other so as to pivot the bucket from a first transport position towards a second position for dispensing the contents therefrom. A further object of this invention is to provide handle assemblies, as aforesaid, which are adaptable for use with various containers. Other objects and advantages of this invention will become apparent from the following description taken in connection with the accompanying drawings, wherein is set forth by way of illustration and example, a preferred embodiment of this invention.
{ "pile_set_name": "USPTO Backgrounds" }
0.035478
[ { "begin": 0, "end": 143, "score": 0.040971663 }, { "begin": 143, "end": 254, "score": 0.016035106 }, { "begin": 254, "end": 479, "score": 0.05133759 }, { "begin": 479, "end": 642, "score": 0.023460433 }, { "begin": 642, "end": 767, "score": 0.024318827 }, { "begin": 767, "end": 885, "score": 0.019436494 }, { "begin": 885, "end": 964, "score": 0.040628307 }, { "begin": 964, "end": 1078, "score": 0.059328925 }, { "begin": 1078, "end": 1316, "score": 0.025005542 }, { "begin": 1316, "end": 3069, "score": 0.028782474 } ]
// ------------------------------------------------------------------------- // Copyright (C) 2012 BMW Car IT GmbH // ------------------------------------------------------------------------- // This Source Code Form is subject to the terms of the Mozilla Public // License, v. 2.0. If a copy of the MPL was not distributed with this // file, You can obtain one at https://mozilla.org/MPL/2.0/. // ------------------------------------------------------------------------- #include "Animation/AnimationStateChangeCollector.h" #include <assert.h> namespace ramses_internal { void AnimationStateChangeCollector::onAnimationStarted(AnimationHandle handle) { assert(!contains_c(m_startedAnimations, handle)); AnimationHandleVector::iterator iter = find_c(m_finishedAnimations, handle); if (iter != m_finishedAnimations.end()) { m_finishedAnimations.erase(iter); } m_startedAnimations.push_back(handle); } void AnimationStateChangeCollector::onAnimationFinished(AnimationHandle handle) { assert(!contains_c(m_finishedAnimations, handle)); AnimationHandleVector::iterator iter = find_c(m_startedAnimations, handle); if (iter != m_startedAnimations.end()) { m_startedAnimations.erase(iter); } m_finishedAnimations.push_back(handle); } const AnimationHandleVector& AnimationStateChangeCollector::getCollectedStartedAnimations() const { return m_startedAnimations; } const AnimationHandleVector& AnimationStateChangeCollector::getCollectedFinishedAnimations() const { return m_finishedAnimations; } void AnimationStateChangeCollector::resetCollections() { m_startedAnimations.clear(); m_finishedAnimations.clear(); } }
{ "pile_set_name": "Github" }
0.008087
[ { "begin": 0, "end": 78, "score": 0.055333257 }, { "begin": 78, "end": 117, "score": 0.0034534482 }, { "begin": 117, "end": 195, "score": 0.055333257 }, { "begin": 195, "end": 267, "score": 0.008642297 }, { "begin": 267, "end": 283, "score": 0.01561861 }, { "begin": 283, "end": 288, "score": 0.014160873 }, { "begin": 288, "end": 339, "score": 0.03444787 }, { "begin": 339, "end": 401, "score": 0.010204159 }, { "begin": 401, "end": 479, "score": 0.055333257 }, { "begin": 479, "end": 1836, "score": 0.029640866 } ]
Greysouthen Greysouthen (Pronounced: "Grey-soon") is a village and civil parish between the towns of Workington and Cockermouth, in Cumbria, North West England. Historically part of Cumberland, near the Lake District National Park in England. The village has an historic association with coal mining. History John Marius Wilson's 1870 Imperial Gazetteer described Greysouthen as a settlement of 136 houses, an agricultural implement factory, a Quakers' chapel, a Wesleyan chapel and a flex mill. In 1901 Greysouthen civil parish had an area of 1,558 acres Governance Greysouthen, is part of the Workington constituency of the UK parliament. The current Member of Parliament is Sue Hayman, a member of the Labour Party. The Labour Party has won the seat in every general election since 1979; the Conservative Party has only been elected once in Workington since the Second World War: in the 1976 Workington by-election. For the European Parliament residents in Greysouthen vote to elect MEP's for the North West England constituency. For Local Government purposes it is in the Dalton Ward of Allerdale Borough Council and the Cockermouth South Division of Cumbria County Council. Greysouthen has its own Parish Council; Greysouthen Parish Council. Mining Evidence of settlers digging for coal across west Cumbria can be dated back to the 13th century. This was the source of developing tools and weaponry in order to survive. Evidence of mining for coal within the Greysouthen area can be seen from the late 16th century. The largest portion of Greysouthen's Coal lease was sold to William Walker & Company in 1787. The business continued to remain profitable for the next 80 years. In 1800 another firm took claim to a portion of the Greysouthen coal extraction industry. Wilson & Company invested in another Colliery within Greysouthen. The two colliery's distributed coal tokens which represented the success of the mines. Between these two mines a feud broke out over mine space. Wilson & Co was fined £16,000 damages over illegally mining William Walker & Company's land. This was a highly prolific case within the north of England with much public interest. By the start of the 19th century Greysouthen's thriving mining industry had become the sole employer. To house miners, small rows of cottages were built within the town. In 1823 Joseph Birbeck and J.W. Flecter began mining in Greysouthen. A tax value of £20 was introduced for the annual lease of 400 tons of coal. For every ton mined over this, an additional tax of 1 shilling was applied. The Melgramfitz pit was closed in 1886, which led to the end of the Greysouthen as a coal mining community. Greysouthen's 19th century miners were known for their ale consumption, which magistrates felt was their prime concern. Community Greysouthen is surrounded by farmland through which two streams run. The village is divided into two by the local residents – "up the went" and "down the went". The 'went' is a hill at the centre of Greysouthen. The village's few services include a village hall which is no longer used as a Post Office on Monday afternoons being replaced in 2015 by a mobile van, and Iyengar yoga classes on Thursday evenings, taught by Jo Cook. St Josephs Roman Catholic Church is approximately from the centre of the village. Greysouthen has one large playing field with an adventure playground, football pitch, and a garden commemorating the Queen's Silver Jubilee. Greysouthen no longer receives a bus service about ten times daily, with connections to Workington and Cockermouth. The service was subsidised by the county council and operated by minor bus companies. It ended in 2015. The village is in the catchment area for Paddle Primary School in the neighbouring village of Eaglesfield. The nearest secondary school is at Cockermouth, and is Specialist School for Mathematics, Computing and Languages, and teaches over 1,400 students. The parish council has been supporting Cumbrian rural communities over the introduction of superfast broadband and mobile coverage. Superfast broadband was activated in the village in January 2015. Ecology There are 7 beaches within of Greysouthen, Siddick is the closest at about ; the second closest is Maryport then Workington, Allonby South, Allonby, Parton and Whitehaven. The Greysouthen area supports a variety of bird species including northern lapwings, common snipes, Eurasian curlews, common woodpigeons, buzzards, Eurasian oystercatchers, common pheasants, Eurasian sparrowhawks, and quail. Red squirrels are also found. Orange tips, red admirals, and painted lady butterflies occur within the area. Locally growing west Cumbrian wild plants include the greater butterfly orchid, early purple orchid and yellow rattle. Population The population of Greysouthen between 1880 and 1900 fell by about 210 people in a 20-year period, this a period after the closure of the local mines. The sphere of influence and pull factors keeping residents in the village must have been removed. It is most likely many migrated in search of work. The population increased by about 35 to approximately 525 in 1910, before steadily decreasing to about 500 in 1960. The population of Greysouthen has remained between 500 and 700 since 1960. See also Listed buildings in Greysouthen References External links Category:Villages in Cumbria Category:Allerdale Category:Civil parishes in Cumbria
{ "pile_set_name": "Wikipedia (en)" }
0.03462
[ { "begin": 0, "end": 12, "score": 0.023460433 }, { "begin": 12, "end": 162, "score": 0.053335425 }, { "begin": 162, "end": 244, "score": 0.014716201 }, { "begin": 244, "end": 302, "score": 0.008815838 }, { "begin": 302, "end": 311, "score": 0.010620655 }, { "begin": 311, "end": 498, "score": 0.013327881 }, { "begin": 498, "end": 558, "score": 0.0112454 }, { "begin": 558, "end": 570, "score": 0.012911384 }, { "begin": 570, "end": 644, "score": 0.017145762 }, { "begin": 644, "end": 5431, "score": 0.046465382 } ]
i wasn't born in a barn, but i got there as fast as i could. Frankie and I went out and dabbled in the eq/hunter rings again! Short version: tons of fun, continuously learning how to adjust to this new way of going, and Frankie was literal perfection. Are you at all surprised by that last bit?? Anywho, we opted to stick in just the derby/eq rings again for this show since it worked so well last time. I think with some practice, Frankie will be able to more easily transition between the jumper ring and the others, but for now it’s super helpful for both of us to “drill” a bit to really figure out what we need to do. He shipped into the showgrounds on Tuesday with a whole bunch of other ponies, by all reports settled in like a gentleman (aka naps. Immediate naps). Our barn had 11 or 12 horses at this show, so we staggered shipping in over the course of a few days! Kinda crazy, I think pretty much everyone that shows went to this particular one. A much bigger group than we usually have, and it was fantastic! I opted to have Trainer take Francis around one of the 3′ hunter divisions (sans U/S) on Wednesday, just so he could see the big ring and get the measure of it. I would do it myself if I didn’t have this pesky office job getting in the way, but I wanted him to go around that ring before the derby on Saturday. He absolutely LOVES my trainer – it’s seriously adorable – and was a very sweet boy for her. With 50+ in the class there’s zero chance that my mobile sewing machine would place against actual hunter types, but I’m always pleased when he shows his consistency and good nature. I do really think we could do well in the AA or AO hunters, where manners and suitability are considered! He then got a light day on Thursday – no competing, just stretching his legs a bit. Friday I was FINALLY able to get away from work, and got to do our Ariat Adult Medal class! First thing in the morning, bright and early. Trainer did hop on him for a quick hack early in the morning – the temp had dropped down to the low 50s overnight and she wanted to make sure he was feeling mannerly. In her words: “I forgot it was Frankie. He’s obviously fine.” I have video of this class from two different angles, funny enough! I’ll include them both here, along with the course map. Overall thoughts: I literally rode him to nothing at that first jump. I was just happily sitting up there and did. zero. things. FRANCIS TAKE THE WHEEL WE’RE GOIN FOR THE LONG ONE. Then I majorly overcorrected and chased him to jump 2. Because clearly that’s the right move. But after that I was really happy with the rest of the course! I didn’t get him straight enough after jump 4, so we had a bit of an unbalanced late change (and you can see me wrestling with him a little bit as he goes WEEEEEE and stops paying attention). But overall he was responsive, polite, and handled himself really well in such a big ring. Look at how happy he is. Just look at him.Ignore my questionable position here and just admire the scenery and cute horse. It was pretty cool being done by 8:30am, and I got to spend the rest of the day cheering on my barnmates, loving on Frankie, and enjoying the gorgeousness of these showgrounds. This is God’s country Then Saturday was kinda hysterical in its timing. The Jr/Am derby started at 7:30a in the main hunter ring, and I was third in the order. Then the VHSA Flat class started at 8a in Hunter 2, followed immediately by the VHSA medal class. This meant going from one ring to another very quickly, including a costume change for both me (getting rid of shad and stock tie and donning my hunt coat) and Francis (taking off his martingale and adding his boots). This led to a pretty hysterical revolving door of show coats, martingales, and boots. But we figured it all out! It’s really a shame that Frankie gets so keyed up before we go in the ring. You can just see it in his expression. Lucky me – I have video of our derby trip too! Thoughts on this: I really need to get my act together when the first jump is a long approach oxer away from home, apparently. But honestly, I couldn’t be more thrilled with how he went around. He was super adjustable, flowed well, carried a nice steady rhythm without needing too much from me, and was a thoroughly enjoyable ride. Does he have the tightest form? No way. Does he have the sweetest expression? For sure.Seriously I know he’s basically cantering over this but his little ears and little nose are just the cutest I’ve ever seen. I was extremely pleased with our base score of 72, with the two high options giving us a score of 74. We held on to a top 12 spot for much longer than I thought we would before the cutoff for the handy rose above a 74! With almost 60 in the class, there were some truly gorgeous rounds that got some very high scores. Overall, I’m delighted. We’re never going to be truly competitive in that ring with Frankie’s movement and his lack of desire to try very hard at that height, but we sure are having fun learning how to show ourselves off to best advantage. Took the high option here, and Francisco was not particularly bothered We then did our costume change and headed over for our equitation on the flat class! Nothing too crazy here – they had us sit the trot for a while, and show a lengthening at the trot (we may have broken into a canter for a stride going to the right oops). I definitely need to polish myself back up, but was able to snag an 8th place and a ribbon! Ain’t mad about that. We then had our VHSA adult medal class, which was super fun. Frankie gave me all the cool inside turns, sat down and waited to the base for me, and didn’t even mind when I took him on a track that meant I had to duck under the branches of a tree. He was definitely getting tired at this point though, and I had to really kick hard for the lead changes. I think I should get bonus points for literally carrying him through those because homeboy was not offering them up in the least. I thought it was a solid, workmanlike trip but nothing stellar. I was very surprised to be called back to test in 4th (this class has the option to test the top 4)! The test was pretty simple: canter directly to an outside single, rollback to an oxer, rollback to a trot fence, rollback to a long approach oxer towards home, then show the sitting trot to the in-gate. I am a noodle brain and completely forgot the sit trot to the gate, but other than that it was a great test! I think if I had remembered that dang trot, we may even have moved up. But considering this was my first time having to test in a solid 12 years, I’m really very happy with it. Very proud of our ribbon! I then got to spend the rest of the day cheering on friends and relaxing again. It was lovely. I wanted to take his braids out, he wanted to nap. We compromised and did both at the same time. He kept trying to lay his head on my legs for snugs. Thoughts on the show as a whole: I own a unicorn. He truly is incredible. I also think that with some practice and polish on my part, we’re going to be really strong competitors in the adult equitation. Trainer agreed, and mentioned that Frankie looks super handy and capable in that ring, and it’s something that he can excel at with the lifestyle he’s leading right now. He’s obviously fantastic in the jumper ring, but that does require us to keep him more conditioned and fired up, which is something that I don’t really have the capacity for right now. He’s really fitting into the equitation very naturally, and it’s a ring that’s very familiar to me as well. I don’t know when our next show will be – I’m travelling a lot in July and August – but I think we’ve found a solid groove to work in. As always, feeling so grateful for an amazing barn family, an amazing group of horses, incredibly supportive and encouraging trainers, and for my darling Francis. Every day gets better and better with him I love that he’s game for absolutely anything! And I mean, if you wanted to keep playing in the derby ring, he would definitely be competitive if the jumps were bigger. He just thinks the 3′ is too easy! Congrats on a great show! Thank you!! Now that he’s settled into the new rhythms, I’d love to do some of the higher derbies. The high options in this one were only 3’3″ and you can see that he was still super nonchalant, so I think the 3’6″ could potentially be cute for him once we’ve gotten some more practice! I maintain that the world would be a better place if everyone had a Francis. Isn’t that ring just gorgeous?! The other ring we rode in had some big trees too, but it wasn’t quite as enormous as the main ring. It’s so picturesque ❤
{ "pile_set_name": "Pile-CC" }
0.045779
[ { "begin": 0, "end": 61, "score": 0.039598234 }, { "begin": 61, "end": 127, "score": 0.09279997 }, { "begin": 127, "end": 253, "score": 0.0168681 }, { "begin": 253, "end": 298, "score": 0.14059398 }, { "begin": 298, "end": 407, "score": 0.038053125 }, { "begin": 407, "end": 626, "score": 0.045778666 }, { "begin": 626, "end": 760, "score": 0.17661177 }, { "begin": 760, "end": 777, "score": 0.089041 }, { "begin": 777, "end": 879, "score": 0.024147147 }, { "begin": 879, "end": 8698, "score": 0.2145095 } ]
The biomechanical effects of dynamic external rotation on rotator cuff repair compared to testing with the humerus fixed. Biomechanical testing without humeral motion is a standard method for evaluating rotator cuff repair constructs. This cannot elucidate the effects of dynamic external rotation on the repair, which is a common postoperative motion. Biomechanical properties and gap formation of rotator cuff repairs will be different when dynamic external rotation is allowed to occur during loading. Controlled laboratory study. In 6 matched pairs of human cadaveric shoulders, a commonly used single-row rotator cuff repair was performed. In 6 shoulders, a materials testing machine and a custom testing apparatus that permits cyclic rotation (0 degrees -30 degrees ) were employed (group 1). In contralateral shoulders, the apparatus was fixed to prevent humeral rotation (group 2). All repairs were cyclically loaded from 0 to 60 N at a displacement rate of 1 mm/s for 30 cycles. The constructs were then loaded to failure. Repair strength, gap formation, and strain were compared between groups. Cyclic loading revealed no difference in linear stiffness between testing conditions. Hysteresis was significantly greater when dynamic external rotation was allowed to occur. With load to failure, there were no differences in yield or ultimate load. Anterior tendon gap formation was greater at end rotation (30 degrees of humeral external rotation) and at yield load, and strain on the posterior tendon was less with dynamic external rotation. With dynamic external rotation, gap formation and tendon strain were significantly greater in the anterior region of the supraspinatus tendon compared with the posterior region. External rotation using postoperative physiologic loads affects gap formation and tendon strain between anterior and posterior supraspinatus tendon regions. Previous testing models without humeral rotation may underestimate gap formation and anterior tendon strain and overestimate posterior tendon strain. Understanding regional differences with respect to these variables, depending on quality of repair, may provide the surgeon a framework from which to prescribe guidelines for postoperative rehabilitation.
{ "pile_set_name": "PubMed Abstracts" }
0.020964
[ { "begin": 0, "end": 122, "score": 0.019714156 }, { "begin": 122, "end": 235, "score": 0.02193547 }, { "begin": 235, "end": 353, "score": 0.01492445 }, { "begin": 353, "end": 505, "score": 0.011314815 }, { "begin": 505, "end": 534, "score": 0.015688026 }, { "begin": 534, "end": 645, "score": 0.08420804 }, { "begin": 645, "end": 799, "score": 0.008225801 }, { "begin": 799, "end": 890, "score": 0.016798683 }, { "begin": 890, "end": 988, "score": 0.010204159 }, { "begin": 988, "end": 2240, "score": 0.059728492 } ]
/* * ACFE General */ pre, code, kbd, samp{ font-family: Menlo, Monaco, Consolas, "Courier New", monospace; font-size: 1em; } pre{ display: block; padding: 9.5px; margin: 0; line-height: 1.42857143; color: #333; word-break: break-all; word-wrap: break-word; background-color: #f9f9f9; border: 1px solid #ccc; border-radius: 1px; white-space: pre-wrap; overflow: auto; } code{ -webkit-user-select: all; -moz-user-select: all; -ms-user-select: all; user-select: all; } pre > code{ -webkit-user-select: inherit; -moz-user-select: inherit; -ms-user-select: inherit; user-select: inherit; padding:0; margin:0; background:none; font-size: 1em; display:block; } .pre-codemirror > .CodeMirror, .code-codemirror > .CodeMirror{ border:1px solid #ccc; height:auto; width:auto; background:#F9F9F9; padding:9px 6px; } .code-codemirror{ display:inline; vertical-align:middle; } .code-codemirror > .CodeMirror{ display:inline-block; padding:0; } .pre-codemirror > .CodeMirror .CodeMirror-selected, .code-codemirror > .CodeMirror .CodeMirror-selected{ background:#ddd !important; } .pre-codemirror > .CodeMirror .CodeMirror-lines, .code-codemirror > .CodeMirror .CodeMirror-lines{ padding:0; } /* * Postbox seamless */ .acf-postbox.seamless > .inside > .acf-field{ padding:15px 12px; } .acf-flexible-content .layout.ui-sortable-helper:first-child + .layout.ui-sortable-placeholder{ margin-top:0; } /* * ACFE: Postbox */ .acfe-postbox.acfe-postbox-no-handle h2.hndle{ cursor:initial; } .acfe-postbox.acfe-postbox-no-handle .handlediv{ display:none; } /* * ACFE: Postbox-top */ .acfe-postbox-top>.inside { position: relative } .acfe-postbox-top>.inside.-border { border: #ccd0d4 solid 1px; background: #fff } .acfe-postbox-top>.inside>.acf-field { position: relative; margin: 0; padding: 15px 12px; border-top: #EEEEEE solid 1px } .acfe-postbox-top>.inside>.acf-field:first-child { border-top: none; margin-top: 0 } /* * ACFE: Postbox-left */ .acfe-postbox-left>.inside { position: relative } .acfe-postbox-left>.inside:after { display: block; clear: both; content: "" } .acfe-postbox-left>.inside.-border { border: #ccd0d4 solid 1px; background: #fff } .acfe-postbox-left>.inside>.acf-field { position: relative; margin: 0; padding: 15px 12px; border-top: #EEEEEE solid 1px } .acfe-postbox-left>.inside>.acf-field:first-child { border-top: none; margin-top: 0 } .acfe-postbox-left>.inside.-clear>.acf-field { border: none; padding: 0; margin: 15px 0 } .acfe-postbox-left>.inside>.acf-field { padding: 15px 0 } .acfe-postbox-left>.inside>.acf-field:after { display: block; clear: both; content: "" } .acfe-postbox-left>.inside>.acf-field:before { content: ""; display: block; position: absolute; z-index: 0; background: #F9F9F9; border-color: #E1E1E1; border-style: solid; border-width: 0 1px 0 0; top: 0; bottom: 0; left: 0; width: 20% } .acfe-postbox-left>.inside>.acf-field[data-width] { float: none; width: auto !important; border-left-width: 0 !important; border-right-width: 0 !important } .acfe-postbox-left>.inside>.acf-field>.acf-label { float: left; width: 20%; margin: 0; padding: 0 12px } .acfe-postbox-left>.inside>.acf-field>.acf-input { float: left; width: 80%; margin: 0; padding: 0 12px } html[dir="rtl"] .acfe-postbox-left>.inside>.acf-field:before { border-width: 0 0 0 1px; left: auto; right: 0 } html[dir="rtl"] .acfe-postbox-left>.inside>.acf-field>.acf-label { float: right } html[dir="rtl"] .acfe-postbox-left>.inside>.acf-field>.acf-input { float: right } #side-sortables .acfe-postbox-left>.inside>.acf-field:before { display: none } #side-sortables .acfe-postbox-left>.inside>.acf-field>.acf-label { width: 100%; margin-bottom: 10px } #side-sortables .acfe-postbox-left>.inside>.acf-field>.acf-input { width: 100% } @media screen and (max-width: 640px) { .acfe-postbox-left>.inside>.acf-field:before { display: none } .acfe-postbox-left>.inside>.acf-field>.acf-label { width: 100%; margin-bottom: 10px } .acfe-postbox-left>.inside>.acf-field>.acf-input { width: 100% } } /* * ACFE: Dynamic Post Type 'Setting' Button */ .wrap .acfe-dpt-admin-config, .wrap .acfe-dpt-admin-config:active, .wrap .acfe-dt-admin-config, .wrap .acfe-dt-admin-config:active, .wrap .acfe-dop-admin-config, .wrap .acfe-dop-admin-config:active{ padding-left:4px; padding-right:4px; } .wrap .acfe-dpt-admin-config span, .wrap .acfe-dt-admin-config span, .wrap .acfe-dop-admin-config span{ font-size: 16px; vertical-align: text-top; height: 15px; width: 19px; line-height: 19px; } .wrap .acfe-dop-admin-config{ display: inline-block; } /* * ACFE: Dynamic Post Type */ body.post-type-acfe-dpt.post-new-php #misc-publishing-actions, body.post-type-acfe-dpt.post-new-php #minor-publishing-actions, body.post-type-acfe-dpt .misc-pub-post-status, body.post-type-acfe-dpt .misc-pub-visibility{ display:none; } body.post-type-acfe-dpt.post-new-php #major-publishing-actions{ border-top:0; } /* * ACFE: Dynamic Taxonomy */ body.post-type-acfe-dt.post-new-php #misc-publishing-actions, body.post-type-acfe-dt.post-new-php #minor-publishing-actions, body.post-type-acfe-dt .misc-pub-post-status, body.post-type-acfe-dt .misc-pub-visibility{ display:none; } body.post-type-acfe-dt.post-new-php #major-publishing-actions{ border-top:0; } /* * ACFE: Dynamic Options Page */ body.post-type-acfe-dop.post-new-php #misc-publishing-actions, body.post-type-acfe-dop.post-new-php #minor-publishing-actions, body.post-type-acfe-dop .misc-pub-post-status, body.post-type-acfe-dop .misc-pub-visibility{ display:none; } body.post-type-acfe-dop.post-new-php #major-publishing-actions{ border-top:0; } /* * ACFE: Dynamic Block Type */ body.post-type-acfe-dbt.post-new-php #misc-publishing-actions, body.post-type-acfe-dbt.post-new-php #minor-publishing-actions, body.post-type-acfe-dbt .misc-pub-post-status, body.post-type-acfe-dbt .misc-pub-visibility{ display:none; } body.post-type-acfe-dbt.post-new-php #major-publishing-actions{ border-top:0; } /* * ACFE: Dynamic Forms */ body.post-type-acfe-form.post-new-php #misc-publishing-actions, body.post-type-acfe-form.post-new-php #minor-publishing-actions, body.post-type-acfe-form .misc-pub-post-status, body.post-type-acfe-form .misc-pub-visibility{ display:none; } body.post-type-acfe-form.post-new-php #major-publishing-actions{ border-top:0; } /* * ACFE: Author Label */ .acf-field.acf-field-acfe-author > .acf-label{ display:none; } /* * Gutenberg: Fix metaboxes */ .edit-post-layout__metaboxes:not(:empty){ background:#f3f4f5; padding:10px 10px 0 10px !important; } .edit-post-layout__metaboxes .edit-post-meta-boxes-area .postbox{ margin-bottom:10px; border:1px solid #E1E1E1; } .edit-post-layout__metaboxes .edit-post-meta-boxes-area .postbox > .inside{ border-bottom:0; } /* * ACF Tools */ #acf-admin-tool-acfe_tool_dbt_export ul, #acf-admin-tool-acfe_tool_dpt_export ul, #acf-admin-tool-acfe_tool_dt_export ul, #acf-admin-tool-acfe_tool_form_export ul{ column-width: 200px; } .acf-meta-box-wrap.-grid #acf-admin-tool-acfe-fg-local{ display:none; } /* * ACFE WP Options */ .settings_page_acfe-options .column-option_id{ width:65px; } .settings_page_acfe-options .column-option_name{ width:435px; } .settings_page_acfe-options .column-autoload{ width:100px; text-align:center; } /* * ACFE Form */ .acf-field[data-name="acfe_form_post_save_post_title_custom"], .acf-field[data-name="acfe_form_post_save_post_name_custom"], .acf-field[data-name="acfe_form_post_save_post_content_custom"], .acf-field[data-name="acfe_form_term_save_name_custom"], .acf-field[data-name="acfe_form_term_save_slug_custom"], .acf-field[data-name="acfe_form_term_save_description_custom"], .acf-field[data-name="acfe_form_user_save_email_custom"], .acf-field[data-name="acfe_form_user_save_username_custom"], .acf-field[data-name="acfe_form_user_save_password_custom"], .acf-field[data-name="acfe_form_user_save_first_name_custom"], .acf-field[data-name="acfe_form_user_save_last_name_custom"], .acf-field[data-name="acfe_form_user_save_nickname_custom"], .acf-field[data-name="acfe_form_user_save_display_name_custom"], .acf-field[data-name="acfe_form_user_save_website_custom"], .acf-field[data-name="acfe_form_user_save_description_custom"]{ border-top:0; padding-top:0; } .acf-field.acf-field-acfe-form-attributes > .acf-input > .acf-fields > .acf-field{ border-left-width:0; } .acf-field.acf-field-acfe-form-fields-attributes > .acf-input > .acf-fields > .acf-field{ border-left-width:0; } .acf-field-repeater.acf-field-acfe-form-email-files > .acf-input > .acf-repeater > .acf-actions, .acf-field-repeater.acf-field-acfe-form-email-files-static > .acf-input > .acf-repeater > .acf-actions{ text-align:left; } /* .acf-field[data-name="acfe_form_actions"] > .acf-label{ display:none; } .acf-field[data-name="acfe_form_actions"] > .acf-input{ width:100% !important; } .acf-field[data-name="acfe_form_actions"]:before{ background:none !important; border:0 !important; }*/ /* * ACFE Dev Mode */ .postbox#acfe-wp-custom-fields > .inside, .postbox#acfe-acf-custom-fields > .inside{ padding:0; margin:0; } .postbox#acfe-wp-custom-fields + .tablenav, .postbox#acfe-acf-custom-fields + .tablenav{ padding-top:0; margin-top:-8px; } .postbox#acfe-wp-custom-fields em, .postbox#acfe-acf-custom-fields em{ color:#aaa; } .acfe_dev_meta_count{ background: #72777c; padding: 1px 5px; border-radius: 4px; color: #fff; margin-left: 7px; font-size: 12px; margin-right:auto; } /* * Select2: WP 5.2 Fix */ body:not(.acf-admin-5-3) .acf-field .select2-container .select2-selection{ border-color: #dfdfdf !important; border-radius:0 !important; } body:not(.acf-admin-5-3) .acf-field .select2-container .select2-selection__choice{ border-color: #dfdfdf !important; border-radius:0 !important; } body:not(.acf-admin-5-3) .acf-field .select2-dropdown{ border-color: #dfdfdf !important; border-radius:0 !important; } body:not(.acf-admin-5-3) .acf-field .select2-container .select2-search--inline .select2-search__field{ margin-top:0px !important; } /* Select2: Single */ .acf-field .select2-container .select2-selection--single{ border-radius:3px !important; height:30px !important; outline:none; } .acf-field .select2-container:focus .select2-selection--single, .acf-field .select2-container.select2-container--open .select2-selection--single{ border-color: #007cba !important; color: #016087 !important; box-shadow: 0 0 0 1px #007cba !important; } .acf-field .select2-container .select2-selection--single .select2-selection__rendered{ font-size:14px; height:28px; line-height: 27px !important; padding-right:23px !important; } .acf-field .select2-container .select2-selection--single .select2-selection__clear{ line-height:26px; height:28px; font-size:16px; } .acf-field .select2-container--default .select2-selection--single .select2-selection__arrow{ height: 28px !important; } .acf-field .select2-container--default .select2-selection--single .select2-selection__arrow b{ background: url('data:image/svg+xml;charset=US-ASCII,%3Csvg%20width%3D%2220%22%20height%3D%2220%22%20xmlns%3D%22http%3A%2F%2Fwww.w3.org%2F2000%2Fsvg%22%3E%3Cpath%20d%3D%22M5%206l5%205%205-5%202%201-7%207-7-7%202-1z%22%20fill%3D%22%23555%22%2F%3E%3C%2Fsvg%3E') no-repeat; background-size: 16px 16px; border:0 !important; width:16px !important; height:16px !important; margin-left: -11px !important; margin-top: -7px !important; } .acf-field .select2-container .select2-search--inline .select2-search__field{ margin-top:4px !important; font-size:14px !important; padding-left: 2px !important; } /* Select2: Multiple */ .acf-field .select2-container .select2-selection--multiple{ min-height: 30px !important; line-height:1; border-radius:3px !important; } .acf-field .select2-container--default .select2-selection--multiple .select2-selection__rendered{ padding:0 2px !important; } .acf-field .select2-container--default .select2-selection--multiple .select2-selection__choice{ margin-right:2px !important; margin-top:2px !important; line-height:1.6; border-radius:3px !important; font-size:14px; } .acf-field .select2-container--default .select2-selection--multiple .select2-selection__choice__remove{ line-height:15px; font-size:15px; } .acf-field .select2-container--default.select2-container--focus .select2-selection--multiple{ border-color:#7e8993 !important; } .acf-field .select2-container--default .select2-selection--multiple .select2-selection__clear{ margin-top: 5px !important; margin-right: 5px !important; font-size: 16px; } /* * Select2: WPML Fix */ .acf-field > .acf-input > .select2 .select2-search{ width:auto; } /* * ACF Field: Tab Badge */ .acf-tab-group li a .acfe-tab-badge{ border-radius: 100px; background: #ddd; width: 18px; height: 18px; font-size: 12px; display: inline-block; vertical-align: text-bottom; padding: 0; text-align: center; margin-left: 5px; line-height: 18px; } .acf-tab-group li.active a .acfe-tab-badge, .acf-tab-group li a:hover .acfe-tab-badge{ background: #f1f1f1; } /* * Menu Item: Fix Modal z-index */ .menu-item-settings{ position:initial; } /* * WP 5.5: Fix postbox order icons size */ @media screen and (min-width: 783px){ .postbox .handle-order-higher, .postbox .handle-order-lower{ visibility: hidden; } .postbox:hover .handle-order-higher, .postbox:hover .handle-order-lower{ visibility: visible; } } .postbox .handle-order-higher, .postbox .handle-order-lower{ vertical-align: bottom; } .postbox .handle-order-higher .order-higher-indicator::before, .postbox .handle-order-lower .order-lower-indicator::before{ font-size:15px; top:.18rem; } .postbox .handlediv{ width: 1.62rem; } .postbox .handlediv .toggle-indicator::before{ text-indent: -7px; } /* * ACF 5.9: Fix missing columns */ .acf-columns-2 { margin-right: 300px; clear: both } .acf-columns-2:after { display: block; clear: both; content: "" } html[dir="rtl"] .acf-columns-2 { margin-right: 0; margin-left: 300px } .acf-columns-2 .acf-column-1 { float: left; width: 100% } html[dir="rtl"] .acf-columns-2 .acf-column-1 { float: right } .acf-columns-2 .acf-column-2 { float: right; margin-right: -300px; width: 280px } html[dir="rtl"] .acf-columns-2 .acf-column-2 { float: left; margin-right: 0; margin-left: -300px }
{ "pile_set_name": "Github" }
0.023117
[ { "begin": 0, "end": 19, "score": 0.011731312 }, { "begin": 19, "end": 45, "score": 0.007739889 }, { "begin": 45, "end": 113, "score": 0.01228664 }, { "begin": 113, "end": 133, "score": 0.016382186 }, { "begin": 133, "end": 141, "score": 0.010481823 }, { "begin": 141, "end": 161, "score": 0.04543531 }, { "begin": 161, "end": 181, "score": 0.012703137 }, { "begin": 181, "end": 196, "score": 0.012008976 }, { "begin": 196, "end": 225, "score": 0.010620655 }, { "begin": 225, "end": 15264, "score": 0.015896274 } ]
Live in Vienna (Böhse Onkelz album) Live in Vienna is the first live album of the German rock band Böhse Onkelz. It was recorded on 13 December 1991 at the Vienna Messepalast. Track listing Intro Wir ham' noch lange nicht genug (We haven't our fill by a long shot) 10 Jahre (10 Years) Kneipenterroristen (Tavern terrorists) Signum des Verrats (The sign of betrayal) Wilde Jungs (Wild boys) Das ist mein Leben (That's my life) Nie wieder (Never again) Zieh' mit den Wölfen (Go with the wolves) Lack und Leder (Lacquer and leather) Mexico Wieder mal 'nen Tag verschenkt (Another day gone down the drain) Stöckel und Strapse (Stilettos and garters) Nur die Besten sterben jung (Only the best die young) Zeig' mir den Weg (Show me the way) So sind wir (That's how we are) Ach, Sie suchen Streit (Ah, you're searching controversy) Eine dieser Nächte (One of these nights) Ich lieb' mich (I love me) Category:Böhse Onkelz live albums Category:1992 live albums Category:German-language albums
{ "pile_set_name": "Wikipedia (en)" }
0.054534
[ { "begin": 0, "end": 36, "score": 0.008677006 }, { "begin": 36, "end": 114, "score": 0.020963646 }, { "begin": 114, "end": 177, "score": 0.011870144 }, { "begin": 177, "end": 192, "score": 0.012841969 }, { "begin": 192, "end": 199, "score": 0.014507953 }, { "begin": 199, "end": 269, "score": 0.039598234 }, { "begin": 269, "end": 290, "score": 0.009371166 }, { "begin": 290, "end": 330, "score": 0.355017 }, { "begin": 330, "end": 373, "score": 0.17759849 }, { "begin": 373, "end": 1007, "score": 0.13790205 } ]
# -*- coding: utf-8; mode: tcl; tab-width: 4; indent-tabs-mode: nil; c-basic-offset: 4 -*- vim:fenc=utf-8:ft=tcl:et:sw=4:ts=4:sts=4 PortSystem 1.0 PortGroup github 1.0 PortGroup python 1.0 github.setup seatgeek fuzzywuzzy 0.18.0 revision 0 name py-fuzzywuzzy categories-append textproc platforms darwin freebsd supported_archs noarch license GPL-2+ maintainers nomaintainer description Fuzzy String Matching in Python long_description Fuzzy string matching like a boss. It uses Levenshtein \ Distance to calculate the differences between sequences \ in a simple-to-use package. checksums rmd160 dd1a3de27f5af602e8c6d4307d147c8b55dfd3f5 \ sha256 1e06fc963c91f05664f29e9dad920163a5160fdad2446da938cc476b11657273 \ size 77128 python.versions 27 35 36 37 38 if {${name} ne ${subport}} { depends_build-append \ port:py${python.version}-setuptools depends_lib-append \ port:py${python.version}-levenshtein depends_test-append \ port:py${python.version}-hypothesis \ port:py${python.version}-codestyle \ port:py${python.version}-pytest # the test in test_fuzzywuzzy_pytest.py fails for all Python versions test.run yes test.cmd py.test-${python.branch} test_fuzzywuzzy.py test_fuzzywuzzy_hypothesis.py test.target test.env PYTHONPATH=${worksrcpath}/build/lib post-destroot { set docdir ${prefix}/share/doc/${subport} xinstall -d ${destroot}${docdir} xinstall -m 0644 -W ${worksrcpath} README.rst LICENSE.txt \ CHANGES.rst ${destroot}${docdir} } livecheck.type none }
{ "pile_set_name": "Github" }
0.019575
[ { "begin": 0, "end": 132, "score": 0.009162918 }, { "begin": 132, "end": 157, "score": 0.011523063 }, { "begin": 157, "end": 188, "score": 0.009857078 }, { "begin": 188, "end": 219, "score": 0.0085381735 }, { "begin": 219, "end": 267, "score": 0.034962907 }, { "begin": 267, "end": 289, "score": 0.013397297 }, { "begin": 289, "end": 323, "score": 0.0729142 }, { "begin": 323, "end": 353, "score": 0.015757442 }, { "begin": 353, "end": 388, "score": 0.024147147 }, { "begin": 388, "end": 1882, "score": 0.059728492 } ]
Are you a newbie to the cryptocurrency markets? Are you confused about the role of animals in the market when you hear about bear, bull, or whale? If you are an enthusiastic investor and just don’t want to invest in the cryptocurrency by your friend’s advice, then you must be aware of these animals’ roles in crypto space. The better knowledge can help you in technical analysis and also aid in formulating the investment strategies. In this article some of the questions like- What is crypto bull? What is crypto bear? What is crypto whale? Will be responded along with their effects in the crypto markets. This article aims to brief the difference between crypto bull, crypto bear and crypto whale. Difference Between Crypto Bull, Crypto Bear and Crypto Whale What is Crypto Bull? | Effect of Crypto Bull In Crypto Market What is crypto bull? To understand and remember about crypto bulls, you can start imagining the features of a real bull. If we think of a bull, he is fearless and powerful with his horns pointing upwards in the sky. In the cryptocurrency market, the situations in the market point towards the powerful and upward trend of the crypto market. Simply, the bull market in crypto space is characterized by investor confidence in the cryptocurrency as the price tends to go up. Just try to go back in history, and recall the situation of the crypto market in December,2017. The prices of Bitcoin almost touched $20,000, the skyrocketing of price built up the confidence among investors and within 24 hours, the crypto market was flushed with a massive amount of fresh investment. Effect of Crypto Bull on Crypto Market Strong market conditions are represented by the bull market. But, what effect of crypto bull on the crypto market can be noticed? Or how is it useful for investors? Bull market basically attracts investments, which results in a further rise in the value of the price of Bitcoin or any other cryptocurrency. The attitude and the type of investors (new or advanced or institutional) invest according to their risk-taking capability and the funds they can afford to lose(if in case). Some of the investors tend to invest in the bull run by expecting to sell the cryptocurrencies when the trend is at top. While some of the investors, which already had Bitcoins with them tend to sell as it helps in gaining them profits (when the selling price is more than buying price). Bull market experience both selling and buying of cryptocurrencies. Thus, stereotyping the bull market with the purchasing attitude of investors might not be right. And also, it does not always mean that the bull market always leads to profit because the volatile nature of Bitcoin might reverse the trend overnight and you never know, you might end up losing. Thus, It is recommendable to study the market trends before doing any investment. What Is Bear? | Effect of Crypto Bear on Crypto Market What is crypto bear? To understand and remember about crypto bears, you can start imagining the features of a real bear(that too most lazy one!). If we think of a bear, he is lazy and sleepy with his horns. Just a second, do they have horns? Nope! No horns. In the cryptocurrency market, the situations in the market point towards the shrouded and downward trend of the crypto market. Simply, the bear market in crypto space is characterized by investors losing confidence in the cryptocurrency as the price tends to fall down. Just try to go back in recent history, and recall the situation of the crypto market in March,2020. The prices of Bitcoin almost crashed from $8000 to $3000, the skydiving of prices shook up the confidence of investors and within 24 hours, billions of dollars swiped away from the crypto market. Effect of Crypto Bear on Crypto Market Weak market conditions are represented by the bear market. But, what effect crypto bear on the crypto market can be noticed? Or how is it useful for investors? Bear markets basically sway away from the investments, which results in a further drop in the value of the price of Bitcoin or any other cryptocurrency. The attitude and the type of investors (new or advanced or institutional) invest according to their risk-taking capability and the funds they can afford to lose(if in case). Some of the investors tend to invest even in the bear run by expecting to sell the cryptocurrencies when the trend reverses. While some of the investors (big), which already had Bitcoins with them tend to sell to avoid further loss (even when the selling price is less than buying price). Bear market experience both selling and buying of cryptocurrencies. Thus, stereotyping the bear market with the selling attitude of investors might not be right. And also, it does not always mean that the bear market always leads to loss because the volatile nature of Bitcoin might reverse the trend and you never know, you might end up gaining. Thus, It is recommendable to study the market trends before doing any investment. What is Crypto Whale? | Effect of Crypto Whales on Crypto Market Till now you might be clear with- What is crypto bull? And What is the crypto bear? They both are representative of market trends. But at the starting of this article, we stated that you will get to know about whales too. Whales do not represent any market trend but they are associated with trend makers. Generally, in crypto markets, whale refers to individuals or groups who hold a large amount of cryptocurrencies. You can imagine the marine mammal, when she splashes in the water, a wave has been created. Similarly, when the whales in the crypto market sell or buy cryptocurrency, a wave is being created which can even reverse the trend. Whales could be anonymous traders, crypto exchanges, hedge funders, and people who are identified only by their public addresses. Effect of Crypto Whales on Crypto market Let us try to recall a situation from March 2020. Crypto market crashed within 24 hours. Crypto whale Alert (a website that tracks the activities of whales and also the effects they have on crypto markets) detected that two simultaneous transactions worth almost $22 million took place between the crypto wallets of one of the most reputed crypto exchanges, Binance. Later, it came into the picture that crypto whales were trying to push the prices of BTC up to $6000 to purchase the dip before the next bull market came into the picture. Bitcoin is based on a decentralized model of blockchain technology but indirectly affected by the whales of crypto space. So, the individuals owning large amounts of coins can be problematic to the crypto markets. As the markets are unregulated, whales have the power to move the market in a particular direction. Thus, it is essential to look at the moves of big names in the markets, and the job is being efficiently done by Bitcoin whale alert. Whale alert helps in carefully analyzing the abnormal changes in prices and volatility caused by the activities of crypto whales. Final Thoughts Till now, you might be cleared with the basic difference between crypto bull, crypto bear and crypto whale. If you are thinking about the better opportunity for investment, then you can start with walking on a usual path. Buy the dips in a bull market and sell the rips in a bear market. It is like a general thumb rule followed by most of the investors of the crypto community. Disclaimer : This and other personal blog posts are not reviewed, monitored or endorsed by Cryptoknowmics. The content is solely the view of the author and Cryptoknowmics is not responsible for the authenticity of content of this post in any way. Our curated content which is handpicked by our editorial team may be viewed here. About Us At Crypto Blog, we tap into the minds of some of the world’s most insightful thinkers, storytellers, and writers to deliver to you content on topics that truly matter. We are crazy about cryptocurrencies and blockchain but don’t worry. We won’t let our bias come in your way to find unique ideas and perspectives on some of the most thought-provoking topics.
{ "pile_set_name": "Pile-CC" }
0.031701
[ { "begin": 0, "end": 48, "score": 0.14822112 }, { "begin": 48, "end": 147, "score": 0.02655065 }, { "begin": 147, "end": 324, "score": 0.058929358 }, { "begin": 324, "end": 435, "score": 0.008329925 }, { "begin": 435, "end": 500, "score": 0.089041 }, { "begin": 500, "end": 521, "score": 0.021657806 }, { "begin": 521, "end": 543, "score": 0.04543531 }, { "begin": 543, "end": 609, "score": 0.01263372 }, { "begin": 609, "end": 702, "score": 0.033761155 }, { "begin": 702, "end": 8083, "score": 0.09172598 } ]
Granuloma pouch assay. IV. Induction of sister-chromatid exchanges in vivo. SCEs were induced, in vivo, in cells of a rapidly proliferating subcutaneous granulation tissue, initiated by the formation of a subcutaneous air pouch, on the backs of adult male rats (Granuloma Pouch Assay). 2 days after pouch formation the test compounds were applied, and 24 h later the granulation tissue was excised and dissociated into single cells. Isolated cells were cultured in vitro in media containing BrdU, and SCEs were determined within 24-48 h. The spontaneous frequency was 14.4 +/- 1.1 per metaphase. Mitomycin C (MMC) and cyclophosphamide (CP) induced a significant and dose-dependent increase in SCE frequencies. Results obtained after i.v., i.p. and intra-pouch application routes are compared.
{ "pile_set_name": "PubMed Abstracts" }
0.043719
[ { "begin": 0, "end": 23, "score": 0.020685982 }, { "begin": 23, "end": 76, "score": 0.02262963 }, { "begin": 76, "end": 433, "score": 0.03994159 }, { "begin": 433, "end": 538, "score": 0.012772553 }, { "begin": 538, "end": 596, "score": 0.012425472 }, { "begin": 596, "end": 710, "score": 0.010412407 }, { "begin": 710, "end": 792, "score": 0.0100653265 } ]
Booze deserves just as much of a place in your baking dish as it does in your cocktail glass. Whether you add the smoky, intense flavor of a spiced rum to banana bread pudding or a rich porter to Irish-style fruit cake, alcohol can give flavor, moisture, and a tender crumb to your baked goods. Here's how to use it: Flavor A good rule of thumb is to use the same amount of alcohol as you would use an extract. Bourbon is often aged in oak barrels, giving it a smoky vanilla flavor. Think of it like vanilla/almond extract combo, and add into pie filling, cake mix, and cookie dough. Red wine, port, or brandy adds a nice sweetness, along with the winey flavor, great for gingerbread, chocolate cake, and syrupy glazes. And remember, like any other ingredient, quality matters. Don't skimp and use the cheap stuff here—a dash of good bourbon can add nice, rich flavor while a splash of lower end stuff will just taste bitter. While some recipes include the alcohol in the baking mix, if you want the real strength of booze in your baking, use it without cooking it: add alcohol some to simple syrup to soak the cake layers in or fold a little into frosting, whipped cream, or glaze for the final topping. Texture Beyond flavor, alcohol can also affect the texture of your baked goods. Adding a splash of vodka into pie dough can help create a super flaky dough—unlike water, vodka doesn't develop as much gluten in the pie dough. The same goes with tart and shortbread dough—for flaky results, add in a splash of vodka. Moisture In some recipes, booze plays the major liquid part, like this wine cake. The wine not only gives it a sweet, boozy flavor, but also a nice, moist bite. This works especially well in cakes that are soaked after cooking, like sticky toffee pudding (make it with bourbon) or coconut cake (try coconut rum).
{ "pile_set_name": "Pile-CC" }
0.047152
[ { "begin": 0, "end": 94, "score": 0.15976663 }, { "begin": 94, "end": 295, "score": 0.018742332 }, { "begin": 295, "end": 318, "score": 0.01596569 }, { "begin": 318, "end": 326, "score": 0.022074303 }, { "begin": 326, "end": 414, "score": 0.15684792 }, { "begin": 414, "end": 486, "score": 0.10515087 }, { "begin": 486, "end": 587, "score": 0.013605545 }, { "begin": 587, "end": 723, "score": 0.00843405 }, { "begin": 723, "end": 782, "score": 0.024147147 }, { "begin": 782, "end": 1841, "score": 0.06771983 } ]
Italian ship Astore Astore was the name of at least three ships of the Italian Navy and may refer to: , a launched in 1907 and discarded in 1923. , a launched in 1934 she was sold to Sweden in 1940 and renamed HSwMS Remus. , a launched in 1981 and decommissioned in 2005. Category:Italian Navy ship names
{ "pile_set_name": "Wikipedia (en)" }
0.014369
[ { "begin": 0, "end": 20, "score": 0.012772553 }, { "begin": 20, "end": 103, "score": 0.013536129 }, { "begin": 103, "end": 150, "score": 0.04131502 }, { "begin": 150, "end": 229, "score": 0.024147147 }, { "begin": 229, "end": 280, "score": 0.014507953 }, { "begin": 280, "end": 313, "score": 0.007913429 } ]
Q: Automatically delegating all methods of a java class Say I have a class with many of public methods: public class MyClass { public void method1() {} public void method2() {} (...) public void methodN() {} } Now I would like to create a wrapper class which would delegate all the methods to wrapped instance (delegate): public class WrapperClass extends MyClass { private final MyClass delegate; public WrapperClass(MyClass delegate) { this.delagate = delegate; } public void method1() { delegate.method1(); } public void method2() { delegate.method2(); } (...) public void methodN() { delegate.methodN(); } } Now if MyClass has a lot of methods I would need to override each of them which is more or less the same code which just "delegates". I was wondering if it is possible to do some magic to automatically call a method in Java (so the Wrapper class would need to say "Hey if you call a method on me just go to delegate object and call this method on it). BTW: I can not use inheritance because the delegate is not under my control.I just get its instance from elsewhere (another case would be if MyClass was final). NOTE: I do not want IDE generation. I know I can do it with help of IntelliJ/Eclipse, but I'm curious if this can be done in code. Any suggestions how to achieve something like this? (NOTE: I would probably be able to do it in some scripting languages like php where I could use php magic functions to intercept the call). A: Perhaps the dynamic Proxy of java can help you. It only works if you consequently use interfaces. In this case, I will call the interface MyInterface and set up a default implementation: public class MyClass implements MyInterface { @Override public void method1() { System.out.println("foo1"); } @Override public void method2() { System.out.println("foo2"); } @Override public void methodN() { System.out.println("fooN"); } public static void main(String[] args) { MyClass wrapped = new MyClass(); wrapped.method1(); wrapped.method2(); MyInterface wrapper = WrapperClass.wrap(wrapped); wrapper.method1(); wrapper.method2(); } } The wrapper class implementation would look like: public class WrapperClass extends MyClass implements MyInterface, InvocationHandler { private final MyClass delegate; public WrapperClass(MyClass delegate) { this.delegate = delegate; } public static MyInterface wrap(MyClass wrapped) { return (MyInterface) Proxy.newProxyInstance(MyClass.class.getClassLoader(), new Class[] { MyInterface.class }, new WrapperClass(wrapped)); } //you may skip this definition, it is only for demonstration public void method1() { System.out.println("bar"); } @Override public Object invoke(Object proxy, Method method, Object[] args) throws Throwable { Method m = findMethod(this.getClass(), method); if (m != null) { return m.invoke(this, args); } m = findMethod(delegate.getClass(), method); if (m != null) { return m.invoke(delegate, args); } return null; } private Method findMethod(Class<?> clazz, Method method) throws Throwable { try { return clazz.getDeclaredMethod(method.getName(), method.getParameterTypes()); } catch (NoSuchMethodException e) { return null; } } } Note that this class: extends MyClass, to inherit a default implementation (any other would do) implements Invocationhandler, to allow the proxy to do reflection optionally implement MyInterface (to satisfy the decorator pattern) This solution allows you to override special methods, but to delegate all others. This will even work with sub classes of Wrapper class. Note that the method findMethod does not yet capture the special cases. A: This question is 6 months old already and @CoronA's wonderful answer has satisfied and been accepted by @walkeros, but I thought I would add something here as I think this can be pushed an extra step. As discussed with @CoronA in the comments to his answer, instead of having to create and maintain a long list of MyClass methods in WrapperClass (i.e. public void methodN() { delegate.methodN(); }), the dynamic proxy solution moves this to the interface. The issue is that you still have to create and maintain a long list of signatures for the MyClass methods in the interface, which is perhaps a bit simpler but doesn't completely solve the problem. This is especially the case if you don't have access to MyClass in order to know all the methods. According to Three approaches for decorating your code, For longer classes, a programmer must choose the lesser of two evils: implement many wrapper methods and keep the type of decorated object or maintain a simple decorator implementation and sacrifice retaining the decorated object type. So perhaps this is an expected limitation of the Decorator Pattern. @Mark-Bramnik, however, gives an fascinating solution using CGLIB at Interposing on Java Class Methods (without interfaces). I was able to combine this with @CoronaA's solution in order to create a wrapper that can override individual methods but then pass everything else to the wrapped object without requiring an interface. Here is MyClass. public class MyClass { public void method1() { System.out.println("This is method 1 - " + this); } public void method2() { System.out.println("This is method 2 - " + this); } public void method3() { System.out.println("This is method 3 - " + this); } public void methodN() { System.out.println("This is method N - " + this); } } Here is WrapperClass which only overrides method2(). As you'll see below, the non-overridden methods are, in fact, not passed to the delegate, which can be a problem. public class WrapperClass extends MyClass { private MyClass delagate; public WrapperClass(MyClass delegate) { this.delagate = delegate; } @Override public void method2() { System.out.println("This is overridden method 2 - " + delagate); } } Here is MyInterceptor which extends MyClass. It employs the proxy solution using CGLIB as described by @Mark-Bramnik. It also employs @CononA's method of determining whether or not to send the method to the wrapper (if it is overridden) or the wrapped object (if it is not). import java.lang.reflect.Method; import net.sf.cglib.proxy.MethodInterceptor; import net.sf.cglib.proxy.MethodProxy; public class MyInterceptor extends MyClass implements MethodInterceptor { private Object realObj; public MyInterceptor(Object obj) { this.realObj = obj; } @Override public void method2() { System.out.println("This is overridden method 2 - " + realObj); } @Override public Object intercept(Object arg0, Method method, Object[] objects, MethodProxy methodProxy) throws Throwable { Method m = findMethod(this.getClass(), method); if (m != null) { return m.invoke(this, objects); } Object res = method.invoke(realObj, objects); return res; } private Method findMethod(Class<?> clazz, Method method) throws Throwable { try { return clazz.getDeclaredMethod(method.getName(), method.getParameterTypes()); } catch (NoSuchMethodException e) { return null; } } } Here is Main and the results you get if you run it. import net.sf.cglib.proxy.Enhancer; public class Main { private static MyClass unwrapped; private static WrapperClass wrapped; private static MyClass proxified; public static void main(String[] args) { unwrapped = new MyClass(); System.out.println(">>> Methods from the unwrapped object:"); unwrapped.method1(); unwrapped.method2(); unwrapped.method3(); wrapped = new WrapperClass(unwrapped); System.out.println(">>> Methods from the wrapped object:"); wrapped.method1(); wrapped.method2(); wrapped.method3(); proxified = createProxy(unwrapped); System.out.println(">>> Methods from the proxy object:"); proxified.method1(); proxified.method2(); proxified.method3(); } @SuppressWarnings("unchecked") public static <T> T createProxy(T obj) { Enhancer e = new Enhancer(); e.setSuperclass(obj.getClass()); e.setCallback(new MyInterceptor(obj)); T proxifiedObj = (T) e.create(); return proxifiedObj; } } >>> Methods from the unwrapped object: This is method 1 - MyClass@e26db62 This is method 2 - MyClass@e26db62 This is method 3 - MyClass@e26db62 >>> Methods from the wrapped object: This is method 1 - WrapperClass@7b7035c6 This is overridden method 2 - MyClass@e26db62 This is method 3 - WrapperClass@7b7035c6 >>> Methods from the proxy object: This is method 1 - MyClass@e26db62 This is overridden method 2 - MyClass@e26db62 This is method 3 - MyClass@e26db62 As you can see, when you run the methods on wrapped you get the wrapper for the methods that are not overridden (i.e. method1() and method3()). When you run the methods on proxified, however, all of the methods are run on the wrapped object without the pain of having to delegate them all in WrapperClass or put all of the method signatures in an interface. Thanks to @CoronA and @Mark-Bramnik for what seems like a pretty cool solution to this problem. A: Switch to Groovy :-) @CompileStatic public class WrapperClass extends MyClass { @Delegate private final MyClass delegate; public WrapperClass(MyClass delegate) { this.delagate = delegate; } //Done. That's it. } http://mrhaki.blogspot.com/2009/08/groovy-goodness-delegate-to-simplify.html
{ "pile_set_name": "StackExchange" }
0.024319
[ { "begin": 0, "end": 57, "score": 0.008468757 }, { "begin": 57, "end": 106, "score": 0.02054715 }, { "begin": 106, "end": 129, "score": 0.014577369 }, { "begin": 129, "end": 159, "score": 0.01492445 }, { "begin": 159, "end": 188, "score": 0.010551238 }, { "begin": 188, "end": 198, "score": 0.042001735 }, { "begin": 198, "end": 227, "score": 0.016521018 }, { "begin": 227, "end": 343, "score": 0.021796638 }, { "begin": 343, "end": 388, "score": 0.02193547 }, { "begin": 388, "end": 9925, "score": 0.043375164 } ]
CIO Insights and Analysis from DeloitteCONTENT FROM OUR SPONSORPlease note: The Wall Street Journal News Department was not involved in the creation of the content below. Text Size Regular Medium Large Google+ Print IT and Divestitures: What CIOs Should Know, Part 2 Addressing the IT separation challenges companies often face during divestitures. The four common divestiture models—sale, spin-off, joint venture and asset trade—can challenge CIOs in very different ways. While they all involve changing the ownership and operating structures of a business asset, each model has its own performance metrics, timelines, regulatory and legal considerations, and value drivers. To support the strategic and financial goals of a divestiture deal and to keep separation costs from spiraling out of control, CIOs should understand the complexities, benefits, and challenges of each model, says Asish Ramchandran, a principal at Deloitte Consulting LLP who serves as the information technology lead for the National Mergers, Acquisitions, Divestitures and Restructuring practice. “Understanding how these models might affect IT can help CIOs develop more effective IT separation or integration strategies,” he says. In the first article in this series, we discuss how CIOs at divesting companies can approach sales and spin-offs. In this article, we examine joint ventures and asset trades, and the IT challenges each presents. Divestiture Model 3: The Joint Venture By contributing partial ownership of a business asset into a joint venture (JV) with a partner, divesting companies can share risk and split costs, while remaining actively involved in operating the asset. For CIOs, this divestiture model can prove particularly challenging because when a JV deal closes, the two parties to the transaction must find a way to collaborate on strategy, operations, IT issues, governance, and decision-making. CIOs may be able to avoid problems down the road by structuring IT asset ownership agreements and operating strategies in a way that protects the seller legally and financially, while providing enough flexibility to minimize this tension and accommodate future changes to the JV. “For the JV to evolve without conflict, there should be governance structures in place that make it easy for two parties to come together and then, if necessary, separate,” says Varun Joshi, a principal at Deloitte Consulting LLP. Ramchandran adds that there are additional steps CIOs can take to manage such complexities and prevent them from undermining IT processes and strategies. “CIOs should identify and understand the success metrics of the joint venture, and the business and operating processes that the partners will share in the JV,” he says. “If you identify redundant processes and capabilities, or unnecessary complexities that have implications for IT, then you can work with each party to address them, or build your IT strategy to accommodate them.” Finally, CIOs may choose to work with the deal teams from both companies, before the deal closes, to organize the JV’s IT operating environment, and determine the staff, systems, and processes it will require. Moreover, CIOs should consider creating governance structures and an exit strategy in case the JV ends abruptly. “They need to have a clear delineation in the deal agreement of who will pay for what IT costs should the JV dissolve. Without such a plan in place, CIOs can get stuck with JV-related IT costs for both parties,” says Ramchandran. Divestiture Model 4: The Asset Trade Companies with complementary capabilities or resources occasionally trade assets which, as with JVs, can provide a means for managing risks and costs. For CIOs on both sides of the deal, the primary challenge this infrequently used divestiture model presents is ensuring that, from an IT perspective, the complexity inherent in trading two business assets does not result in the deal becoming two labor-intensive transactions: a divesture and an acquisition. “In an asset trade—more than with the other divestiture options—CIOs need to do extensive due diligence and blueprinting before the deal ever closes,” says Ramchandran. “Taking the time to understand the functional nuances and true costs of this model, and creating plans that leverage existing and complementary IT systems, assets, and processes in each asset can help CIOs keep IT costs down and avoid the two-transaction nightmare.” Joshi notes that in asset trades, time can be a constraining factor that can drive up expenses, particularly if back office infrastructure is accompanying an asset. Integrating another company’s back office systems and processes into your own often takes much more time than CIOs have during the transition period. “You might be inheriting a real dog of a back office system and IT professionals who are unfamiliar with your culture,” he says. “All of this can slow down an integration effort and, in turn, drive up costs.” ***** While each of the divestiture models described in this series may be deployed broadly to structure a carve-out, no two divestitures are exactly alike. Each has its own drivers, goals, and costs. Likewise, each presents CIOs with a unique set of challenges and considerations. By understanding the nature of the deal being negotiated, its timelines, and the demands it may place on IT, CIOs can structure their divestiture-related work in ways that minimize transition times and support their company’s strategic objectives. About Deloitte Insights Deloitte Insights for CIOs couples broad business insights with deep technical knowledge to help executives drive business and technology strategy, support business transformation, and enhance growth and productivity. Through fact-based research, technology perspectives and analyses, case studies and more, Deloitte Insights for CIOs informs the essential conversations in global, technology-led organizations. Learn more. This copy is for your personal, non-commercial use only. Distribution and use of this material are governed by our Subscriber Agreement and by copyright law. For non-personal use or to order multiple copies, please contact Dow Jones Reprints at 1-800-843-0008 or visit www.djreprints.com.
{ "pile_set_name": "Pile-CC" }
0.037195
[ { "begin": 0, "end": 171, "score": 0.026207292 }, { "begin": 171, "end": 182, "score": 0.019852988 }, { "begin": 182, "end": 191, "score": 0.019852988 }, { "begin": 191, "end": 199, "score": 0.024147147 }, { "begin": 199, "end": 206, "score": 0.02054715 }, { "begin": 206, "end": 215, "score": 0.01228664 }, { "begin": 215, "end": 222, "score": 0.017423427 }, { "begin": 222, "end": 274, "score": 0.020685982 }, { "begin": 274, "end": 357, "score": 0.019158829 }, { "begin": 357, "end": 6249, "score": 0.018464668 } ]
Roswell: The World Below Before his death in late 2009, Mac Tonnies was digging deep into the strange and enigmatic world of what he termed the cryptoterrestrials. Mac’s theory was that, perhaps, the intelligences behind the UFO phenomenon were not extraterrestrial or inter-dimensional, as many assume or believe them to be, after all. Rather, Mac was following the idea that the so-called “Grays” and many of the other bizarre humanoid creatures seen and presumed to have alien origins, were from right here, on Earth. Mac offered the theory (and he was very careful to admit it was just a theory) that his aliens of the terrestrial variety are, actually, a very ancient and advanced body of people, closely related to the Human Race, who have lived alongside us in secret – deep underground – for countless millennia. In addition, Mac theorized that in today’s world they may well be declining, in terms of both their numbers and their health. Mac also suggested that the cryptoterrestrials might make use of a great deal of subterfuge, camouflage and deception to try and ensure they appear far more in advance of us, when – in reality – they may not be so far advanced, after all. Mac also had an interesting theory as to why the supposed aliens constantly warn abductees and contactees that we should not destroy, or pollute, our planet. Let’s face it, why would extraterrestrials from countless light-years away care even in the slightest about our small, insignificant world? A reasonable argument could be made that they wouldn’t care. If, however, the extraterrestrials are actually cryptoterrestrials who – due to circumstances beyond both their and our control – are forced to secretly share the planet with us, then their desire to see the Earth preserved wouldn’t just be a wish or a desire. It would, for their continued survival, be an overwhelming necessity. Of course, such a theory is most assuredly not a new one: tales, stories, myths and legends of advanced, humanoid entities living deep below the planet’s surface have circulated not just for decades or hundreds of years, but for thousands of years. But, of the many reasons why Mac’s book thrust the entire issue into the modern era, one in particular was his take on Roswell. Now before people get their blood-pressure all out of sync, this article is not intended to demonstrate that my views on Roswell are forever changing, so chill the “F” out. The fact is that none of us really knows what happened back in 1947 when something came down on the Foster Ranch, Lincoln County, New Mexico. So, I see nothing wrong with addressing, and contemplating, the merits – or the lack of merits – of the many and varied theories. And that’s all I’m doing with Mac’s theory: addressing it and contemplating on it. So, with that said, back to the story. In his 2009 book, The Cryptoterrestrials, Mac speculated on the possibility that the Roswell craft was built, flown, and disastrously crashed, by ancient humanoids that lurk in the depths of the planet. Controversial? Hell, yes! But Mac made some interesting observations on this possibility. In his own words: “The device that crashed near Roswell in the summer of 1947, whatever it was, featured properties at least superficially like the high-altitude balloon trains ultimately cited as an explanation by the Air Force. Debunkers have, of course, seized on the lack of revealingly ‘high-tech’ components found among the debris to dismiss the possibility that the crash was anything but a case of misidentification; not even Maj. Jesse Marcel. the intelligence officer who advocated an ET origin for the unusual foil and structural beams, mentioned anything remotely resembling an engine or power-plant.” Mac continued, in a fashion that emphasized the cryptoterrestrials may not be as scientifically and technologically advanced as they might prefer us to think they are: “The cryptoterrestrial hypothesis offers a speculative alternative: maybe the Roswell device wasn’t high-tech. It could indeed have been a balloon-borne surveillance device brought down in a storm, but it doesn’t logically follow that is was one of our own.” Mac concluded: “Upon happening across such a troubling find, the Air Force’s excessive secrecy begins to make sense.” Regardless of what you, me, or indeed any number of the well known Roswell researchers – such as Bill Moore, Kevin Randle, Stan Friedman, or Don Schmitt – might think or conclude, the fact is that Mac’s cryptoterrestrial theory is probably the only one that allows for the Roswell crash site to have been comprised of very unusual, non-Homo-sapiens, but, at the same time, incredibly simplistic technology. The alien theory should, of course, require highly advanced technology to have been recovered – yet, we hear very little on this matter, aside from talk of fields full of foil-like material with curious properties. Accounts of the military coming across alien-created “power-plants” and “engines” – as Mac described them – are curiously absent from the Roswell affair. It’s that aforementioned foil and not much else. And Mac was not alone in talking about this particular theory. Walter Bosley, formerly of the U.S. Air Force Office of Special Investigations, has revealed an interesting and notable story told to him by his very own father, also of the USAF, and someone who worked on issues connected to the United States’ space-program. According to the account related to Walter, yes, a very significant and highly anomalous event did occur some miles from the New Mexico town of Roswell. Not only did the crash have nothing to do with literal extraterrestrials, said Walter’s father, but it had nothing to do with us, either. In a briefing at Wright-Patterson Air Force Base, Walter’s father was told, essentially, the same thing upon which Mac Tonnies theorized – namely, that Roswell represented the crash of a device piloted by ancient humanoids that dwelled within the Earth, deep in hidden, cavernous abodes. Only occasionally did they ever surface, usually taking careful and stealthy steps to mask their presence – that is, until one of their fairly simple devices crashed outside of Roswell, and revealed to a select, few, senior military personnel that we share our planet with…something else…something from below… George Mettler, former FBI agent and author of the book Agent Under Glass, was a professor of Government at Middle George State College. He often told stories of going to underground cities in New Mexico. He would say skyscrapers existed underground. I was always a jerk jerk and said how can they scrape the sky if they are underground? Maybe I should reevaluate his statements. It was in the spirit of Mac’s Cryptoterrestrials thought experiment that I recently wrote an entry for the Intrepid blog, titled Of White Elephants & Silver Saucers. The basic gist of it: that IF what crashed on Roswell was of non-human origin, that perhaps the crash was staged. This idea first proposed by Whitley Strieber in his fiction novel Majestic –the only book the late Mac admitted to have read more than once in his life. Of course, I made the blunder of sharing the post with Paul Kimball, who was one of Mac’s closest friends, and he simply answered that the idea of a staged alien crash was ludicrous. But since he also used to give poor Mac a hard time with his Cryptoterrestrial theory, I didn’t feel that bad about it 😉 And perhaps aliens are so much more advanced than us, they’ve managed to learn that every living creature in the Universe is connected, in some subtle yet powerful way. And their worrying about our welfare would be akin to white blood cells fighting to contain the infection of an open wound. Maybe they don’t want us to become gangrenous 😉 BoyintheMachine The Cryptoterrestrial Hypothesis is Mac’s folly. Such a shame he died before he could retract it. It’s perhaps more nonsensical than suggestions that aliens are demons and UFOs are a satanic conspiracy. Mac was such a bright person that it truly shocked me he would publish such nonsense. Right. We should always entertain the possibility of different groups pursuing different agendas. How many & how varied the agendas might depend on how easy it’s for them to get here –i.e. the Apollo scenario vs the Springbreak scenario 😛 dotmafia …But isn’t that just replacing one idea for another? Am i wrong here, or is this theory dismissing the obvious high technology evident all over the world since before 1947, all to explain one single event, however controversial, of the possible encounter with another intelligent lifeform? And it’s not even as advanced as our species? What is then the explanation for apparent anti-gravity craft able to change shape or become cloaked? The saucers, giant triangles and cylinders being seen? Is the theory saying all of those are man-made? Indeed, lots of questions, and maybe I’m misunderstanding here. However, I do think the idea of a terrestrial origin of these other lifeforms sounds quite plausible. Could it explain craft entering the waterways, oceans and volcanoes of our world? Possibly, i guess. Who knows, right? It’s all just conjecture what’s really going on, or not. Here is another possibility, one I haven’t heard of but could exist beyond my knowledge. I’ll call it the “Captain Nemo” theory since it’s the closest analogy I can think of. What if these objects the world has been seeing are indeed from Earth, but are being created by some unknown, or rogue group of humans, a transnational group if you will, who created this technology long ago and have just been passing it down through the generations? I dunno, just my 2 cents. Thanks! NickRedfern Boy: There are a couple of things to remember, one: the demonic theory tends to become believed (by those who hold religious views), because belief/faith is integral to religion. I pointed that in my “Final Events” book, where I detailed the belief in the “demonic UFO” theory in Govt. Frankly, I think it’s nonsense, but I found it fascinating that official funding was being used to investigate that angle. So, I wrote a book about how and why there was this belief in certain parts of government, but I have always pointed out I don’t personally believe the theory has merit. Similarly, Mac was not driven by belief in the Cryptoterrestrial theory. In the build-up to the book, in emails, in conversation, etc Mac stressed that he was theorizing and musing on the idea/concept of the Cryptoterrestrials and looking for data that might be suggestive of its reality. And that’s it. Hell, even the sub-title of his book confirms this: “A Meditation on Indigenous Humanoids and the Aliens Among Us.” It’s a “meditation” on the idea, not Mac forcing his belief on us. Reading the book makes that very clear. Check out Greg Bishop’s Afterword, which gets to the crux of Mac’s words on the Cryptoterrestrial theory. Here’s what Greg wrote: “Don’t think for a minute that Tonnies believed wholeheartedly in what you read here. His speculation is sincere. His thoughts are well reasoned. But he was not ready to latch on to any theories (even his own) to the exclusion of others.” Don Maybe we are being visited by both Extraterrestrial and Cryptoterrestrial beings? Richard Ashworth The story told by Walter Bosley’s dad has always fascinated me, and belief in cryptoterrestrials is no more unusual than a belief in extraterrestrials. The cryptoterrestrial theory negates the needs for lengthy space voyages in order to reach our planet, and would explain why abduction stories go right back through human history, ‘away with the fairies’ indeed.
{ "pile_set_name": "Pile-CC" }
0.105705
[ { "begin": 0, "end": 25, "score": 0.07091636 }, { "begin": 25, "end": 165, "score": 0.08581903 }, { "begin": 165, "end": 338, "score": 0.021102477 }, { "begin": 338, "end": 522, "score": 0.15859914 }, { "begin": 522, "end": 823, "score": 0.049212243 }, { "begin": 823, "end": 950, "score": 0.02124131 }, { "begin": 950, "end": 1189, "score": 0.10763696 }, { "begin": 1189, "end": 1347, "score": 0.083939545 }, { "begin": 1347, "end": 1488, "score": 0.21980777 }, { "begin": 1488, "end": 11667, "score": 0.090114996 } ]
Parting Gift "Parting Gift" is a song written by American singer Fiona Apple and recorded for her third album Extraordinary Machine (2005). It was produced by Mike Elizondo and Brian Kehew and is the only song from Extraordinary Machine not to have been originally recorded during the Jon Brion-produced sessions. Apple was able to record it on her first take. MTV News described the song as "a characteristically bitter breakup song", and its protagonist chastises a former beau (calling him a "silly, stupid pastime") whilst lamenting their failed relationship: "It ended bad but I loved what we started". On August 15, 2005 (see 2005 in music), ahead of the album's release in early October, Epic Records made available for streaming both "Parting Gift" and "O' Sailor" on Apple's official website. The following day, the songs were released for digital download at the online iTunes Music Store. The music video for "Parting Gift" was directed by Spencer Maggart (Apple's brother), and it premiered on LAUNCHcast on August 23, 2005. Formats and track listing US Acetate promo CD single: 1. Parting Gift (3:34) Notes References Perez, Rodrigo. "Fiona Apple's Long-Delayed LP Slotted For October 4 Release". MTV News. August 15, 2005. Retrieved August 31, 2005. Cohen, Jonathan. "Fiona Apple fashions a different 'Machine'". Billboard. August 15, 2005. Retrieved August 28, 2005. External links Extraordinary Machine press release from Epic Records — August 15, 2005 Lyrics Category:Fiona Apple songs Category:2005 singles Category:Song recordings produced by Mike Elizondo Category:Songs written by Fiona Apple Category:Songs about heartache es:Parting Gifts
{ "pile_set_name": "Wikipedia (en)" }
0.123737
[ { "begin": 0, "end": 13, "score": 0.08635602 }, { "begin": 13, "end": 141, "score": 0.015063282 }, { "begin": 141, "end": 315, "score": 0.028610796 }, { "begin": 315, "end": 362, "score": 0.012425472 }, { "begin": 362, "end": 610, "score": 0.40326482 }, { "begin": 610, "end": 805, "score": 0.01492445 }, { "begin": 805, "end": 903, "score": 0.009093502 }, { "begin": 903, "end": 1040, "score": 0.014299706 }, { "begin": 1040, "end": 1067, "score": 0.010759487 }, { "begin": 1067, "end": 1677, "score": 0.020685982 } ]
Joseph Federico, NJMET Director of Operations, announced that NJMET, Inc., has renewed its registration statement with the Compliance and Registration Division of The Office of Defense Trade Controls Compliance, including their ITAR registration. CLIFTON, N.J. - July 7, 2014 - PRLog -- Joseph Federico, NJMET VP and Director of Operations, announced that NJMET, Inc., has renewed its registration statement with the Compliance and Registration Division of The Office of Defense Trade Controls Compliance. “This registration process included the renewal of our International Traffic and Arms Regulation (ITAR) registration for 2014/2015,” said Joseph Federico at NJMET’s Clifton, NJ headquarters. “We are honored to continue to empower NJMET senior officials to sign the registration statement and transmission letters under code: M18392,” he continued. ITAR Section 122.5 requires companies such as NJMET, Inc. to maintain records concerning the registration, manufacturing, acquisition, and disposition of defense articles; the provision of defense services; and information on political contributions, fees or commissions furnished or obtained as required by ITAR Part 130. These records must be available at all times for inspection and copying. To maintain these records, managers, supervisors and employees need appropriate training on AECA and ITAR requirements and understand the individual and organizational ramifications for failure to comply. Furthermore, with this registration, NJMET continues to assist its international customers, enabling them to avoid US import and export procedural delays and to expedite all orders.
{ "pile_set_name": "Pile-CC" }
0.037195
[ { "begin": 0, "end": 247, "score": 0.005900364 }, { "begin": 247, "end": 507, "score": 0.01561861 }, { "begin": 507, "end": 698, "score": 0.005935072 }, { "begin": 698, "end": 856, "score": 0.007913429 }, { "begin": 856, "end": 1180, "score": 0.009718247 }, { "begin": 1180, "end": 1253, "score": 0.014369122 }, { "begin": 1253, "end": 1458, "score": 0.013744377 }, { "begin": 1458, "end": 1640, "score": 0.017631676 } ]
Skip links Main navigation Love and Appreciation for Fashion and Life Fine Man Friday and New Giveaway! March 4, 2011 Oh my…Leo DiCaprio won the poll this week. I’m a little excited, if you can’t tell. I not only love and respect him as an actor, but always thought he had this sexy, all-American guy look. Thank you for voting this week…I appreciate your choice! So tell me, what’s your favorite Leo film? I think mine is The Departed for sure. Love that Boston accent. In case you missed it last night, I launched a new giveaway to celebrate Spring Break (a little early), so make sure to check it out and enter for some great freebies! And, don’t forget to vote for next week’s Fine Man Friday post friends. Have a great day! I see my boyfriend won the poll! I loved him in Inception because he shows a tender side with the whole psycho wife and abandoned kids deal. Titanic too but his face was just too baby-ish at that time. Excellent choice! That’s a lovely face to see when a blog first pops up 🙂 I think my favorite Leo movie is “Catch Me If You Can.” Granted, that was pre-hunk Leo, when he was still just baby face cutie Leo, but a good movie none the less. Primary Sidebar Connect With Me Grab a Button Find Me On Google + Archive Yep! I Wrote a Book! Monthly Verse "Blessed is the one who does not walk in step with the wicked or stand in the way that sinners take or sit in the company of mockers, but whose delight is in the law of the LORD, and who meditates on his law day and night. That person is like a tree planted by streams of water, which yields its fruit in season and whose leaf does not wither— whatever they do prospers." Psalm 1:1-3 Behind the Inspiration Many of you might not know I began this blog after being so inspired by Marilyn Monroe and her tragic life. She was often so misunderstood, I find her to be intriguing. I'm in love with old Hollywood and Marilyn embodies everything about it that I am inspired by. Who better to inspire me? Over the years, the blog has become less about Marilyn and more about me, my love of fashion, and appreciation for life, however I won't forget the inspiration that started it all, thus the name, "Blonde Episodes." Blonde Bits by Marilyn "Ever notice that 'what the hell' is always the right decision?" "Imperfection is beauty, madness is genius, and it's better to be absolutely ridiculous than absolutely boring." "If you can make a girl laugh, you can make her do anything." "The real lover is the man who can thrill you by kissing your forehead or smiling into your eyes or just staring into space." "We should all start to live before we get too old. Fear is stupid. So are regrets." "I don't mind living in a man's world, as long as I can be a woman in it." "We are all of us stars, and we deserve to twinkle." "I want to grow old without facelifts. I want to have the courage to be loyal to the face I have made." "Keep smiling, because life is a beautiful thing and there's so much to smile about." "All a girl really wants is for one guy to prove to her that they are not all the same." "A career is wonderful but you can't curl up with it on a cold night." "If you can't handle me at my worst, then you sure as hell don't deserve me at my best."
{ "pile_set_name": "Pile-CC" }
0.060528
[ { "begin": 0, "end": 11, "score": 0.012703137 }, { "begin": 11, "end": 28, "score": 0.010759487 }, { "begin": 28, "end": 72, "score": 0.040628307 }, { "begin": 72, "end": 107, "score": 0.020408317 }, { "begin": 107, "end": 122, "score": 0.011870144 }, { "begin": 122, "end": 166, "score": 0.01999182 }, { "begin": 166, "end": 207, "score": 0.08850401 }, { "begin": 207, "end": 312, "score": 0.15743166 }, { "begin": 312, "end": 369, "score": 0.009787662 }, { "begin": 369, "end": 3263, "score": 0.11729682 } ]
LAGOS TO ESTABLISH EARLY INTERVENTION CENTRE FOR CHILDREN WITH SPECIAL NEEDS Lagos State Governor, Mr Akinwunmi Ambode on Sunday said plans are underway to establish an Early Intervention Centre in 2018 to provide therapy and educational support services for infants and young children with special needs. The centre, according to the Governor, will enable the State Government equip such children with necessary skills and help develop their potential, thereby overcoming identified developmental delays as far as possible. Speaking at a programme put together by the Lagos State Office of Disability Affairs (LASODA) to commemorate the United Nations International Day of Persons Living With Disabilities (PLWDs) held at Adeyemi Bero Auditorium in Alausa, the Governor also assured that more people with disability would be employed into the State civil service in 2018. “Our administration is making plans to establish an Early Intervention Centre for the provision of therapy and educational support services for infants and young children with special needs. This will enable us equip these children with necessary skills and help develop their potential, thereby overcoming identified developmental delays as far as possible,” he said. While urging Nigerians to always embrace people in such situation and look out for their welfare, Governor Ambode said it was important for the general public to refrain from looking down on them but rather look out for their good qualities. According to him, “I urge the general public to always embrace People Living With Disabilities and always look out for the good qualities God has deposited in them.” The Governor, who recalled his promise to deliver an all-inclusive government in which no one would be left behind, said the event was another opportunity to reaffirm the policy stance of his administration, just as he assured that the welfare and well-being of PLWDs would always be a priority. He said the theme of this year’s celebration - “Transformation Towards Sustainable And Resilient Society For All” was apt and in tandem with his vision which is to enable people with disability become active contributors in the society. He said: “As a government, it is very critical to us to ensure the effective integration of people living with disabilities, especially in today’s changing world. “For us in Lagos State, we see ability in disability always. We believe strongly that the socio-economic integration of persons with disabilities is not only a human right but also a prerequisite for sustainable development. Our experience has shown that when people with disabilities are adequately empowered to participate in and lead the process of development, their entire families, communities and even the larger society will benefit. “As a result, we are leaving no stone unturned in our efforts to ensure a more comfortable socio-economic status for these members of our community by providing them with various opportunities.” While reeling out some of the interventions of his administration, the Governor said a total of 250 PLWDs were recently employed into the State’s Civil Service, Local Governments and Local Council Development Areas, while more of such people would be employed next year. Similarly, 500 persons have also benefitted from the State Government’s special empowerment programme drawn from the N500million Special People’s Fund established by the Ambode administration, while various assistive technologies, mobility aids and financial grants were given to 2,000 persons living with disabilities and Non-Governmental Organizations (NGOs) involved in taking care of such categories of people. “As a government, we will continue to embark on initiatives to improve the quality of lives of our people. We will always work to develop the productive capacity of persons with disabilities and give them opportunities to play a role in socio-economic growth of our State,” he said. Restating the fact that there is ability in every disability, the Governor charged PLWDs not to allow any circumstance limit their progress and life aspirations, adding that they must strive to achieve the best in everything and command respect from people in the society. In his lecture at the event, President of Benola Cerebral Palsy Foundation, AVM Femi Gbadebo commended Governor Ambode for his numerous initiatives geared toward upholding the rights and welfare of PLWDs such as N500million Disability Fund and various empowerment programmes. Also, Chairperson of Lagos State Chapter of Joint National Association of Persons With Disability, Deaconess Beyioku Adedoyin and Dr Adebayo Adebukola of Human and Organizational Resources Development Centre commended the State Government for prioritizing the welfare of PLWDs, saying that the State had become a reference point for positively handling disability affairs and development. At the event, awards were given to various caregivers and NGOs involved in disability affairs, while there were also performances by groups of disabled people including Divine Melody Makers Band, Down Syndrome Society and Wesley School for the Deaf and Hearing Impairment. LAGOS TO ESTABLISH EARLY INTERVENTION CENTRE FOR CHILDREN WITH SPECIAL NEEDS Reviewed by IFEDAYO AKINWALERE on 8:46:00 am Rating: 5
{ "pile_set_name": "Pile-CC" }
0.013883
[ { "begin": 0, "end": 77, "score": 0.0069763125 }, { "begin": 77, "end": 141, "score": 0.0070110206 }, { "begin": 141, "end": 215, "score": 0.007739889 }, { "begin": 215, "end": 292, "score": 0.0019089412 }, { "begin": 292, "end": 307, "score": 0.016173938 }, { "begin": 307, "end": 369, "score": 0.012217224 }, { "begin": 369, "end": 445, "score": 0.016798683 }, { "begin": 445, "end": 517, "score": 0.019714156 }, { "begin": 517, "end": 527, "score": 0.008954669 }, { "begin": 527, "end": 5313, "score": 0.029125832 } ]
This protocol will screen women at 26 weeks gestation or after, at premature rupture of the membranes or premature labor with vaginal and rectal cultures, and routine urinary cultures. Positive screens will be treated except for term presentation with membrane rupture less than 12 hours. Neonates less than 37 weeks gestation will be treated, and greater than 37 weeks may be treated.
{ "pile_set_name": "NIH ExPorter" }
0.154513
[ { "begin": 0, "end": 185, "score": 0.34388447 }, { "begin": 185, "end": 289, "score": 0.040628307 }, { "begin": 289, "end": 385, "score": 0.055333257 } ]
E-Trax E-Trax is a duo consisting of Jens Lissat and Ramon Zenker. Their 2001 song, Let's Rock, made #60 on the UK Singles Chart. References Category:Electronic music duos Category:German house music groups
{ "pile_set_name": "Wikipedia (en)" }
0.009163
[ { "begin": 0, "end": 7, "score": 0.010759487 }, { "begin": 7, "end": 68, "score": 0.017701091 }, { "begin": 68, "end": 131, "score": 0.011037151 }, { "begin": 131, "end": 143, "score": 0.008711713 }, { "begin": 143, "end": 175, "score": 0.017006932 }, { "begin": 175, "end": 209, "score": 0.0041129007 } ]
673 F.2d 1326 *Colev.Fitzmorris 81-3689 UNITED STATES COURT OF APPEALS Fifth Circuit 4/6/82 1 E.D.La. AFFIRMED 2 --------------- * Fed.R.App.P. 34(a); 5th Cir. R. 18.
{ "pile_set_name": "FreeLaw" }
0.007428
[ { "begin": 0, "end": 14, "score": 0.004963247 }, { "begin": 14, "end": 32, "score": 0.01492445 }, { "begin": 32, "end": 40, "score": 0.07850813 }, { "begin": 40, "end": 85, "score": 0.02124131 }, { "begin": 85, "end": 92, "score": 0.08635602 }, { "begin": 92, "end": 103, "score": 0.007878721 }, { "begin": 103, "end": 113, "score": 0.033932835 }, { "begin": 113, "end": 132, "score": 0.043375164 }, { "begin": 132, "end": 166, "score": 0.0053450353 }, { "begin": 166, "end": 175, "score": 0.023117077 } ]
Freshwater fishes of Patagonia: conservation and fisheries. The absence of much literature on the Patagonian fish fauna in comparison with that of the neotropics, has previously been blamed on its poor species diversity. Knowledge of the fishes of Patagonia, however, rose sharply at the beginning of the present century, allowing for an understanding of the complex biogeographical history that has led to the present diversity and distribution patterns. There are several new and potential threats to biodiversity and conservation of Patagonian fishes, such as the introduction of exotic species, damming, climate change and changes geared to safeguard economic interests, often acting synergistically. A great amount of new information is now available and the aim of the present review is to articulate this knowledge in a comprehensive way in order to aid in the development of tools to face the increasing challenges posed by environmental change and human activity. Knowledge about fishes of Patagonia has grown at the same time as human actions, and presence.
{ "pile_set_name": "PubMed Abstracts" }
0.044405
[ { "begin": 0, "end": 60, "score": 0.007878721 }, { "begin": 60, "end": 221, "score": 0.104076885 }, { "begin": 221, "end": 456, "score": 0.013050216 }, { "begin": 456, "end": 705, "score": 0.0495556 }, { "begin": 705, "end": 973, "score": 0.011523063 }, { "begin": 973, "end": 1067, "score": 0.011523063 } ]
Kiotechagil Steps into New Territories by 5m Editor 7 November 2008, at 12:00a.m. GENERAL - Agriculture and aquaculture specialists Kiotechagil, which manufactures a range of products for the animal feed, grain and aquaculture industries, has successfully concluded new distribution agreements in Egypt, Indonesia and Vietnam. This will bring sales into new territories. In Egypt, Kiotechagil has signed with Alboraq which has its headquarters in Mansoura in the centre of the Delta area and the main agricultural region of Egypt. Alboraq has recently opened a branch office in Cairo which is important for contact with Government agencies and major corporations. * "The appointments of these new distributors are an important step for Kiotechagil" Director Mike Rogers Salkil, Prefect, Oxistat and Sorbasafe are initially registered and will be followed by the registration of other Kiotechagil products. In Indonesia, Jebsen and Jebsen Chemicals, based in Jakarta will now handle the Kiotechagil range including Oxihold, Salkil, Moldstat, Sorbatox and Prefect. These have already received registration and the range is being broadened further by other products currently going through the registration process. With poultry the main meat source in Indonesia, Jebsen and Jebsen with offices in Jakarta and Surabaya are ideally placed to supply to the main production centres. They already distribute a wide range of internationally known products and have contracts with all the main feedmill customers. Khoa Hoang Nguyen has been appointed as Kiotechagil distributor for Vietnam and is based in Ho Chi Minh City, which is the centre for the majority of the feed mills and livestock production. They are a young company established only three years ago by a team of veterinarians. "The appointments of these new distributors are an important step for Kiotechagil in further developing our international presence," said director Mike Rogers. "We have a strong range of anti-bacterial acids as well as toxin and pellet binders and water sanitisation products which have significant appeal in these markets."
{ "pile_set_name": "Pile-CC" }
0.033418
[ { "begin": 0, "end": 39, "score": 0.0052409116 }, { "begin": 39, "end": 53, "score": 0.022074303 }, { "begin": 53, "end": 84, "score": 0.009787662 }, { "begin": 84, "end": 330, "score": 0.009371166 }, { "begin": 330, "end": 374, "score": 0.014785618 }, { "begin": 374, "end": 535, "score": 0.009787662 }, { "begin": 535, "end": 668, "score": 0.00596978 }, { "begin": 668, "end": 754, "score": 0.006247444 }, { "begin": 754, "end": 776, "score": 0.013050216 }, { "begin": 776, "end": 2117, "score": 0.018325835 } ]
Wake the Royalty OML has thousands of free addictive Flash and HTML5 Games like Wake the Royalty. Did you enjoy Wake the Royalty? Play more Physics Games. Always fast, free and no login required... new games added daily!
{ "pile_set_name": "Pile-CC" }
0.049212
[ { "begin": 0, "end": 17, "score": 0.05773066 }, { "begin": 17, "end": 99, "score": 0.09602194 }, { "begin": 99, "end": 131, "score": 0.046465382 }, { "begin": 131, "end": 156, "score": 0.024318827 }, { "begin": 156, "end": 221, "score": 0.022945397 } ]
Johnny Benitez, the organizer of the America First! rally that drew more than 2,300 protesters to Main Beach last month, has told Laguna Beach police that his plans for a rally on Sunday, Sept. 24 have been canceled. “He told us he’s not coming,” said Laguna Beach police Sgt. Jim Cota. “But we will be there in full force to see who shows up. We’ll beef up patrols and will have support from our outside law enforcement friends. We’d rather be prepared than not be ready.” Patrols at Main Beach will start in the early afternoon, Cota said. At the Aug. 20 rally, Laguna Beach police were assisted by the Orange County Sheriff’s Department, the California Highway Patrol, the San Diego Sheriff’s Department and more than a dozen local police agencies. John Motter, 29, of Los Angeles, walks with anti-KKK protesters as they march down the boardwalk during an illegal immigration rally at Laguna Beach. (Photo by Kevin Sullivan, Orange County Register/SCNG) Laguna Beach Chief of Police Laura Farinella faced her biggest challenge during the America First! rally on Aug. 20. She said she’s pleased with the way her officers and neighboring forces joined together in Laguna Beach, California, on Tuesday, August 29, 2017. (Photo by Jeff Gritchen, Orange County Register/SCNG) Sound The gallery will resume in seconds Mounted units from Orange County Sheriff Department and Santa Ana Police join other law enforcement agencies trying to keep order during the rally in Laguna Beach. (Photo by Kevin Sullivan, Orange County Register/SCNG) America First! demonstrator Jordan Davis, 25, of Berkeley, says he’s protesting illegal immigration at a rally in Laguna Beach Sunday. (Photo by David Whiting, Orange County Register/SCNG) A demonstrator marches with a flare as night falls on the rally in Laguna Beach. (Photo by Mindy Schauer, Orange County Register/SCNG) Protesters clash during an illegal immigration rally in Laguna Beach. (Photo by Kevin Sullivan, Orange County Register/SCNG) Counterprotesters walk by beachgoers during an illegal immigration rally at Laguna Beach. (Photo by Kevin Sullivan, Orange County Register/SCNG) Protesters clash during an illegal immigration rally in Laguna Beach Sunday. (Photo by Mindy Schauer, Orange County Register/SCNG) Dave Oakley, a member of the Orange County Democratic Socialists of America, said his group is not planning to appear at Main Beach on Sunday to counterprotest. “Obviously I can’t guarantee that nobody will show up on Sunday, but it seems apparent that there is no group explicitly calling for a rally, and any attendees would be lone-wolf-type characters, Oakley said. Last week, Benitez posted plans to cancel the rally on his Facebook page. But by the weekend a Facebook post said the rally was back on. To clear up any confusion, Laguna Beach police contacted Benitez directly this week, Cota said. When they discussed his Facebook posts, Benitez told police he had no control over his Facebook account at that time. But he told police he still plans to hold the Oct. 22 rally on Main Beach, Cota said. In that rally, he said, he will focus on bringing awareness to events surrounding Benghazi. The Laguna Beach City Council approved an emergency ordinance Sept. 12 that makes it illegal for protesters to carry items that could be considered a weapon — everything from metal pipes, metal beverage containers, containers with bio-hazards, lumber, bricks, rocks, pepper spray or ice picks at a rally or political assembly at a city park or beach. The unanimous vote was in response to the Aug. 20 America First! rally.
{ "pile_set_name": "OpenWebText2" }
0.082504
[ { "begin": 0, "end": 52, "score": 0.015826859 }, { "begin": 52, "end": 217, "score": 0.013605545 }, { "begin": 217, "end": 278, "score": 0.014369122 }, { "begin": 278, "end": 288, "score": 0.010967735 }, { "begin": 288, "end": 345, "score": 0.032387726 }, { "begin": 345, "end": 431, "score": 0.027409043 }, { "begin": 431, "end": 475, "score": 0.011037151 }, { "begin": 475, "end": 544, "score": 0.0064904 }, { "begin": 544, "end": 755, "score": 0.016104523 }, { "begin": 755, "end": 3600, "score": 0.13521013 } ]
1. Field of the Invention The present invention relates to rub rails, for use on watercraft. More particularly, the present invention relates to a composite rub rail, including a central fastener-concealing strip. The invention also relates to methods of installing the described rub rail on watercraft. 2. Description of the Background Art A number of different designs are known for marine rub rails. Examples of some of the known rub rails include U.S. Pat. No. 2,959,146 to Erkert, U.S. Pat. No. 1,887,881 to Blattner, U.S. Pat. No. 3,065,724 to Tritt, U.S. Pat. No. 4,084,533 to Boyer, U.S. Pat. No. 4,292,913 to Siebert et al, and U.S. Pat. No. 5,730,077 to Nunes et al. A reflective aluminum trim which is usable in automobiles, trucks, boats and appliances, as well as a method of making the aluminum trim are disclosed in U.S. Pat. No. 5,955,147 to Serafin. Many different types of fasteners are known. Examples of some known fasteners can be found in U.S. Pat. Nos. 4,579,493, 5,291,639, 5,468,108, and 5,907,891. Although the known rub rails have some utility for their intended purposes, a need still exists in the art for an improved marine rub rail. In particular, there is a need for a marine rub rail which will more effectively conceal the attachment hardware used to connect it to a boat.
{ "pile_set_name": "USPTO Backgrounds" }
0.01423
[ { "begin": 0, "end": 26, "score": 0.01263372 }, { "begin": 26, "end": 93, "score": 0.035134587 }, { "begin": 93, "end": 214, "score": 0.025863936 }, { "begin": 214, "end": 304, "score": 0.0121478075 }, { "begin": 304, "end": 341, "score": 0.007184561 }, { "begin": 341, "end": 403, "score": 0.01999182 }, { "begin": 403, "end": 456, "score": 0.032387726 }, { "begin": 456, "end": 461, "score": 0.015063282 }, { "begin": 461, "end": 491, "score": 0.010204159 }, { "begin": 491, "end": 1306, "score": 0.013605545 } ]
The Bills Mafia has now been put on notice. In the past several years, Buffalo Bills fans have become notorious for committing extraordinary acts of hooliganism and tomfoolery before and during Bills games, from jumping off buses and breaking tables to throwing phallic objects onto the field during games against the New England Patriots to streaking across New Era Field. As an organization, the Bills are acutely aware of what their fans are up to, and are taking steps to reduce the levels of ridiculousness in 2018. According to a report by Jay Skurski of the Buffalo News, the Bills are raising prices in their bus lot from $60 to $100 per vehicle, and are now requiring a permit to park in the bus lot. "One of the items we're focused on is the bus lot," said Bills vice president of operations and guest experience Andy Major. "We've seen some negative issues in the bus lot. Fans jumping off buses, breaking tables, getting hurt with dangerous acts. There were a couple games last year we actually had to eject buses from the lot because their fans were so crazy." Major noted that 2017 saw the first time in the recorded history of the Bills that buses had to be ejected, raising the cause for concern. Now, individuals who obtains a permit for the bus lot will be responsible for the behavior of those on the bus. The Bills' new policy extends to lots owned by the team, as opposed to neighboring parking lots that the team does not manage - As Major put it, "We know we can't prevent everything". Skurski states that last month, Erie County Executive Mark Poloncarz put the level of rowdiness at Bills tailgates on blast. "People have been hurt, seriously hurt," said Poloncarz. "It's only a matter of time before someone dies. … We had one gentleman who set himself on fire. We had another person who was basically near-paralyzed from breaking their back, another person who snapped their leg. "What we want people to understand is, not only does this make the community look bad, but you're putting yourself at risk." The antics of Bills tailgaters (Who have become known around the league as the #BillsMafia) have become famous around the National Football League, particularly as the influence of social media has made it highly visible. The dedication of Bills fans to their most celebrated act in suplexing and breaking tables has become so pervasive that, ahead of the Bills' playoff game against the Jacksonville Jaguars, Bills fans brought tables all the way to Jacksonville for the sole purpose of breaking them.
{ "pile_set_name": "OpenWebText2" }
0.288259
[ { "begin": 0, "end": 44, "score": 0.13610743 }, { "begin": 44, "end": 375, "score": 0.30788645 }, { "begin": 375, "end": 522, "score": 0.39230084 }, { "begin": 522, "end": 712, "score": 0.011037151 }, { "begin": 712, "end": 838, "score": 0.02637897 }, { "begin": 838, "end": 887, "score": 0.025692256 }, { "begin": 887, "end": 962, "score": 0.1731117 }, { "begin": 962, "end": 1077, "score": 0.40326482 }, { "begin": 1077, "end": 1217, "score": 0.02397547 }, { "begin": 1217, "end": 2543, "score": 0.09870692 } ]
Congenital nasolacrimal duct obstruction in the second year of life: a multicentre trial of management. We studied spontaneous resolution of congenital nasolacrimal duct obstruction in the second year of life and compared this with the cure rate after probings undertaken between the ages of 11 and 15 months. Of the 111 eyes of 95 patients studied, 26 eyes were included in a randomised prospective comparison of probing with spontaneous resolution. A further 63 eyes followed a similar management plan to the randomised group and are reported as an observational study. Thirty of the 50 eyes followed up without treatment resolved spontaneously before the age of 2 years, of which 24 resolved before 18 months. The overall cure rate for probing was 74% compared with 60% for spontaneous resolution. At 15 months of age the randomised study confirmed that probing at 12-14 months is an effective intervention compared with spontaneous resolution (p = 0.04). At 24 months of age probing was superior in both randomised and non-randomised studies, but with increased numbers in the spontaneous resolution groups the difference was no longer statistically significant. Up to 18 months of age the frequency of spontaneous resolution makes delay in probing a viable management option to be discussed with the parents. It will also lead to an overestimate of the cure rate in any study of interventional treatment unless controls are included.
{ "pile_set_name": "PubMed Abstracts" }
0.079707
[ { "begin": 0, "end": 104, "score": 0.2459383 }, { "begin": 104, "end": 310, "score": 0.09870692 }, { "begin": 310, "end": 451, "score": 0.011175984 }, { "begin": 451, "end": 572, "score": 0.019852988 }, { "begin": 572, "end": 713, "score": 0.019297661 }, { "begin": 713, "end": 801, "score": 0.010620655 }, { "begin": 801, "end": 959, "score": 0.008156385 }, { "begin": 959, "end": 1167, "score": 0.012703137 }, { "begin": 1167, "end": 1314, "score": 0.01193956 }, { "begin": 1314, "end": 1438, "score": 0.009926494 } ]
Q: Concat IQueryable collections in one db request I use entity framework.I need concat two collections.For example: IQueryable<SomeType> collection1 = context.Entiies.Where(predicate); IQueryable<SomeType> collection2 = context.Entiies.Where(otherPredicate); var result = collection1.concat(collection2).toList(); //1 var result = collection1.union(collection2).toList; //2 Both 1 and 2 variant will do 2 requests in database,because these methods need IEnumerable as parameter.So,the question is can I concat two Iqueryble collections with one database call A: There are Concat() and Union() extension methods for IQueryable<T> in addition to IEnumerable<T>. You can use them on queryable objects. Union() maps to the SQL UNION operation and Concat() maps to UNION ALL. As long as you don't convert the IQueryable<T> objects to IEnumerable<T> (either explicitly or implicitly) then you can just use these methods and they will be evaluated in the database if possible. Further reading: MSDN documentation for the Queryable class in .NET 4.5. This documents all of the extension methods that can potentially be evaluated in the database instead of in the CLR. In glancing through the documentation I glossed over the detail that the extension methods declared on Queryable accept IQueryable<T> as the first parameter, but IEnumerable<T> as the second. As D Stanley points out, these methods will test if the argument is an IQueryable<T> and if so will attempt to resolve the operation using the relevant query engine.
{ "pile_set_name": "StackExchange" }
0.008538
[ { "begin": 0, "end": 52, "score": 0.0053103273 }, { "begin": 52, "end": 119, "score": 0.013605545 }, { "begin": 119, "end": 188, "score": 0.007635765 }, { "begin": 188, "end": 262, "score": 0.0053450353 }, { "begin": 262, "end": 322, "score": 0.0028807658 }, { "begin": 322, "end": 378, "score": 0.0025683937 }, { "begin": 378, "end": 564, "score": 0.0069763125 }, { "begin": 564, "end": 569, "score": 0.019297661 }, { "begin": 569, "end": 668, "score": 0.011800728 }, { "begin": 668, "end": 1532, "score": 0.011384231 } ]
Adalimumab - Safe and Effective Therapy for an Adolescent Patient with Severe Psoriasis and Immune Thrombocytopenia. Psoriasis has been linked to several comorbidities, including metabolic syndrome, atopy, and celiac disease. However, the association between immune thrombocytopenia and psoriasis has rarely been described. We report the case of an adolescent with severe psoriasis and concomitant immune thrombocytopenia who obtained remission during treatment with adalimumab. Increased concentration of tumor necrosis factor-α seems to be a pathogenic linkage and therapeutic target for both diseases.
{ "pile_set_name": "PubMed Abstracts" }
0.018604
[ { "begin": 0, "end": 117, "score": 0.0034534482 }, { "begin": 117, "end": 226, "score": 0.020963646 }, { "begin": 226, "end": 324, "score": 0.019297661 }, { "begin": 324, "end": 479, "score": 0.037881445 }, { "begin": 479, "end": 604, "score": 0.021102477 } ]
The weather is warming up, and so much to look forward to this Summer, but the Spring in NYC may always keep Bowie in the air. Our weekly Friday post was missed the last few weeks, but Steve is back in action. He may have missed the hype beast Day 1 of the Bowie public exhibit, but he definitely picked up his commemorative metro card when he got back in town. This early morning shot catches a piece installed, also in honor of the 2 years anniversary of the artist's death. Artist: Unknown Location: Bowery & Bleecker
{ "pile_set_name": "OpenWebText2" }
0.072115
[ { "begin": 0, "end": 127, "score": 0.031701013 }, { "begin": 127, "end": 210, "score": 0.011453647 }, { "begin": 210, "end": 362, "score": 0.118584804 }, { "begin": 362, "end": 477, "score": 0.03049926 }, { "begin": 477, "end": 494, "score": 0.025692256 }, { "begin": 494, "end": 522, "score": 0.067320265 } ]
A young Malian man was hailed a hero on Sunday after he sprang into action to save a four-year-old child hanging from a fourth-floor balcony by single-handedly scaling the facade of the building and hauling the youngster to safety. Advertising Read more Without a thought for his own safety, Mamoudou Gassama took just seconds to reach the child in a spectacular rescue captured on film and viewed millions of times on social networks. The incident took place at around 8:00 pm (1800 GMT) on Saturday in northern Paris. Film of the rescue shows Gassama, 22, pulling himself up from balcony to balcony with his bare hands as a man on the fourth floor tries to hold on to the child by leaning across from a neighbouring balcony. On reaching the fourth floor Gassama puts one leg over the balcony before reaching out with his right arm and grabbing the child. Watch 22 year old Mamoudou Gassama heroically scaling four stories of a building when he sees a toddler about to fall to a certain death. When he began climbing the neighbors did not have ahold of the child’s arm yet. pic.twitter.com/67EsUmzwFN Ray [REDACTED] (@RayRedacted) 28 May 2018 Firefighters arrived at the scene to find the child had already been rescued. "Luckily, there was someone who was physically fit and who had the courage to go and get the child," a fire service spokesman told AFP. Paris mayor Anne Hidalgo praised the young migrant on Twitter for his "act of bravery" as well as phoning him personally to "thank him warmly". "He explained to me that he had arrived from Mali a few months ago dreaming of building his life here. "I told him that his heroic act is an example to all citizens and that the city of Paris will obviously be very keen to support him in his efforts to settle in France," she added. The young Malian will next be honoured for his brave rescue by French President Emmanuel Macron who has invited him to the Elysee Palace on Monday, his office told AFP. Tracked down by reporters 24 hours after the heroic rescue, Gassama said he had acted without thinking. "I saw all these people shouting, and cars sounding their horns. I climbed up like that and, thank God, I saved the child," he said. "I felt afraid when I saved the child... (when) we went into the living room, I started to shake, I could hardly stand up, I had to sit down," he added. According to initial inquiries by the authorities, the child's parents were not at home at the time. The father was later held for questioning by police for having left his child unattended and was due in court later, a judicial source said. The child's mother was not in Paris at the time. (AFP) Daily newsletterReceive essential international news every morning Subscribe
{ "pile_set_name": "OpenWebText2" }
0.121161
[ { "begin": 0, "end": 232, "score": 0.14328592 }, { "begin": 232, "end": 255, "score": 0.012425472 }, { "begin": 255, "end": 438, "score": 0.030327583 }, { "begin": 438, "end": 523, "score": 0.014577369 }, { "begin": 523, "end": 731, "score": 0.0471521 }, { "begin": 731, "end": 862, "score": 0.21036349 }, { "begin": 862, "end": 1001, "score": 0.13386416 }, { "begin": 1001, "end": 1150, "score": 0.032731086 }, { "begin": 1150, "end": 1229, "score": 0.02792408 }, { "begin": 1229, "end": 2736, "score": 0.09602194 } ]
I read your letter, Mr. Boutin, and all I can say is WOW! Instead on addressing points I brought up in my letter you took it upon yourself to just spend your time insulting me. You implied I was not well educated and was brain dead. I had a very good education of which I paid for. However, my choice of careers was in the field of social services. I spent most of my time working with poor and low-income people and on issues that reflected on their lives. Thus the reason for my concern for people and equality. Regardless of what you think you will never change my mind about people, regardless of their income status, having access to health insurance. I have seen to many people, without insurance, suffer and even die for lack of care because they can't pay for it. Granted when the condition gets so bad you end up in an ambulance and in the hospital and then will get the care. But once stabilized you are discharged and told to follow up with your doctor and most uninsured people do not have doctors so in the end they return to the hospital even worse. Those expenses go unpaid and all of us with insurance end up paying because as I stated before lab fees, hospital room rates, lab tests, etc. prices all go up. You and Mr. Ewing seem to think young people are invincible and do not have serious medical problems. Well these people do get cancer, high blood pressure, diabetes and many other serious medical problems. So yes they do need insurance if they are over the age of 26 or no longer live with their parents. I should know better after all these years to answer any of your letters because you enjoy insulting people and saying mean things to them. You do not debate an issue. It is your way or no way and anyone who doesn't agree with you is wrong. I can assure you I will not respond to another of your letters and, in fact, will avoid even reading anything you write because all you express is anger and hate.
{ "pile_set_name": "Pile-CC" }
0.249913
[ { "begin": 0, "end": 24, "score": 0.0095794145 }, { "begin": 24, "end": 58, "score": 0.043031808 }, { "begin": 58, "end": 177, "score": 0.25447917 }, { "begin": 177, "end": 233, "score": 0.29163063 }, { "begin": 233, "end": 282, "score": 0.04543531 }, { "begin": 282, "end": 349, "score": 0.009093502 }, { "begin": 349, "end": 458, "score": 0.019714156 }, { "begin": 458, "end": 514, "score": 0.012078391 }, { "begin": 514, "end": 658, "score": 0.045091953 }, { "begin": 658, "end": 1935, "score": 0.089577995 } ]
1. Field of Invention Various exemplary embodiments of the present invention relate generally to an electronic device, and more particularly, to a semiconductor device and a method of manufacturing the same. 2. Description of Related Art A non-volatile memory device preserves the stored data even when the power is cut off. Two-dimensional memory devices in which memory cells are fabricated in a single layer over a silicon substrate have reached physical limits in increasing their degree of integration. Accordingly, three-dimensional (3D) non-volatile memory devices in which memory cells are stacked in a direction perpendicular to a silicon substrate have been proposed. A 3D non-volatile memory device may include interlayer insulating layers and word lines stacked alternately and channel layers passing therethrough, in which memory cells may be stacked along the channel layers. Additionally, desired memory cells may be selectively driven by coupling contact plugs to the stacked word lines. However, since contact plugs need to be formed at various depths to realize the 3D non-volatile memory device configured as described above, manufacturing processes may be difficult to perform. In addition, a bridge may be formed when the contact plugs pass through the word lines.
{ "pile_set_name": "USPTO Backgrounds" }
0.020408
[ { "begin": 0, "end": 22, "score": 0.0121478075 }, { "begin": 22, "end": 208, "score": 0.010551238 }, { "begin": 208, "end": 238, "score": 0.008711713 }, { "begin": 238, "end": 325, "score": 0.012217224 }, { "begin": 325, "end": 508, "score": 0.017284594 }, { "begin": 508, "end": 678, "score": 0.004581459 }, { "begin": 678, "end": 890, "score": 0.012425472 }, { "begin": 890, "end": 1004, "score": 0.014785618 }, { "begin": 1004, "end": 1198, "score": 0.009926494 }, { "begin": 1198, "end": 1285, "score": 0.02397547 } ]
Masked Republic Luchaverse: Rey Mysterio #1 preview Masked Republic Luchaverse: Rey Mysterio #1 Rey and a group of military soldiers search for the mask of the first Mysterio. Writers Marco Lopez and Ivan Plaza Artists Ben Harvey and Bryan Magnaye Letter Micah Myers Sold at SDCC booth #1901 $3.99 Rey Mysterio is scheduled to sign Friday from 12pm to 2pm PST. $40.oo signed, $60.00 signed with a photo
{ "pile_set_name": "Pile-CC" }
0.020825
[ { "begin": 0, "end": 52, "score": 0.058130227 }, { "begin": 52, "end": 97, "score": 0.031014297 }, { "begin": 97, "end": 177, "score": 0.02262963 }, { "begin": 177, "end": 212, "score": 0.007739889 }, { "begin": 212, "end": 249, "score": 0.00023644841 }, { "begin": 249, "end": 268, "score": 0.00843405 }, { "begin": 268, "end": 293, "score": 0.011870144 }, { "begin": 293, "end": 299, "score": 0.009648831 }, { "begin": 299, "end": 362, "score": 0.01561861 }, { "begin": 362, "end": 403, "score": 0.03049926 } ]
Patient-controlled analgesia--eliminating errors. Competency requirements were used to identify programming errors associated with patient-controlled analgesia therapy. A tool was developed to evaluate staff; all programming errors were eliminated after staff completed a series of educational sessions.
{ "pile_set_name": "PubMed Abstracts" }
0.010898
[ { "begin": 0, "end": 50, "score": 0.04406188 }, { "begin": 50, "end": 169, "score": 0.017423427 }, { "begin": 169, "end": 303, "score": 0.016382186 } ]
Snack-type foods are very popular. Items generally known as snack foods include, for example, potato chips, corn chips, cookies, crackers and popped corn. Such products can be made from whole grain corn, wheat, rice, potatoes, or can be made from other starchy byproduct materials such as a paste, roux, mash or other dough. The term "snack foods" generally refers to cooked foods which are adaptable to be eaten from the hand. Typically snack foods are small in size, relatively dry, can be preserved for a period of time and easily transportable. Many commonly available snack foods are made from starch or flours. Examples of such include cookies and crackers. Other snack foods may be made by directly processing agriculture products. Examples include potato chips and popped corn. Snack foods that are made from starch or flours typically involve mixing flour and starch with water to form a dough and then further processing the dough. However, there is a growing tendency for the public to prefer foods that are more "natural." A snack food that is made directly from an agriculture product without first processing the agricultural product to starch or flour form generally contains more vitamins and fibers. A snack food that is produced from an agriculture product would be preferred by the health conscious public if the snack food also possesses acceptable characteristics of taste and mouthfeel. Corn is a widely available, non-expensive raw material for making snack foods. However, snack foods that are made from whole kernels of corn have not been met with wide acceptance. The reason is that kernels of corn that are made into snack foods are sometimes hard to chew or lack characteristic flavor or mouthfeel that is perceived to be superior to other snack foods. Nevertheless, snack foods made with whole kernels of corn are available in the market. Examples are CORNNUTS.TM. (Cornnuts, Inc., Oakland, Calif.) and UGLY NUTS.sup.m (Sweetcorn Products, Bloomfield, Nebr.). Corn is a major food staple that has been genetically refined to the development of hybrid varieties. To date, the majority of corn grown is yellow dent corn. Dent corn is characterized by a starch composition that is about 75% amylopectin and about 25% amylose. Amylopectin is a branch-chained polysaccharide, whereas amylose is a straight-chain polysaccharide. Hybrid corns are available wherein the starch composition is essentially all amylopectin. These amylopectin hybrids are referred to as waxy corns. The varying amounts of amylopectin and amylose in the starch composition of dent and waxy corns result in substantially different starch characteristics. Thus, dent and waxy corns are not considered to be interchangeable materials for most applications. To date, waxy corns have not been utilized for human food products except to the extent that various wet milling techniques, well known to those skilled on the art, can be used to isolate amylopectin as starch from corn. The starch alone can be used as a raw ingredient for food or can be further processed to derive maltodextrin, high fructose corn syrup or other starch byproducts. Generally, wet milling techniques include grinding, floatation of the grinding product to remove the germ of the kernels, straining to remove fiber and centrifugation to separate protein from starch. Numerous examples may be cited wherein amylopectin starch is isolated from waxy corn and then incorporated into food products. The isolated amylopectin starch is recognized to form heavy-bodied pastes that are sensitive to shear. The pastes possess high clarity and reduce gelation tendency. However, the use of waxy corns have not been directed to the production of whole kernel food or snack food materials. Field corn is often considered suitable only for animal feed, is low in cost and is under utilized as a source of human nutrition. Patents that disclose varying aspects of foods using corn byproducts include Markakis et al., U.S. Pat. No. 3,027,258, which describes a synthetic chip-type food product obtained from a dough derived from cereal grains including corn. Maria et al., U.S. Pat. No. 3,407,070, disclosed ready-to-eat food products that comprised a farinaceous base and a starch. Marotta et al., U.S. Pat. No. 3,652,294, teaches a ready-to-eat food product having a pregelatinized starch major component. Ellis et al., U.S. Pat. No. 4,806,377, teaches a low oil content baked corn snack made from a waxy corn masa. Mochizuki et al., U.S. Pat. No. 4,499,113, teaches a snack product having an expanded coating made from a cereal grain starch flour. U.S. Pat. No. 3,619,211 is related to a potato chip type product that can be made with potato and other flours derived from cereals including starch, tapioca, corn, wheat, etc. Dame, Jr. et al., U.S. Pat. No. 3,647,474, teaches snack food product and process comprising a popped popcorn in a dome matrix containing a cereal flour which is fried. U.S. Pat. No. 3,719,501 teaches a novel snack food product comprising comminuted or reduced particle sized popcorn cooked in a dome matrix comprising a combination of a cereal flour and a starch. ABE, U.S. Pat. No. 3,925,567, teaches a process for preparing a snack food from a starch or a starch flour. ABE, U.S. Pat. No. 4,073,958, teaches a snack food made from rice, flour or rice bran and other starch products. Colminel, U.S. Pat. No. 4,931,303, teaches a dough preform made from cereal flours which when fried produces a desirable snack chip having a predetermined surface bubbling characteristic. Pirrotta et al., U.S. Pat. No. 4,970,084, teaches a potato based chip product containing intact vegetable pieces. Considering the wide availability of corn in the United States and in the world, there is a need for a snack food made from kernels of corn that have not been processed into starch or flour. Such a product would provide the consumers with a choice of a wholesome snack food product. Such a product would also add value to a commodity agricultural product that is of abundant supply. A substantial need exists in the art for a process that can be used to convert waxy field corn into a desirable human food. For the purpose of this invention, the term heat expanded kernel means a kernel which, when heated, increases in volume to a degree of about 5 fold or less. The expanded kernel obtains a cracked surface shell which promotes the chewability of the material and at the same time obtains an expanded starchy interior which is cooked, softened and improved in flavor. Commonly available popped popcorn is a product which increases in volume substantially greater than 20 fold increase in volume.
{ "pile_set_name": "USPTO Backgrounds" }
0.022945
[ { "begin": 0, "end": 35, "score": 0.020963646 }, { "begin": 35, "end": 155, "score": 0.010828903 }, { "begin": 155, "end": 325, "score": 0.011523063 }, { "begin": 325, "end": 428, "score": 0.011314815 }, { "begin": 428, "end": 549, "score": 0.010759487 }, { "begin": 549, "end": 617, "score": 0.010690071 }, { "begin": 617, "end": 664, "score": 0.012217224 }, { "begin": 664, "end": 739, "score": 0.010551238 }, { "begin": 739, "end": 786, "score": 0.011661896 }, { "begin": 786, "end": 6668, "score": 0.02809576 } ]
Current physical health problems and their predictors among a community sample of crack-cocaine smokers in Ohio. The harmful effects of nonmedical cocaine use are well documented, but the overall health of people involved with crack is less well understood. This cross-sectional study describes the nature and extent of current health problems in a community sample of 430 crack smokers in Dayton, Ohio. Two-thirds of the sample reported one or more current physical health problems. The estimated annualized incidence of acute health problems was 152.6 conditions/100 persons/year. The estimated prevalence of chronic problems ranged from a low of 30.2 conditions/1000 persons for diabetes to a high of 223.2 conditions/1000 persons for anemias. Cardiovascular problems were common. Even though the results cannot prove a cause and effect relationship between crack use and health problems, they do suggest that crack users experienced higher than usual rates of problems, when compared with data from the National Health Interview Survey. The results of a cumulative logistic regression analysis suggest that men were significantly less likely, and older users more likely, to have health problems. Neither duration of crack use nor frequency of use of any drug predicted health problems. Incorporating assessments of physical problems as well as a mechanism for their treatment into the regimen of drug abuse treatment programs should be considered.
{ "pile_set_name": "PubMed Abstracts" }
0.044749
[ { "begin": 0, "end": 113, "score": 0.16413476 }, { "begin": 113, "end": 258, "score": 0.05093802 }, { "begin": 258, "end": 404, "score": 0.030842619 }, { "begin": 404, "end": 484, "score": 0.020269485 }, { "begin": 484, "end": 583, "score": 0.010342991 }, { "begin": 583, "end": 747, "score": 0.017354012 }, { "begin": 747, "end": 784, "score": 0.014646785 }, { "begin": 784, "end": 1041, "score": 0.023288755 }, { "begin": 1041, "end": 1201, "score": 0.039598234 }, { "begin": 1201, "end": 1452, "score": 0.026035614 } ]
“It’s about craftsmanship. It’s about being the best at what we do. It’s about innovative solutions, systems, and applications.” Industrial Separation Machinery – LMC A shift is happening in our global economy. Every day more businesses like yours are searching for ways to increase yields, decrease expenses, and market smarter. LMC understands those needs. With over 70 years experience in designing and manufacturing processing equipment for the food industry, Lewis M. Carter Manufacturing has weathered many economic storms. We possess a unique keen insight into today’s food and recyclable industry. As a leader in producing World Class Machinery, LMC offers solutions tailored to not only your specific industry, but also to your specific company. From destoners to vibratory conveyors, LMC produces custom-built industrial separation equipment for your unique processing requirements.
{ "pile_set_name": "Pile-CC" }
0.022213
[ { "begin": 0, "end": 27, "score": 0.015132698 }, { "begin": 27, "end": 68, "score": 0.017562259 }, { "begin": 68, "end": 129, "score": 0.0054491595 }, { "begin": 129, "end": 168, "score": 0.012217224 }, { "begin": 168, "end": 213, "score": 0.026207292 }, { "begin": 213, "end": 332, "score": 0.02809576 }, { "begin": 332, "end": 361, "score": 0.016104523 }, { "begin": 361, "end": 476, "score": 0.0068027726 }, { "begin": 476, "end": 533, "score": 0.035649624 }, { "begin": 533, "end": 896, "score": 0.011175984 } ]
CEMETERIES By Rachel Birdsell TFW Contributing Writer It’s the most wonderful time of the year. No. I don’t mean Christmas. I’m talking about Halloween! All Hallow’s Eve is said to be the night when the veil between the living and dead is its thinnest, which makes it the perfect time to visit a cemetery. Not that there’s a bad time to visit a cemetery, unless, of course, you’re the one being planted. Here are four ancient writings and a game taken from the “Most Holy Doctrine of Graveyards and Other Creepy Places.” Enjoy. Be safe. And if you don’t strictly adhere to the “Five Cardinal Rules of Cemetery Visiting,” a ghost will inhabit your left ear for all eternity. (Contributor: Rachel Birdsell) The sign for the hours at Eureka Springs Cemetery. Five Cardinal Rules of Cemetery Visiting ▲ Don’t be a jerk ▲ Don’t be a jerk ▲ Don’t be a jerk ▲ Don’t be a jerk ▲ Wear clean underwear Five Groovy Cemeteries to Visit 1. Evergreen Cemetery North of Powerhouse Seafood Fayetteville One of the largest and most historic cemeteries in NWA, Evergreen is a must-see. 2. Son’s Chapel Arkansas 45 East Fayetteville Son’s Chapel is one of the oldest cemeteries in Washington County and has some of the most uniquely shaped tombstones around. 3. Confederate Cemetery 54 E. Rock St. Fayetteville This cemetery was started in 1872 by the Southern Memorial Association of Washington County. The association paid to have the remains of Confederate soldiers from area battlefields removed and reinterred atop East Mountain. 4. Bluff Cemetery Shiloh Street Springdale Burials began here sometime after the Civil War. Be sure and check out the Farrar monument. 5. Eureka Springs Cemetery Arkansas 62 East Eureka Springs (Duh-hoy!) Established in 1880, shortly after Eureka Springs became a town. Five Superstitions on Our Resting Place ▲ The last person buried in a cemetery has to act as a watch, guarding over the graveyard until relieved of his/her post by a newcomer ▲ Placing a cross made of iron on a burial site will keep the spirit of a person in their grave ▲ You must hold your breath while going past a cemetery or you will breathe in the spirit of someone who has recently died ▲ When passing a graveyard, turn your pockets inside out to make sure you don’t bring home a ghost in your pocket ▲ You will have bad luck if you pick a leaf or flower from a grave Five Reasons to Visit a Cemetery ▲ It’s free — In these times of economical suckage, we all need as many free options as possible. ▲ It’s quiet — For obvious reasons, cemeteries are very quiet. They can be very peaceful places to sit and reflect. ▲ It’s grounding (pun intended) — Being in a cemetery will definitely help keep your ego in check. ▲ Solitude — Unless they’re in your party, people generally won’t speak to you in a cemetery. ▲ Zombies — You have a much better chance of encountering a zombie at a cemetery than at the mall.
{ "pile_set_name": "Pile-CC" }
0.043719
[ { "begin": 0, "end": 11, "score": 0.013744377 }, { "begin": 11, "end": 31, "score": 0.017354012 }, { "begin": 31, "end": 55, "score": 0.018187003 }, { "begin": 55, "end": 98, "score": 0.013258465 }, { "begin": 98, "end": 126, "score": 0.011592479 }, { "begin": 126, "end": 155, "score": 0.021518974 }, { "begin": 155, "end": 308, "score": 0.024833864 }, { "begin": 308, "end": 406, "score": 0.083939545 }, { "begin": 406, "end": 523, "score": 0.064523295 }, { "begin": 523, "end": 2917, "score": 0.5810591 } ]
1. Field of the Invention The present invention generally relates to a vehicle interface system. More particularly, the present invention relates to a vehicle interface system for selectively activating a user input device based on contact conditions at locations within the vehicle passenger compartment. 2. Background Information Most vehicles today include a human machine interface (HMI) system that enables occupants to provide input to different vehicle components, such as the entertainment system, temperature control system and so on. For example, various types of HMI controls, such as conventional push buttons and rocker switches, thumb wheels, joysticks, touchpads, and combinations of these devices, can be disposed at desired locations within the passenger compartment for access by the occupants. These components can be placed on the vehicle steering wheel, on the vehicle console, on the dashboard, and at any other suitable locations. Gesture input controls, similar to those employed in smartphone capacitive touch displays, can also be used as HMI controls.
{ "pile_set_name": "USPTO Backgrounds" }
0.010412
[ { "begin": 0, "end": 26, "score": 0.01263372 }, { "begin": 26, "end": 97, "score": 0.01228664 }, { "begin": 97, "end": 306, "score": 0.0064904 }, { "begin": 306, "end": 332, "score": 0.008086969 }, { "begin": 332, "end": 544, "score": 0.0065945243 }, { "begin": 544, "end": 813, "score": 0.0067680646 }, { "begin": 813, "end": 954, "score": 0.0100653265 }, { "begin": 954, "end": 1078, "score": 0.006178028 } ]
Q: Search of an input string in spreadsheet I am using the Open XML SDK to open an Excel file (xlsx) and I want to find a specific string or integer passed from outside to check for duplicates of the value in the spreadsheet. How can I search for the input string in all the cells of spreadsheet? A: Here: using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.IO; using DocumentFormat.OpenXml; using DocumentFormat.OpenXml.Packaging; using DocumentFormat.OpenXml.Spreadsheet; namespace ConsoleApplication3 { class Program { static void Main(string[] args) { using (SpreadsheetDocument document = SpreadsheetDocument.Open(@"C:\Users\user\Desktop\Book1.xlsx", true)) { Sheet sheet = document.WorkbookPart.Workbook.Descendants<Sheet>().First<Sheet>(); Worksheet worksheet = ((WorksheetPart)document.WorkbookPart.GetPartById(sheet.Id)).Worksheet; IEnumerable<Row> allRows = worksheet.GetFirstChild<SheetData>().Descendants<Row>(); foreach (Row currentRow in allRows) { IEnumerable<Cell> allCells = currentRow.Descendants<Cell>(); foreach (Cell currentCell in allCells) { CellValue currentCellValue = currentCell.GetFirstChild<CellValue>(); string data = null; if (currentCell.DataType != null) { if (currentCell.DataType == CellValues.SharedString) // cell has a cell value that is a string, thus, stored else where { data = document.WorkbookPart.GetPartsOfType<SharedStringTablePart>().FirstOrDefault().SharedStringTable.ElementAt(int.Parse(currentCellValue.Text)).InnerText; } } else { data = currentCellValue.Text; } Console.WriteLine(data); /* your code here if(data.contains("myText")) doSomething(); */ } } } } } }
{ "pile_set_name": "StackExchange" }
0.040285
[ { "begin": 0, "end": 45, "score": 0.011037151 }, { "begin": 45, "end": 228, "score": 0.009718247 }, { "begin": 228, "end": 299, "score": 0.01527153 }, { "begin": 299, "end": 304, "score": 0.019297661 }, { "begin": 304, "end": 310, "score": 0.0136749605 }, { "begin": 310, "end": 324, "score": 0.006004488 }, { "begin": 324, "end": 358, "score": 0.0055185757 }, { "begin": 358, "end": 377, "score": 0.0052409116 }, { "begin": 377, "end": 396, "score": 0.005935072 }, { "begin": 396, "end": 2436, "score": 0.019575324 } ]
As We Leave More Digital Tracks, Amazon Echo Factors in Murder Investigation - techman9 http://www.npr.org/sections/alltechconsidered/2016/12/28/507230487/as-we-leave-more-digital-tracks-amazon-echo-factors-in-murder-investigation ====== dbg31415 This is a dupe. This story was posted like 20 times in the last few days. Here are the most popular discussions... * Police seek Amazon Echo data in murder case | Hacker News || [https://news.ycombinator.com/item?id=13263894](https://news.ycombinator.com/item?id=13263894) * Amazon refuses to let police access US murder suspect’s Echo recordings | Hacker News || [https://news.ycombinator.com/item?id=13269930](https://news.ycombinator.com/item?id=13269930)
{ "pile_set_name": "HackerNews" }
0.156848
[ { "begin": 0, "end": 89, "score": 0.10461388 }, { "begin": 89, "end": 232, "score": 0.026035614 }, { "begin": 232, "end": 239, "score": 0.024147147 }, { "begin": 239, "end": 248, "score": 0.011870144 }, { "begin": 248, "end": 264, "score": 0.32044756 }, { "begin": 264, "end": 322, "score": 0.0112454 }, { "begin": 322, "end": 327, "score": 0.015202113 }, { "begin": 327, "end": 363, "score": 0.023288755 }, { "begin": 363, "end": 462, "score": 0.08555053 }, { "begin": 462, "end": 710, "score": 0.008954669 } ]
Adsorption of arsenic, phosphorus and chromium by bismuth impregnated biochar: Adsorption mechanism and depleted adsorbent utilization. Bismuth impregnated biochar were synthesized to deal with wastewater pollution. Nitrogen adsorption-desorption isotherms, scanning electron microscopy (SEM), Fourier transform infrared spectroscopy (FTIR), X-ray diffraction (XRD) and X-ray photoelectron spectroscopy (XPS) were used to determine the characteristics of adsorbents and explore the main adsorption mechanism. Results showed that bismuth particle was carried successfully within the biochar matrix, making contributions to creating micropore and boost specific surface area. The loaded bismuth, served as the adsorption site, rather than the specific surface area played an important role in arsenic and phosphorus adsorption. Batch adsorption experiments demonstrated a fit Langmuir model for arsenic (As) and phosphorus (P) and a suitable Freundlich model for chromium (Cr). Thermodynamic parameters depicted the endothermic nature and the spontaneous process for phosphate and arsenic adsorption. Besides, this contaminant-loaded carbon adsorbent was further applied for the removal of methylene blue from aqueous solution.
{ "pile_set_name": "PubMed Abstracts" }
0.013467
[ { "begin": 0, "end": 136, "score": 0.021102477 }, { "begin": 136, "end": 216, "score": 0.08850401 }, { "begin": 216, "end": 509, "score": 0.011037151 }, { "begin": 509, "end": 674, "score": 0.020408317 }, { "begin": 674, "end": 826, "score": 0.021657806 }, { "begin": 826, "end": 976, "score": 0.0006160674 }, { "begin": 976, "end": 1099, "score": 0.015549194 }, { "begin": 1099, "end": 1225, "score": 0.010898319 } ]
Illinois Attorney General Lisa Madigan announced Monday an investigation into possible wage and labor law violations by Chinese buffet-style restaurants. Five restaurants mostly in northeastern Illinois have been subpoenaed by Madigan’s office and the Illinois Department of Labor. Madigan’s office declined to say whether the restaurants were part of the same chain. Madigan said the probe was prompted by complaints from dozens of workers who claimed they were forced to work 11- to 13-hour shifts without breaks six days a week. “There are a whole host of potentially illegal actions that are taking place here,” Madigan said. Some workers, she said, claimed they were paid less than the minimum wage and were forced to sleep in garages or restaurants floors.Workers also claimed they were threatened with violence, she said. “We are very, very concerned about this situation,” Madigan said. Madigan urged workers with similar experiences to contact her office’s civil rights bureau at (877) 581-3692.
{ "pile_set_name": "Pile-CC" }
0.117297
[ { "begin": 0, "end": 154, "score": 0.053335425 }, { "begin": 154, "end": 283, "score": 0.029640866 }, { "begin": 283, "end": 369, "score": 0.019852988 }, { "begin": 369, "end": 534, "score": 0.03427619 }, { "begin": 534, "end": 633, "score": 0.08501353 }, { "begin": 633, "end": 833, "score": 0.09172598 }, { "begin": 833, "end": 900, "score": 0.022945397 }, { "begin": 900, "end": 1010, "score": 0.02792408 } ]
Long-lasting protection induced by bath vaccination against Aeromonas salmonicida subsp. salmonicida in rainbow trout. For decades Aeromonas salmonicida subsp. salmonicida (from here referred to as A. salmonicida) has been recognized as the causative agent of typical furunculosis. This disease has had a major impact on aquaculture worldwide, making it a target for international research, particularly within the field of immunoprohylaxis. Initial studies attempted vaccination via oral route and immersion. However, these vaccination methods proved insufficient when compared to intraperitoneally (i.p.) injected vaccines. The focus of vaccine research regarding A. salmonicida shifted towards the i.p.-injected vaccines during the 1980's and -90's, resulting in oil-adjuvanted vaccines providing high levels of protection over longer periods of time. The majority of this research has been conducted using salmon, while rainbow trout, which is also a commercially important species, has played a much less central role. In this study, we have examined the effect of a bath vaccination using an experimental A. salmonicida bacterin. Rainbow trout were vaccinated by a 5 min bath in a formalin-inactivated bacterin. Half of these fish was booster vaccinated using 50% of the initial vaccine dose 10 weeks post primary immunization. Along with an un-vaccinated control group, the fish were challenged by waterborne infection 24 weeks post primary immunization. Both vaccinated groups showed a significantly increased survival (>93% survival) compared to a 70% survival in the un-vaccinated control group (P = 0.005 and P = 0.019 for single and dual immunizations, respectively). When comparing the survival of the single and dual immunization groups, there was no significant difference (P = 0.531). ELISA showed no significant induction of specific circulating antibodies in either vaccinated group. These results are interesting with regard to the protective mechanisms, seen in the light of previous results obtained using bath as well as i.p. vaccination against furunculosis in salmonid fishes.
{ "pile_set_name": "PubMed Abstracts" }
0.026722
[ { "begin": 0, "end": 119, "score": 0.02124131 }, { "begin": 119, "end": 282, "score": 0.027065687 }, { "begin": 282, "end": 442, "score": 0.017631676 }, { "begin": 442, "end": 510, "score": 0.010759487 }, { "begin": 510, "end": 626, "score": 0.015757442 }, { "begin": 626, "end": 855, "score": 0.014369122 }, { "begin": 855, "end": 1024, "score": 0.019714156 }, { "begin": 1024, "end": 1136, "score": 0.024147147 }, { "begin": 1136, "end": 1218, "score": 0.031185975 }, { "begin": 1218, "end": 2100, "score": 0.044405237 } ]
Two volcanos have erupted in Ecuador (pictured) and Guatemala, forcing thousands of people in the surrounding areas to flee their homes. In Ecuador, ash and molten rocks from the Tungurahua volcano have forced the closure of a main airport and local schools in the area, 95 miles (150km) south-east of the capital, Quito. Strong winds have blown the huge plumes of ash over Guayaquil, choking the country's most populous city. In Guatemala, between 1,700 and 1,900 people have had to leave their homes and take refuge in temporary shelters. Guatemalan President Alvaro Colom said at least 100 homes had been destroyed and 800 damaged by the eruptions from Pacaya, one of Central America's most active volcanos. Guatemala City was covered in a blanket of ash and dust as people fled the danger zone 50km (31 miles) south of the capital.
{ "pile_set_name": "OpenWebText2" }
0.085014
[ { "begin": 0, "end": 137, "score": 0.052935857 }, { "begin": 137, "end": 323, "score": 0.018881164 }, { "begin": 323, "end": 429, "score": 0.12309273 }, { "begin": 429, "end": 544, "score": 0.023288755 }, { "begin": 544, "end": 715, "score": 0.0789077 }, { "begin": 715, "end": 840, "score": 0.06971766 } ]
Q: If I have only the private key from a multibit private key export, how can I use the bitcoin later elsewhere? In multibit, you can export the private keys from a wallet into a basic text document (*.key). It will look something like this: # KEEP YOUR PRIVATE KEYS SAFE ! # Anyone who can read this file can spend your bitcoin. # # Format: # <Base58 encoded private key>[<whitespace>[<key createdAt>]] # # The Base58 encoded private keys are the same format as # produced by the Satoshi client/ sipa dumpprivkey utility. # # Key createdAt is in UTC format as specified by ISO 8601 # e.g: 2011-12-31T16:42:00Z . The century, 'T' and 'Z' are mandatory # KyBn........................................... 2014-06-06T04:26:48Z # End of private keys [The series of dots is the key, but I censored out the majority of it.] I have read this post on a similar question, but I am confused about one particular thing: If I have some transactions after the export, more or new private keys will be created, which will mean that I can no longer depend on this set of private keys to regain access to the funds. Is this correct? My main question is, how exactly can I recover the funds for a particular address with only this private key (or set of private keys) (not specifically in multibit, but generally)? Do all clients and online wallets have an import private key option? What is done behind the scenes with this private key to find the public key and the address? A: If I have some transactions after the export, more or new private keys will be created, which will mean that I can no longer depend on this set of private keys to regain access to the funds. Is this correct? If you create a new address, you create a new private key, and (with MultiBit's model) you need to backup your private keys again, because there's a new private key added to the list. If you reuse the same address in new transactions (which is possible, but usually not recommended for privacy reasons), you don't need to rebackup your keys. My main question is, how exactly can I recover the funds for a particular address with only this private key (or set of private keys) (not specifically in multibit, but generally)? Do all clients and online wallets have an import private key option? Most, if not all, clients/wallets have an ability to import private keys. However, there are a few different formats out there, so if the question is, "can Wallet X read this private key directly?", the answer's not as clear. But I think it is safe to say that you'll always be able to find something to read your MultiBit backup and send the money to a new address. What is done behind the scenes with this private key to find the public key and the address? The private key (which is a 256-bit number) is multiplied by the base point, which is a point on Bitcoin's elliptic curve. This is done with some fairly complicated mathematical calculations. The result is the public key, which is another point on the elliptic curve. To calculate the address from the public key, you follow an algorithm with various hashings and a checksum. This is detailed at the Bitcoin wiki, which can be represented by this pseudocode: 160_hash = RIPEMD-160(SHA256(public key)) double_hash = SHA-256(SHA-256(0x00 + 160_hash)) address = base58(160_hash + double_hash[0:4]) To sum up, private key -> public key, and public key -> address are easy, while the reverse of each of this is (believed to be) practically impossible. The most important part to take away from all this, is that one private key corresponds to one address. If you generate a new address, you have a new private key, and need to make sure it's backed up!
{ "pile_set_name": "StackExchange" }
0.010968
[ { "begin": 0, "end": 114, "score": 0.014160873 }, { "begin": 114, "end": 210, "score": 0.017909339 }, { "begin": 210, "end": 244, "score": 0.027237365 }, { "begin": 244, "end": 276, "score": 0.04268845 }, { "begin": 276, "end": 332, "score": 0.05613239 }, { "begin": 332, "end": 344, "score": 0.016521018 }, { "begin": 344, "end": 408, "score": 0.005935072 }, { "begin": 408, "end": 469, "score": 0.008052262 }, { "begin": 469, "end": 531, "score": 0.060527626 }, { "begin": 531, "end": 3695, "score": 0.021380141 } ]
Check out our new site Makeup Addiction add your own caption add your own caption add your own caption add your own caption add your own caption add your own caption add your own caption add your own caption add your own caption add your own caption add your own caption Delete ex's contact info from phone Remembers every number perfectly
{ "pile_set_name": "OpenWebText2" }
0.117941
[ { "begin": 0, "end": 40, "score": 0.0669207 }, { "begin": 40, "end": 62, "score": 0.027065687 }, { "begin": 62, "end": 84, "score": 0.027065687 }, { "begin": 84, "end": 106, "score": 0.027065687 }, { "begin": 106, "end": 128, "score": 0.027065687 }, { "begin": 128, "end": 150, "score": 0.027065687 }, { "begin": 150, "end": 172, "score": 0.027065687 }, { "begin": 172, "end": 194, "score": 0.027065687 }, { "begin": 194, "end": 216, "score": 0.027065687 }, { "begin": 216, "end": 351, "score": 0.089041 } ]
Sodium and water homeostasis. Disorders of sodium and water homeostasis are common occurrences in pediatric practice. They reflect distinct problems in the regulation of total body sodium balance and water distribution, respectively. Each of these groups of disorders has separate afferent and efferent mechanisms that are activated during disease states. Optimal therapy of children with fluid and electrolyte problems requires accurate delineation of the ECF volume and water distribution disturbance and the design of therapeutic regimens that account for each component of the clinical condition.
{ "pile_set_name": "PubMed Abstracts" }
0.01902
[ { "begin": 0, "end": 30, "score": 0.011106567 }, { "begin": 30, "end": 118, "score": 0.015826859 }, { "begin": 118, "end": 234, "score": 0.014022041 }, { "begin": 234, "end": 356, "score": 0.02397547 }, { "begin": 356, "end": 600, "score": 0.008885254 } ]
1. Field of the Invention The present invention relates to an image forming apparatus, such as a copier and a printer, a method for controlling the image forming apparatus, and a program and, in particular, to technology for setting a transport speed of a recording medium to a peripheral unit, such as a paper feeder unit. 2. Description of the Related Art Known is an image forming apparatus that includes a plurality of paper feeder units for selectively feeding recording media (recording paper) of different types having different sizes and materials. Also, some image forming apparatuses optionally provide the paper feeder units of this type in order to reduce user costs. Such an optional paper feeder unit has been developed for each type of image forming apparatus due to differences between transport speeds and between transfer sequences of recording paper in the main bodies of the image forming apparatuses. However, in recent years, a variety of methods for setting a transport speed has been discussed to commonly use the optional paper feeder unit in a variety of image forming apparatuses having different transport speeds as follows. For example, Japanese Patent Laid-Open No. 05-000538 discloses technology in which an image forming apparatus instructs a transport speed to an optional paper feeder unit each time recoding paper is fed and technology in which a transport speed is switched by a dip switch mounted on the optional paper feeder unit. Additionally, Japanese Patent Laid-Open No. 08-328445 discloses technology in which data concerning overall system control including a moving speed of a photoconductor, positional information about paper sensors and a registration roller in a paper transfer path, a paper feed speed, and a paper transport speed are transmitted to an optional paper feeder unit in advance. Furthermore, Japanese Unexamined Utility Model Registration Application Publication No. 05-068977 discloses technology in which, when optional paper feeder units in different tiers have different transport speeds, the transport speeds are determined in advance. However, in the technology in which a transport speed is instructed each time recoding paper is fed, the time for instructing the transport speed is required, and therefore, the transfer control cannot be speeded up. In the technology in which a transport speed is switched by a dip switch, complex software for supporting the transport speeds and transfer sequences for a plurality of models is required in the main body of the image forming apparatus, and therefore, an amount of memory for the software increases and the cost increases. In the technology in which data concerning overall system control is transmitted to an optional paper feeder unit in advance, complex software for analyzing the data while considering all data for the control is required in the optional paper feeder unit, and therefore, the cost increases. Still furthermore, in the above-described known technologies, it is sometimes difficult for the image forming apparatus itself to change a transport speed and a transfer sequence in accordance with the type of recording paper (e.g., a material and a size) and the performance of forming an image (e.g., a resolution and a color mode).
{ "pile_set_name": "USPTO Backgrounds" }
0.011384
[ { "begin": 0, "end": 26, "score": 0.01263372 }, { "begin": 26, "end": 324, "score": 0.009648831 }, { "begin": 324, "end": 358, "score": 0.009371166 }, { "begin": 358, "end": 557, "score": 0.010898319 }, { "begin": 557, "end": 680, "score": 0.010342991 }, { "begin": 680, "end": 922, "score": 0.013536129 }, { "begin": 922, "end": 1153, "score": 0.007566349 }, { "begin": 1153, "end": 1469, "score": 0.004616167 }, { "begin": 1469, "end": 1842, "score": 0.007392809 }, { "begin": 1842, "end": 3269, "score": 0.008225801 } ]
The object of this study is to assess the reciprocal effects of occupational conditions and psychological functioning (in particular, values, self-conceptions, social orientation, and intellectual flexibility). Structured interviews were conducted in 1964 with a sample of 3101 men, representative of all men employed in civilian occupations throughout the United States. The study was extended into a longitudinal study in 1974, with the re-interviewing of a randomly-selected one-fourth of the original sample, together with their wives and, where appropriate, one of their children. The study has also been replicated in Poland.
{ "pile_set_name": "NIH ExPorter" }
0.023117
[ { "begin": 0, "end": 211, "score": 0.011453647 }, { "begin": 211, "end": 372, "score": 0.013536129 }, { "begin": 372, "end": 586, "score": 0.0090240855 }, { "begin": 586, "end": 631, "score": 0.014507953 } ]
By Jordan A. Porter-Woodruff | [email protected] Family life continuously throws us obstacles that are usually dealt with by available resources, finances and familial support. However, against odds, not all families have s... Roger Ebert was a prince of a guy. He was absolutely delightful and insightful. A brilliant writer and beautiful soul was he. He literally took movie review and made it unto itself an art form. He took it to a new height, a... About N’DIGO NDIGO tells stories untold, mistold and that need to be retold on African Americans. We profile personalities on the front cover that often mainstream media overlooks. Our dialogue is critical sometimes, always informative and proudly presented with an authentic voice.
{ "pile_set_name": "Pile-CC" }
0.050938
[ { "begin": 0, "end": 13, "score": 0.006212736 }, { "begin": 13, "end": 181, "score": 0.024662184 }, { "begin": 181, "end": 231, "score": 0.028267438 }, { "begin": 231, "end": 267, "score": 0.08330294 }, { "begin": 267, "end": 312, "score": 0.034791227 }, { "begin": 312, "end": 358, "score": 0.015132698 }, { "begin": 358, "end": 426, "score": 0.022213135 }, { "begin": 426, "end": 459, "score": 0.027752401 }, { "begin": 459, "end": 473, "score": 0.032731086 }, { "begin": 473, "end": 743, "score": 0.0729142 } ]