fasttext_score
float32
0.02
1
id
stringlengths
47
47
language
stringclasses
1 value
language_score
float32
0.65
1
text
stringlengths
49
665k
url
stringlengths
13
2.09k
nemo_id
stringlengths
18
18
is_filter_target
bool
1 class
word_filter
bool
2 classes
word_filter_metadata
dict
bert_filter
bool
2 classes
bert_filter_metadata
dict
combined_filter
bool
2 classes
0.033512
<urn:uuid:3a88fda2-734a-41ab-80ab-5e6f606fbbb1>
en
0.982245
James White, Montee Ball power Wisconsin past Minnesota The Gophers took the opening kickoff, so Nelson didn't have any time on the sideline to get any more nervous than he surely already was. Zach Mottla's third-down shotgun snap sailed to Nelson's left, and he had to hustle to cover the ball so the Gophers could punt from their 16. After dominating Purdue with 645 total yards in last week's 38-14 win, the Badgers didn't move the ball with the same proficiency, particularly early. This is an improved Gophers defense but still a group that let Iowa's Mark Weisman rush for 177 yards and a touchdown and Northwestern's Venric Mark gain 182 yards and two scores on the ground. Stave was especially erratic. He also hung on too long and took two sacks, by D.L. Wilhite and Ra'Shede Hageman for a total loss of 20 yards, to push the Badgers out of field-goal range and forced their third of four first-half punts. But the Gophers, relying frequently on draws and zone read runs up the middle by Nelson, didn't do much to help their defense out. It was only a matter of time that the Badgers were able to wear down the Gophers with what they've done so well for so many years -- ramming the ball straight ahead and reaping the rewards. Coach Jerry Kill decided to burn Nelson's redshirt, giving the kid who grew up near Madison with parents who met in school at Wisconsin a chance to make his debut in a difficult environment. Nelson, who moved to Minnesota before high school and was a highly sought recruit out of Mankato, finished 13 for 24 for 149 yards. He ran 16 times for 68 yards. But he didn't have much to work with. Starting left tackle Ed Olson didn't make the trip because of an injury. Gray played wide receiver because several of Minnesota's top passing targets were hurt.
http://scores.espn.go.com/ncf/recap?gameId=322940275
dclm-gs1-258920001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.796999
<urn:uuid:a12960a2-ad40-4db1-9034-47a3f63e176a>
en
0.945485
Forgot your password? Comment: Re:ummm (Score 1) 483 by dduberfourpres (#33319676) Attached to: Building a Traffic Radar System To Catch Reckless Drivers? I think there is no way that you're going to be able to spread this system. If the system is even mildly expensive then people will realize what's going on fast enough (no pun intended) that after a few days nobody'll be speeding on that road and you won't get enough money for the next set up. While they will go the designated speed on that road/stretch/whatever, they'll make up the time by going faster on the others.
http://slashdot.org/~dduberfourpres
dclm-gs1-258940001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.198427
<urn:uuid:a14b2f00-cda0-4293-82ed-7207dc7c9979>
en
0.796873
Take the 2-minute tour × I am using the infinite scroll plugin (infinite-scroll) with jQuery isotope and was wondering if it's possible to modify the path with custom query parameters as user scrolls down the page to view more items. Is there a way to access the path and modify one of the query parameter. It's hitting the path ok for the first time returning the first set of items and after that it hitting the next pages , 1,2 3 ok but using the same query parameters I used for the first time only updating the page number. I would like to modify one of the parameter when hitting page 3 or 4 with something like this: var customPath = path + "?type=items&category=clothes&pageNumber="; Am I approaching this the wrong way? Here is my code: navSelector: '#page_nav', // selector for the paged navigation nextSelector: '#page_nav a', // selector for the NEXT link (to page 2) itemSelector: '.element', // selector for all items you'll retrieve loading: { finishedMsg: 'No more categories to load.', msgText: "<em>Loading the next set of categories...</em>", img: 'http://i.imgur.com/qkKy8.gif' pathParse: function (path, nextPage) { var customPath = path + "?type=items&category=all&pageNumber="; path = [customPath, '#contaner']; return path; // call Isotope as a callback function (newElements) { share|improve this question your customPath is illegal js syntax. you can't have "shoes" inside double-quotes like that. just remove the double-quotes and it should be fine. ('&category=shoes&') i don't think you've given enough information for me to understand. are you saying you want to change the category from "clothes" to "shoes" when the user reaches page 3? Does that mean you want to stay on page 3 of clothing as opposed to page 3 of shoes? what is it exactly that you're trying to do? –  Ringo Sep 17 '12 at 6:37 Sorry that was a mistake form my side I removed the quotes.Initially when user sees the page there are a 30 items on the page from different categories. Now there is a button on the page and when the user clicks it the items are filtered and only those of category clothes are shown. Now when the user scrolls down I need to get the next 30 items but i need to modify the path query so I will only get items of category clothes as opposed to getting all the items. –  Vasile Laur Sep 17 '12 at 13:47 i don't know enough about infinite-scroll to answer, but here's a question with an answer that might help. stackoverflow.com/questions/11397648/… –  Ringo Sep 17 '12 at 19:14 Thanks, I was able to hack the plugin a little to make it do what I wanted. –  Vasile Laur Sep 17 '12 at 22:12 1 Answer 1 up vote 6 down vote accepted Ok so I had to do a little hack but I got it working for my needs thanks to Rich for pointing me to the related question. I added some additional properties to the jquery.infinitescroll.js prototype here: //line 67 $.infinitescroll.prototype = { //My custom parameters pageType: "&type=items", categoryParam: "&category=shoes", Private methods Then inside the function called: retrieve: function infscr_retrieve(pageNum) {} there is a variable: desturl = path.join(opts.state.currPage) Changed it to desturl = path.join(opts.state.currPage + $.infinitescroll.prototype.pageType + $.infinitescroll.prototype.categoryParam); This will add your additional query parameters at the end of the desturl. Then from you page where you have you JavaScript you can do something like this: $.infinitescroll.prototype.pageType = "&type=products" ; $.infinitescroll.prototype.pageType = "&category=clothes"; return false; This will update the query parameters of the next page with you custom queries. Hope this will help someone. share|improve this answer You should accept your answer :) –  minitech Aug 24 '13 at 20:16 I just ran into this and this worked out great. Thanks for the solution! –  user1048676 Nov 20 '13 at 23:36 Your Answer
http://stackoverflow.com/questions/12453694/infinite-scroll-plugin-modify-the-path-with-custom-query
dclm-gs1-258970001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.069768
<urn:uuid:399a2d03-5f99-4dc2-b874-38f6d43e5362>
en
0.85162
Take the 2-minute tour × I'm in the process of automate one of my apps. First I tap on a tabBar =>ok Tap on a 'Add' button of a navigation bar => ok Fill some data of my textFields of my tableView => ok Tap on some cell and open a new ViewController => ok Tap on a 'Add' button in this new controller => nothing happens ... The button is the same as the first view: UIBarButtonSystemItemAdd So, now I want to show all the buttons that automation can find, and iterate and get their names, just to check that all is going well, but I can't find the name of the buttons, see: var arr = UIATarget.localTarget().frontMostApp().navigationBar().buttons(); var value = arr[i]; And I'm tapping both buttons the same way: UIATarget.localTarget().frontMostApp() .navigationBar().buttons()["Add"].tap(); Ok, the button tap has been solved using a delay of 1 But I can't get the button names in the loop, but at least I can continue auomating my app share|improve this question 1 Answer 1 up vote 0 down vote accepted To see what elements your screen has at a certain moment, put in your script. It will show all elements with their accessibility properties (name and value) in your app's current state. If your buttons has not names, you have to set accessibility properties in your XCode project for these buttons, see there. share|improve this answer thanks for your time to answer an old post :-) –  mongeta May 7 '11 at 15:05 spent a week with instruments, got some insight and found many unanswered questions on SO :) –  jki May 7 '11 at 16:29 Your Answer
http://stackoverflow.com/questions/3975367/instruments-automation-iterate-for-all-buttons
dclm-gs1-259010001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.058033
<urn:uuid:87cb210c-e385-45e2-8604-a630d97af08c>
en
0.834953
Take the 2-minute tour × I'm looking for a regular expression which whill validate the number starting from 0 up - and might include decimals. Any idea? share|improve this question A bit of a vague question, IMO. A decimal number is, strictly speaking, a number expressed in the decimal number system, while I guess you actually meant a decimal fraction (with a . or ,). Could you clarify and give a couple of examples of valid and invalid strings? –  Bart Kiers Jan 31 '11 at 13:30 6 Answers 6 up vote 2 down vote accepted A simple regex to validate a number: This should work for a number with optional leading zeros, with an optional single dot and more digits. • ^...$ - match from start to end of the string (will not validate ab12.4c) • \d+ - At least one digit. • (...)? - optional group of... • \.\d+ - literal dot and one or more digits. share|improve this answer Hi Kobi - this works like a charm - many thanks! –  user398341 Jan 31 '11 at 13:29 That doesn’t work on the decimal numbers accepted by compilers like C, Perl, or Java. You need to make it accept all of these: 42, 42., 4.2, and .42. –  tchrist Jan 31 '11 at 14:58 @tchrist - Hmm. I appreciate the enthusiasm, but isn't that a matter of decision? On every case you can decide if you need all of these literals - if they are valid for the OP in this case or not. I don't need to support C and Perl, do I? .42 is nice to have and missing from my regex (\d*\.?\d+ can solve it though, or something more efficient). By the way, in C# 42. isn't valid - you can have a look at the grammar under C.1.8 Literals > real-literal. Also, 42. is weird :) –  Kobi Jan 31 '11 at 19:49 It’s not just C and Perl. It’s also awk, go, C++, Python, Java, and probably a great many other programming languages. It’s follows from the philosophy of being liberal in what you accept. As for 42., that has been the standard way since time immemorial — or FORTRAN, whichever comes first — of distinguishing a float from an int. As far the rest, well, I’m like a good housekeeper in that I don’t do [ᴍ$ꜰᴛ] ᴡɪɴᴅᴏᴡ﹩: never had it, never will. It’s dead to me. –  tchrist Jan 31 '11 at 21:21 Because decimal numbers may or may not have a decimal point in them, and may or may not have digits before that decimal point if they have some afterwards, and may or may not have digits following that decimal point if they have some before it, you must use this: which is usually better written: and much better written: ^ # anchor to start of string (?: # EITHER \d+ (?: \. \d* )? # some digits, then optionally a decimal point following by optional digits | # OR ELSE \d* \. \d+ # optional digits followed then a decimal point and more digits ) # END ALTERNATIVES $ # anchor to end of string If your regex compiler doesn’t support \d, or also depending on how Unicode-aware your regex engine is if you should prefer to match only ASCII digits instead of anything with the Unicode Decimal_Number property (shortcut Nd) — that is, anything with the Numeric_Type=Decimal property — then you might wish to swap in [0-9] for all instances above where I’ve used \d. share|improve this answer I always use RegExr to build my regular expressions. It is sort of drag-and-drop and has a live-preview of your regex and the result. It'll look something like ^0[,.0-9]* share|improve this answer This one really doesn't do - as it validates the following : '0.5a', which contains the letter –  user398341 Jan 31 '11 at 13:26 Well, yeah, that why I said something like, and not "This is the solution:" ;-) –  Zsub Jan 31 '11 at 13:27 That validates 0,42.,...,,.12.411...,,.42,,1,,,1,,42McGillicuddy, which surely is no help at all. –  tchrist Jan 31 '11 at 15:31 Note that with this expression 0.1 will be valid but .1 won't. share|improve this answer This should do what you want: It will match any number starting with 0 and then any number, maybe a , or . and any number share|improve this answer This would allow etc –  El Ronnoco Jan 31 '11 at 13:25 That matches 0........,,,,,,,,......... too, to name just one invalid number. –  Bart Kiers Jan 31 '11 at 13:25 This one doesn't seem to like 0 –  user398341 Jan 31 '11 at 13:26 I updated the regex. –  morja Jan 31 '11 at 13:26 So 01000 would be valid but 1000 wouldn't... –  El Ronnoco Jan 31 '11 at 13:31 will match if the test string is a positive decimal number share|improve this answer It matches more than that: ................. for example. –  Bart Kiers Jan 31 '11 at 13:26 Your Answer
http://stackoverflow.com/questions/4851298/regular-expression-to-find-the-number-0-or-decimal
dclm-gs1-259030001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.866718
<urn:uuid:8677b954-c395-4562-9d59-b747a9042a1b>
en
0.958215
Take the 2-minute tour × Is it possible for a non-root user to hide themselves from the output of who/w, so that they can be logged in without other users seeing it? I think that the file /var/run/utmp might have something to do with this, but it's not writeable by non-root users (permission 644). I'm fairly certain that this can be done by a non-privileged user (because someone told me that they were able to do so), but I don't know how they did it and can't ask them right now. Any ideas? share|improve this question 1 Answer 1 Against the old version (wtmp/utmp) you could do something like $ ssh server xterm and you would have a term up that didn't show up in wtmp. However, newer distributions use wtmpx/utmpx, which doesn't suffer from this problem. share|improve this answer Your Answer
http://superuser.com/questions/331363/how-can-i-hide-a-user-from-the-who-listing
dclm-gs1-259070001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.039162
<urn:uuid:a2a74ace-ea72-4b2b-8aa0-6b454e98aedf>
en
0.942737
Carlson Relationship Builder Study Reveals How to Connect wtih Wireless Customers MINNEAPOLIS | June 22, 2009 Carlson Marketing, the largest independent marketing services company in the U.S. and a recognized world leader in building loyalty, recently partnered with Peppers & Rogers Group, one of the world's leading authorities in customer-based strategies, to determine if building and strengthening customer relationships with wireless providers could accelerate business success. "We uncovered many interesting facts about the telecommunications industry in our research," said Luc Bondar, global vice president, Loyalty, Carlson Marketing. "The biggest takeaway is that no wireless company has really excelled in developing strong customer relationships. Coupled with the other insights from the research, it means that companies that get the relationship part figured out will realize more value from their customers." Carlson Marketing has analyzed relationships in several industries and also was able to conclude from the current study that the wireless industry has the lowest levels of relationship strength compared with the airline, automotive, financial services, and retail sectors. Purpose of Study The study set out to answer three questions: 1) Do customers have relationships with their wireless provider 2) What impact does the strength of those relationships have upon business outcomes such as the likelihood to recommend the wireless provider and to remain a customer 3) How can stronger relationships be developed The answers to those questions are detailed in the Carlson Relationship Builder research report, "Connecting with Wireless Customers: The Relationship Opportunity." The report, as well as similar studies done for other industries, is available for free downloading at The report clearly shows a correlation between relationship strength and customer behavior. As the relationship grows stronger, customers also have a stronger tendency to remain a customer, encourage family and friends to enroll with the wireless provider, and to actually purchase more products and services. Among the extensive information provided in the study, Carlson Marketing discusses five insights and five actions marketing professionals in wireless companies should know. INSIGHTS - Wireless providers can ... 1. strengthen customer relationships. 2. become differentiated. 3. improve business results. 4. not just buy strong relationships. 5. not forget the importance of customer service. ACTIONS - Wireless providers must ... 1. deliver product quality. 2. say "thank you," ask for feedback, and apologize when a mishap occurs. 3. make communications customized and relevant. 4. continue to innovate. 5. understand the structure of customer relationships. With "relationships" as the focus of the study, it's worthwhile to understand what "relationship strength" entails. Carlson Marketing defines relationship strength as the ability of the ongoing exchange between a company and a customer to grow and endure, and to resist any damaging forces that might destroy it. Strong relationships are characterized by: • Trust : a belief that the company has the best interest of the customer at heart, and can be depended upon for respect, openness, tolerance and honesty • Alignment : a two-way affiliation resulting in a rewarding experience which meets the mutual expectations of the company and the customer • Commitment : an enduring emotional attachment to the relationship "The research shows that there is great opportunity for wireless providers to set themselves apart from the past," said Bondar. "Now it's just a question of which wireless provider will lead - and which providers will lag." Visit to download the research report. Available Topic Expert(s): For information on the listed expert(s), click following link for Luc Bondar About Carlson Marketing Worldwide Back to News Releases
http://www.carlson.com/news-and-media/news-releases.do?article=4407021
dclm-gs1-259300001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.847141
<urn:uuid:15e1862a-c738-4ecd-9927-e78049233dac>
en
0.957216
Consumers benefit again Comments     Threshold Is the Consumer Really Winning? By AntiTomZandmasher2 on 8/15/2006 11:37:50 PM , Rating: 2 Sure, hard drive prices will drop, but will they go to ~$20 or so? Prices have been fairly constant; capacity and speed have gone up. Why can't I get a recently manufactured (not resold) 100 GB drive for super cheap? Planned obsolescence and corporate profit margins make me sad. In the end, I'll end up paying around the same if I want to get a new machine. By mindless1 on 8/16/2006 2:38:21 AM , Rating: 2 You can't get one for super cheap because: 1) You're paying for research, manufacturing, maintenance, shipping, advertising, warranty coverage, etc. The least of the costs is actually a 2nd/3rd platter, another arm and pair of read heads. Single platter drives are by far the best value except when there are other goals like system data density. 2) There's still profit margin, stores have to be mindful of handling and dedicate the space. 3) Price per GB can't drop too much because capacity goes up due to platter density increases. The cost of a single-side one platter drive hasn't fluctuated so much, you're only considering capacity without the platter context and you can't buy a drive with only 1/3rd a platter or 67% of one head in it. There's still the PCB, housing, bearings and motor and all aforementioned overheads still. Related Articles
http://www.dailytech.com/article.aspx?newsid=3731&commentid=55832&threshhold=1&red=2215
dclm-gs1-259340001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.0781
<urn:uuid:1ed96d3c-8a1b-4af7-aedd-90b4a564961b>
en
0.94191
India’s UID scheme Reform by numbers Opposition to the world’s biggest biometric identity scheme is growing See article Readers' comments Inreverse in reply to ysksky Nobody likes to live in these remote places. They don't have any other options. They can't all go to cities where there are no jobs, and no basic amenities for poor. Visit any major city in India and you'll see poor kids and women under the numerous flyovers. And cash transfers being ineffective for remote places seems to be a bad argument. How difficult would it be for the government itself to provide supplies to these areas when it is freed up of this responsibility for most of the country? Products and events Take our weekly news quiz to stay on top of the headlines
http://www.economist.com/node/21542814/comments?page=2
dclm-gs1-259390001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.074962
<urn:uuid:f78cf150-d5a3-4ac0-af1c-710c03927a6b>
en
0.932781
Unknownchef86's French Countryside Bread (Abm) Total Time 4hrs 5mins Prep 5 mins Cook 4 hrs This makes a first-rate country French bread in your ABM. My family loves it so much I can't make it fast enough! Makes a 2 lb. loaf. This is also an excellent dough to make by hand. Simply let it raise a couple of times, punch it down in between and bake it off in a 400 degree oven for approximately 30-40 minutes (I don't remember exactly how long). Bread should sound hollow (when tapped) when done. Ingredients Nutrition 1. Measure all ingredients into pan in order given. 2. Use French setting and medium or dark crust (depending on your preference and your machine). Most Helpful 5 5 This is excellent. I could not believe cold water but followed exactly and WHOA nelly, thid makes a huge loaf of bread plus. I made a 1 lb loaf of bread plus 8 rolls for dinner sandwich size. The taste is light but fragrant. I followed the AP flour with wheat gluten directions. Thank you so much for those. Will be made often!!! ZWT Kitchen Witches 5 5 Thanks for this recipe! So easy. I used the AP flour plus gluten version, but added a little more gluten at a ratio of 1 T per cup. I'm surprised how long it's lasting without going stale, too, given the lack of fat. Love how light it is. Sorry, this did not work out well for me.
http://www.food.com/recipe/unknownchef86s-french-countryside-bread-abm-337009?st=null&scaleto=1.0&mode=metric
dclm-gs1-259450001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.03528
<urn:uuid:2a72c7db-6dd9-4645-9f98-9b8c280ce331>
en
0.990297
Not No One It takes one to not know one. Sen. Scott Brown's (R-Mass.) election has been shown to be "a joke," the son of the late Sen. Edward Kennedy (D-Mass.) said Thursday. Coming from a guy who has cornered the market on being a joke, this is an intriguing accusation! How shaken are Dems over Scott that they're reduced to this sort of pettiness? He's a bad person for wanting to assume the office to which he was elected? "Brown's whole candidacy was shown to be a joke today when he was sworn in early in order to cast his first vote as an objection to Obama's appointment to the NLRB," Kennedy said Thursday. Kennedy was referencing some Democrats' thoughts that Brown tried to bump up his swearing-in in order to give Republicans 41 votes, enough to filibuster the nomination of Craig Becker, a controversial nominee to join the National Labor Relations Board (NLRB). Democrats twice changed Massachusetts election laws - the holy grail of democratic government - to maliciously gain control over the senate succession process. Senator Paul Kirk, a Kennedy crony, was put into the seat by the Obama/Kennedy machine following Teddy's death in order that Obama would have that precious 60th vote to force through health care. Everyone who believes in representative government should have been eager to get Scott sworn in as quickly as possible in order to get the fraud Kirk removed. Kirk's job was to be in the tank for health care. His appointment was made possible by Democrats in Massachusetts who were in the tank for socialized medicine. Patrick, who has spent most of his adult life tanked, is in congress because of his family name. His father got to the U.S. Senate through the manipulations of President Kennedy. President Kennedy got to the White House because his father bought him the office. A poll released Thursday night by WPRI-TV (Channel 12) showed 62 percent of voters statewide gave the eight-term congressman an unfavorable job rating. Just 35 percent of respondents in Kennedy’s district said they would vote to reelect him. Meanwhile, 31 percent said they would consider a different candidate and 28 percent said they would vote to replace him if the election were held today. The poll was conducted between Jan. 27 and Jan. 31 and had a margin of error of at least 3.8 percentage points. It takes a joke like Patrick to know a joke when he doesn't see one.
http://www.wrko.com/blog/todd/not-no-one
dclm-gs1-260040001
false
false
{ "keywords": "candida" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.029328
<urn:uuid:b9435c68-29ba-4e13-a8fd-aa6134ffc23b>
en
0.927466
Intel(r) XDK Why Intel® XDK NEW? On September, 10, 2013, we released the Intel® XDK NEW, our initial release of a new version of the Intel® XDK.  I want to let you know why we did this.  As you probably know, Intel acquired the appMobi* HTML5 development tools last February, which included the then appMobi* XDK and Dev Center (the build service.)  We re-launched it as the Intel® XDK shortly thereafter. Subscribe to Intel(r) XDK
https://software.intel.com/en-us/tags/43573
dclm-gs1-260140001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.211487
<urn:uuid:79e6f90c-7c96-427e-896d-f720a8adb5d6>
en
0.948474
So I'm wrong But so are you After all, just because I'm wrong Doesn't mean what you say is true So don't annoy me By sticking it in my face You're supposed to be In my exact place You laugh and you jeer Just because of one wrong thing I say I really ought to Kill you one day At least I'm not so stubborn And I've come to confess Unlike other people Who hide in other peoples' mess You are just so proud Too proud to show how you truly feel You use my mistake As a protective shield To shield yourself From sorrow and shame That is just Pathetic and lame So stand up to your senses Like any sane human Just say you're wrong and move on While you still can. A/N: It seems incomplete. but I didn't know what to add to this. Thanks for reading, please review. pretty please?=0)
https://www.fictionpress.com/s/1334456/1/Denial
dclm-gs1-260210001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.037064
<urn:uuid:7094ce3f-a0d3-4d34-a853-58aa6f0d5c3c>
en
0.891179
Announcing VclFiddle for Varnish Cache As part of my new job with Squixa I have been working with Varnish Cache everyday. Varnish, together with its very capable Varnish Configuration Language (VCL), is a great piece of software for getting the best experience for websites that weren’t necessarily built with cache-ability or high-volume traffic in mind. At the same time though, getting the VCL just right to achieve the desired caching outcome for particular resources can be an exercise in reliably reproducing the expected requests and careful analysis of the varnish logs. It isn’t always possible to find an environment where this can be done with minimal distraction and impact on others. At a company retreat in October my colleagues and I were discussing this scenario and one of us pointed out how JSFiddle provides a great experience for dealing with similar concerns albeit in the space of client-side JavaScript. I subsequently came to the conclusion that it should be possible build a similar tool for Varnish, so I did and you can use it now at and it is open-sourced on GitHub too. VclFiddle enables you to specify a set of Varnish Configuration Language statements (including defining the backend origin server), and a set of HTTP requests and have them executed in a new, isolated Varnish Cache instance. In return you get the raw varnishlog output (including tracing) and all the response headers for each request, including a quick summary of which requests resulted in a cache hit or miss. Each time a Fiddle is executed, a new Fiddle-specific URL is produced and displayed in the browser address bar and this URL can then be shared with anyone. So, much like JSFiddle, you can use VclFiddle to reproduce a difficult problem you might be having with Varnish and then post the Fiddle URL to your colleagues, or to Twitter, or to an online forum to seek assistance. Or you could share a Fiddle URL to demonstrate some cool behaviour you’ve achieved with Varnish. VclFiddle is built with Sails.js (a Node.js MVC framework) and Docker. It is the power of Docker that makes it fast for the tool to spawn as many instances and versions of Varnish as needed for each Fiddle to execute and easy for people to add support for different Varnish versions. For example, it takes an average of 709 milliseconds to execute a Fiddle and it took my colleague Glenn less than an hour to add a new Docker image to provide Varnish 2.1 support. The README in the VclFiddle repository has much more detail on how it works and how to use it. There is also a video demo, and a few example walk-throughs on the left-hand pane of the VclFiddle site. I hope that, if you’re a Varnish user you’ll find VclFiddle useful and it will become a regular tool in your belt. If you’re not familiar with Varnish Cache, perhaps VclFiddle will provide a good introduction to its capabilities so you can adopt it to optimize your web application. In any case, your feedback is welcome by contacting me, the @vclfiddle Twitter account, or via GitHub issues. Command line parsing in Windows and Linux I have been working almost completely on the Linux platform for the last six months as part of my new job. While so much is new and different from the Windows view of the world, there is also a significant amount that is the same, not surprisingly given the hardware underneath is common to both. Just recently, while working on a new open source project, I discovered a particular nuance in a behavioural difference at the core of the two platforms. This difference is in how a new process is started. When one process wants to launch another process, no matter which language you’re developing with, ultimately this task is performed by an operating system API. On Windows it is CreateProcess in kernel32.dll and on Linux it is execve (and friends), typically combined with fork. The Windows API call expects a single string parameter containing all the command-line arguments to pass to the new process, however the Linux API call expects a parameter with an array of strings containing one command-line argument in each element. The key difference here is in where the responsibility lies for tokenising a string of arguments into the array ultimately consumed in the new process’ entry point, commonly the “argv” array in the “main” function found in some form in almost every language. On Windows it is the new process, or callee, that needs to tokenise the arguments but the standard C library will normally handle that, and for other scenarios the OS provides CommandLineToArgvW in shell32.dll to do the same thing. On Linux though it is the original process, or caller, that needs to tokenise the arguments first. Often in Linux it is the interactive shell (eg bash, ksh, zsh) that has its own semantics for handling quoting of arguments, variable expansion, and other features when tokenising a command-line into individual arguments. However, at least from my research, if you are developing a program on Linux which accepts a command-line from some user input, or is parsing an audit log, there is no OS function to help with tokenisation – you need to write it yourself. Obviously, the Linux model allows greater choice in the kinds of advanced command-line interpretation features a shell can offer whereas Windows provides a fixed but consistent model to rely upon. This trade-off embodies the fundamental mindset differences between the two platforms, at least that is how it seems from my relatively limited experience. PowerShell starts to blur the lines somewhat on the Windows platform as it has its own parsing semantics yet again but this applies mostly to calling Cmdlets which have a very different contract from the single entry point of processes. PowerShell also provides a Parser API for use in your own code. New Job, New Platform Queue a Team Build from another and pass parameters Effectively comparing Team Build Process Templates Using the script is as simple as: .\Remove-IgnoreableXaml.ps1 -Path YourBuildTemplate.xaml .\Remove-IgnoreableXaml.ps1 -Path YourBuildTemplate.xaml -Destination YourCleanBuildTemplate.xaml PowerShell Select-Xml versus Get-Content Override the TFS Team Build OutDir property in TFS 2013
http://blog.stangroome.com/
dclm-gs1-260450001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.101724
<urn:uuid:be5bd569-ac0e-4fa0-bb7b-6274b072f130>
en
0.919067
6 Passenger Limo (Jasmine) Jasmine is a 6-Passenger beauty with a bar. She has many sweet features and benefits to offer.
http://cordiallimousine.com/limousine-services/6-passenger-limo-jasmine/
dclm-gs1-260570001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.050598
<urn:uuid:5c7bf4f3-95b3-4ddb-97e3-45c9607cb9e2>
en
0.94109
The Disney Wiki Mama Odie 30,331pages on this wiki Mama Odie Background information Feature films The Princess and the Frog Short films Television programs A Poem Is... Sofia the First (mentioned) Video games The Princess and the Frog Park attractions Disney Believe Sorcerers of the Magic Kingdom Portrayed by Portrayed by Animators Andreas Deja Andreas Wessel-Therhorn Voice Jenifer Lewis Performance model Inspiration Coleen Salley Fairy Godmother Suga Mama Proud Honors and awards Character information Full name Other names Voodoo Queen of the Bayou Personality Wise, sassy, friendly, humorous, excitable, motherly, smart, quick-thinking, spirited, open-minded Appearance Obese, blind, elderly, barefoot, gold jewelry, white dress and turban Occupation Voodoo priestess Alignment Good Goal To do good in the world with her light magic Home Her tree Pets Juju (snake) Allies Tiana, Naveen, Ray, Louis, Juju, Firefly family Enemies Doctor Facilier, Shadow Demons, Lawrence Likes Gumbo, candy, happiness, using her incredibly powerful good magic to help others Dislikes The close-minded and stubborn, selfishness, greed Powers and abilities Good magic Healing magic Transformational magic and spells Resistance to evil/shadow magic Control over light magic Precognitive abilities Fate Serves as Tiana and Naveen's priestess for their marriage Quote "You dig a little deeper, you'll find everything ya need." "Ya'll just loves ya Mama, don't ya?!" "You listen to your Mama now!" "Ya'll ain't got the sense you was born with!" Not bad for a 197-year-old blind lady! ―Mama Odie Mama Odie is a kindly old and blind voodoo priestess of great magical power, who lives deep in the swamps of Louisiana. She is one of the supporting protagonists in Disney's 2009 animated feature film The Princess and the Frog, where she acts as the film's Fairy Godmother. She is voiced by Jenifer Lewis. An eccentric, sunny, wise woman who has great power and doesn't use it to grant wishes. She challenges Tiana and Naveen to 'dig deeper' in themselves. According to the wise woman, she tells the other visitors she gains the same thing. Mama Odie is a well known woman throughout the bayou. Louis the Alligator refers to her as the "Voodoo Queen of the Bayou". Though incredibly sweet and motherly, Mama Odie appears to be greatly feared by others. Louis himself had a fear of her prior to the events of the film. The dark magic voodoo demons working with the evil Doctor Facilier were also shown to fear her, as her good magic is able to eliminate them rather easily. Mama Odie's closest companion is her snake Juju, who acts as her assistant, constantly helping the woman with various tasks throughout their home. Being blind, Mama Odie can usually find herself in comical peril in her tree house home, only to be saved by Juju. Mama Odie's love for her snake is shown several times, treating him as her own child many times. Mama Odie also appears to be good friends with Ray the Firefly and his family prior to the events of the film, admiring the spunk of Ray's grandmother, especially. Mama Odie is also said to be 197 years old. Whether or not she's immortal, is unknown, but judging by her immense power, it could very well be the case. Powers and abilities She got magic, and spells...! All kind of hoodoo! ―Louis on Mama Odie Overpowering Dr. Facilier, Mama Odie is the most powerful character in the film, and amongst the most powerful characters in the Disney universe. She holds control over mystical elements including magic, voodoo, and nature to some degree (as she can communicate with animals), though she rarely uses it, unless necessary. Her primary source of powers seems to be light magic, which she conjures up from her club-esque wand. Additionally, she also has the ability to summon her wand out of thin air. Also, with said wand, Mama has the power to transform creatures at will, as seen when she transformed Juju into a dog, pig, cow, and goat. As mentioned above, Mama Odie is known for her wisdom. A trait that relates to her apparently physic abilities. Without having met Tiana, nor Naveen, the kindly voodoo priestess knew of their history, likes, dislikes, family relations, desires, and necessities. Other abilities featured include conjuring items from nowhere at will, the live creation of mental visions, and ownership over an all-seeing/all-knowing gumbo pot. The Princess and the Frog Princessandthefrog 0924 Mama Odie and Juju in The Princess and the Frog. After becoming frogs through the magic of the evil Dr. Facilier, Tiana and Prince Naveen team up with a firefly named Ray and an alligator named Louis to find Mama Odie so she could reverse the curse. However, the evil Doctor requires the blood of Naveen as part of his plot to dominate New Orleans, and sends out a hoard of Shadow Demons to capture him. In the middle of the night, Naveen is suddenly kidnapped by said demons. Fortunately, Mama Odie arrives just in time and uses her light magic to eliminate the monsters with ease. With that out of the way, Mama Odie take them to her home. Inside, Tiana attempts to ask Mama for help, but the wacky voodoo priest is far too preoccupied with other things such as cooking and fixing up her gumbo. Not only that, Mama Odie knows that both Tiana and Naveen desire to be human, but need something much more. She tries to explain to them just that through her gospel number Dig a Little Deeper. The song's theme proves to be a failure, having Tiana believe she needs to work extra hard to get her restraint, instead of follow her heart and ease up a bit. Since the song was a failure, Mama Odie decides to give the duo what the want and takes them to her gumbo pot brew where she locates a princess that'll break the curse through a kiss from Naveen. The princess turns out to be Charlotte La Bouff, who is the "Princess" of the Mardi Gras parade, being that her father is the King. Mama explains that Tiana and Naveen only have until midnight to get to Charlotte, which is when Mardi Gras ends. With their task fully realized, the team heads out. Mama Odie doesn't appear again until the film's finale, where she uses the power invested in her to marry Tiana and Naveen at their wedding ceremony in the bayou after the two proclaimed their love. Since Tiana became the wife of Naveen, she became a princess, thus turning the two back into human, living happily ever after. Sofia the First Mama Odie is mentioned by Tiana in the episode "Winter's Gift". According to the princess, Mama Odie was responsible for informing her of Princess Sofia's latest dilemma, prompting her to visit the kingdom of Enchancia to provide assistance by being called on by the mystical amulet of Avalor. Printed material A Hidden Gem Odie AHG An illustration of Mama Odie in A Hidden Gem. When Naveen goes on a hunt for swamp amber, he and Louis visit Mama Odie and Juju in the bayou, asking her if she's able to uncover the whereabouts of the substance through her magic. However, Mama tells the duo her help won't be needed, and to find it themselves. Later on, Mama Odie and Juju take a trip to Tiana's Palace in the evening, where Naveen reveals to have found some filthy and mucky swam amber. Mama takes the stone and uses her magic to transform it into a beautiful, emerald-like necklace, telling the royal couple it's an old bayou trick; turning the worthless and disgusting into something beautiful and awe inspiring; like a frog into a prince. The Stolen Jewel In this story, a magic pearl belonging to Mama Odie is stolen, resulting in her flamingo companion Alphonso to seek the assistance of Tiana to help find and retrieve it. Other books Mama Odie makes a brief appearance in Something Old, Something New, attending Tiana and Naveen's wedding in New Orleans. Video games The Princess and the Frog Mamaodie videogame Mama Odie in The Princess and the Frog video game. Mama Odie makes an appearance in the game as a non-playable character who assists Tiana throughout the game during the refurbishment of the old sugar mill, which would eventually become Tiana's Palace. She is also featured in a mini-game, where she leaves Tiana, Naveen, Louis, and Ray in charge of her home during her absence. Kinect Disneyland Adventures Like other characters from the film, Mama Odie is briefly mentioned by Tiana in the game The line goes as followed: "Mama Odie taught me how important it is to figure out what you need, and it's not always the same as what you thought you wanted." Disney Princess: My Fairytale Adventure Mama Odie is mentioned during Tiana's stage in the game. Here, Tiana was given a magic gumbo pot by Mama Odie, and the game's player used her own magic to see what powers the gumbo pot held. Live appearances Mama Odie as she appears in Disney On Ice While having appearances within the Disney theme parks in some entertainment, Mama Odie has not made a live appearance outside of Disney on Ice. However, her trademark song, Dig a Little Deeper, is commonly featured in entertainment, usually sung by Tiana. On board the Disney Dream cruise ship, Mama Odie is one of the last "Magic Makers" that the practical father meets on his journey. She performs Dig a Little Deeper and transports him back home as he has finally learned to believe in magic for once. Sorcerers of the Magic Kingdom In Frontierland and Liberty Square, Mama Odie receives a message from Merlin that an evil is arising in her area. She checks her gumbo in the pot to find that Doctor Facilier has returned from his death via Hades and plots to take over Frontierland while helping Hades in his search for the Crystal of the Magic Kingdom. Mama Odie guides the park guests in their quest to defeat the Shadow Man. She also has her own spell card known as "Mama Odie's Magic Charm". The Disney Wiki has a collection of images and media related to Mama Odie. • She is the polar opposite of Doctor Facilier, in both appearance and approach. Doctor Facilier is tall, young and thin while Mama Odie is short, old and fat. Facilier gives people what they (think) they want while Mama gives people what they (whether they know it or not) need. In addition, Doctor Facilier is implied to have "made a deal with the Devil" (metaphorically) for his powers while Mama is implied to have gained her powers over the course of her long life. • Another thing between Dr. Facilier and Mama Odie is they both have pet snakes seen in the film (Facilier's snakes only appear when they tie up Naveen before Facilier turns him into a frog at the end of the song Friends on the Other Side, although one of his snakes was seen again when he captured Tiana in Sorcerers of the Magic Kingdom; Mama Odie's snake, Juju, on the other hand, is more friendlier and is seen more than Facilier's snakes). • When first greeted, she mentioned that she is 197 years old. • In an earlier script, Dr. Facilier would have been Mama Odie's son, who followed the path of the dark arts, unlike his mother. In this same script, there was to be a showdown between the two of them, which would have converged into a major battle during the Mardi Gras festivities. • Jennifer Lewis, Mama Odie's voice actress, also voiced Flo from Cars. • Mama Odie is the second elderly female to be shown barefoot, after Madame Bonfamille (although in Madame's case, she was seen barefoot for a split second when she realizes that her cats have been kidnapped). • Despite being apparently good friends with Ray, Mama Odie is mysteriously absent during his funeral. • Mama Odie resembles Suga Mama from The Proud Family. Film: The Princess and the Frog Television: A Poem Is... | Sofia the First Music: The Princess and the Frog: Original Songs and Score | Bayou Boogie Objects: Facilier's Talisman | Louis' Trumpet Other: Disney Revival | Electric Holiday Start a Discussion Discussions about Mama Odie Around Wikia's network Random Wiki
http://disney.wikia.com/wiki/Mama_Odie
dclm-gs1-260600001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.767709
<urn:uuid:e0cff10e-d273-4c96-a64f-2f6431aa3345>
en
0.953937
The word “amen” appears to be of pagan origin. But it is used quite often in the Bible. Can you explain this? If we base our use of the word on the Hebrew meaning, then it is not a sin to use it. However, if we attribute life and power to some pagan god as we use it, then we are using it improperly and not in the same manner as did the writers of the Bible. As the Apostle Paul stated, in Romans 14:23, “…whatsoever is not of faith is sin.”
http://rcg.org/questions/p028.a.html
dclm-gs1-261130001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.271572
<urn:uuid:f31a92d7-7862-44ea-a1d6-b9a52bbe2759>
en
0.943792
1996 Nissan Sentra Q&A 1996 Nissan Sentra Question: 96 sentra timing chains,gears all have been replaced but it wont start any ideas everything has been checked firing, fuel,compression but it will not start it just backfires but never starts - Answer 1 Re-check chain alignment , if it's backfiring(through throttle body) then your valve timing is possibly off. - Comment 1 thank you atleast now i have somewhere to start - Comment 2 Other thought...........Had an old mitsubishi brought to me years ago , (in pieces) , put it together and was spitting back through intake .....ended up this thing had 3 converters on it and ALL 3 were stopped up causing excessive backpressure (engine can't exhale) loosened exhaust to create a leak and it fired right up. IF you haven't started taking the chain stuff back apart , that might be something to investigate? -
http://repairpal.com/96-sentra-timing-chainsgears-all-have-been-replaced-but-it-wont-start-any-ideas-924
dclm-gs1-261140001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.04798
<urn:uuid:76ad160f-684a-48f9-ab68-0c7a774eb659>
en
0.876842
Take the 2-minute tour × This question already has an answer here: April 9, 2012 can be written in any of these ways: 4 9 12 4 9 2012 4 09 2012 (I think you get the point) For those of you that don't understand, the rules are: 1. Dates may or may not have ` `, `-` or `/` between them 2. The year can be written as 2 digits (assumed to be dates in the range of [2000, 2099] inclusive) or 4 digits 3. One digit month/days may or may not have leading zeroes. How would you go about problem solving this to format the dates into 04/09/12? I know the dates can be ambiguous, i.e., 12112 can be 12/1/12 or 1/21/12, but assume the smallest month possible. share|improve this question marked as duplicate by Sinan Ünür, gpojd, ikegami, AD7six, Jack Maney Mar 13 '13 at 21:10 I presume your question is about how to parse dates that could be in any of the formats you've given? –  lxop Mar 13 '13 at 20:17 No, don't do this without modules. –  mob Mar 13 '13 at 20:25 Would "11113" be 11-1-2013 or 1-11-2013? –  gpojd Mar 13 '13 at 20:28 What date is 12212? –  Sinan Ünür Mar 13 '13 at 20:28 Then you have several questions to consider. 11111111 is unambiguous, and so 8s 111, but what do you want to do with string of between '1' x 4 and '1' x 7? –  Borodin Mar 13 '13 at 21:16 2 Answers 2 up vote 2 down vote accepted This actually is something that regexes are good at; making an assumption, moving forward with it, then backtracking if necessary to get a successful match. ( 1[0-2] | 0?[1-9] ) [-/ ]? ( 3[01] | [12][0-9] | 0?[1-9] ) [-/ ]? ( (?: [0-9]{2} ){1,2} ) sprintf '%02u/%02u/%04u', $1, $2, ( length $3 == 4 ? $3 : 2000+$3 ) The range checks present, while not determined by the value of the month, should be sufficient to pick a good date from the ambiguous cases (where there is a good date). Note that it is important to try two digit month and days first; otherwise 111111 becomes 1-1-1111, not the presumably intended 11-11-11. But this means 11111 will prefer to be 11-1-11, not 1-11-11. If a valid day of month check is needed, it should be performed after reformatting. s{}{} is a substitution using curly braces instead of / to delimit the parts of the regex to avoid having to escape the /, and also because using paired delimiters allows opening and closing both the pattern and replacement parts, which looks nice to me. \A matches the start of the string being matched; \z matches the end. ^ and $ are often used for this, but can have slightly different meanings in some cases; I prefer these since they always only mean one thing. The x flag on the end says this is an extended regex that can have extra whitespace or comments that are ignored, so that it is more readable. (Whitespace inside a character class isn't ignored.) The e flag says the replacement part isn't a string, it is code to execute. '%02u/%02u/%02u' is a printf format, used for taking values and formatting them in a particular way; see http://perldoc.perl.org/functions/sprintf.html. share|improve this answer I'm still quite new to Perl, so could you please comment on what your code does? I don't know what the s bracket is doing or the \A or \z or the xe or the %02u/%02u/%02u. –  dtgee Mar 13 '13 at 21:01 Added explanation; any other questions? –  ysth Mar 13 '13 at 21:10 Great solution! However, I'm guessing I have to check if the year is, for example, 04 and append 20 in the beginning then reconcatenate it with the string? –  dtgee Mar 13 '13 at 23:25 You originally said "format the dates into 04/09/12", but ok... –  ysth Mar 14 '13 at 15:21 Install Date::Calc On ubuntu libdate-calc-perl This should be able to read in all those dates ( except 4912, 4 9 2012, 4 09 2012 ) and then output them in a common format share|improve this answer
http://stackoverflow.com/questions/15395562/formatting-dates
dclm-gs1-261220001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.30152
<urn:uuid:9079f9ec-7753-4838-9a8f-e99a5e30257d>
en
0.788375
Take the 2-minute tour × I'm trying to figure out why this works in FireFox, Chrome but not in IE and not properly in Safari and Opera (you can view it working at http://41six.com/about/) <div id="menu"> <a href="/" class="home" title="Home" alt="fortyonesix">&nbsp;</a> <div id='home-hover'>Home Page</div> #menu .home { background-image: url('../images/Home.png'); #home-hover { padding: 3px 0 3px 10px; width: 100px; height: 20px; color: #fff; opacity: .9; filter: alpha(opacity=90); -moz-border-radius-topright: 5px; -moz-border-radius-bottomright: 5px; -webkit-border-top-bottom-radius: 5px; $('.home').hover(function() { function() { It's definitely not pretty but I'm not sure why its not working for Safari, Opera and IE share|improve this question I noticed your using jQuery 1.3.2. You could try jQuery 1.4.2. –  Samuel Apr 16 '10 at 14:09 2 Answers 2 up vote 2 down vote accepted First, a suggestion: set "overflow" to "hidden" -- it will get rid of a small animation artifact. Interesting, the hover effect happens in ie6.... =) Ok so I've found something that will help: try setting #menu { yeah, it's not pretty, but it will show you something; mouse over "home", and you see the "Home Page" thing animate out all nice...at the very bottom of your menu. It looks like You have two problems: overflow and positioning. To highlight the overflow problem, set #menu { #home-hover { (again, these values are just for debugging purposes). Mouse over the "home" icon, and you will see the problem. You can fix this (I found by trial and error) by removing the "position:fixed" from #menu, and changing the "z-index"s on all your #home-hover etc. to 1000. So that's a fair start for you. Frankly, though, it might be worth while to start over -- it looks like some of this css could benefit from some serious refactoring. All the best, share|improve this answer When you mouse-over the left-menu you are showing a DIV that covers the link, thus you are no longer over the link, you're over the DIV that's on top of it, so the animation goes to the un-hover state immediately. share|improve this answer The DIV is displayed to the right of the link. In IE the animation doesn't show at all (it would at least start to show if the above was the case). In Safari it shows the first time and then only half shows the rest. In Opera it shows, then only goes partially away until you hover over another part. –  silent1mezzo Apr 13 '10 at 19:16 Your Answer
http://stackoverflow.com/questions/2632061/jquery-animate-inconsistencies-between-browsers?answertab=active
dclm-gs1-261250001
false
false
{ "keywords": "mouse" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.830021
<urn:uuid:b9e38012-dcf0-4b53-bf44-c7cf2c784178>
en
0.850513
Take the 2-minute tour × Can anyone please help me about how to fetch unique device id or serial number of android device. I have code for fetch device id of android device but I want code in phone gap framework means using jquery or javascript for fetch id. share|improve this question 1 Answer 1 up vote 1 down vote accepted Does device.uuid not fit your needs? share|improve this answer Your Answer
http://stackoverflow.com/questions/8210096/android-phonegap-application?answertab=votes
dclm-gs1-261260001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.055409
<urn:uuid:88475fe9-6c9d-4839-b800-590338adc54b>
en
0.89203
Find Local Dentist 63122 Andy Novak | 04/19/15 Iris Kilpatrick | 04/17/15 Dawn Mcglothin | 04/16/15 Carl Steffensen | 04/16/15 Jennifer Carr | 04/16/15 Temporary crowns can be made of acrylic. James Delong | 04/16/15 Dried out dentures will cause you pain when you put them in. Adhesive can be formed and shaped to achieve outstanding results including tooth lightening, closing spaces between teeth, teeth that look straight ahead and repair chips and cracks. Ella Brovitz | 04/16/15 In gingivitis, the gums redden, swell and bleed easily. Veneers are thin, translucent shells made of a ceramic material that cover your original teeth. Jane Jones | 04/16/15 Charlene Bremer | 04/14/15 Beatrice Benavidez | 04/13/15 Bella Hunter | 04/13/15 You only get one set of teeth, so as you age be sure to take care of your teeth and gums. If you have receding gumlines, your dentist can do something about that. Jeffrey Mihalka | 04/11/15 David Wyman | 04/09/15 Gingivitis is actually invisible to the naked eye. Helen Wittner | 04/08/15 Adriane Morabito | 04/08/15 Emily Fornof | 04/06/15 Cindy Goldstein | 04/05/15 Jane Green | 04/03/15 Christine Miller | 04/01/15 Jean Holz | 03/31/15 Isadora Sands | 03/30/15 David Jewell | 03/30/15 Erlan Orkiz | 03/28/15 Adam Burk | 03/26/15 Deborah Millard | 03/25/15 If you lose a filling you may experience pain when drinking hot or cold drinks. Chewing raw foods can be great for your teeth, and avoiding processed foods means you'll develop less plaque. Tags | Smile makeover Webster Groves cosmetic dental procedures 63123 Mercury free Warson Woods porcelain crowns Saint Louis Categories | types of dental crowns 63088 zoom 2 teeth whitening 63119 find a oral surgeon Valley Park Missouri 63088 sitemap find local dentist 63122
http://www.affordablecomfortabledentistry.com/
dclm-gs1-261430001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.025384
<urn:uuid:ba2bd552-5230-40d6-9ee0-bd57fc078d68>
en
0.95606
If you feel nervous or confused when dealing with money decisions, you’re not alone. Many smart women recognize the need to make informed decisions about money yet are thwarted in their efforts because of anxiety and insecurity, emotions that often come out of parental, cultural and social influences. Nationally known money therapist Olivia Mellan has long understood that you can’t make good money decisions unless you realize what role money plays in your life. In Money Shy to ... See more details below Available through our Marketplace sellers. Other sellers (Hardcover) • All (15) from $1.99    • New (1) from $58.77    • Used (14) from $1.99    Sort by Page 1 of 1 Showing All Note: Marketplace items are not eligible for any coupons and promotions Seller since 2008 Feedback rating: New — never opened or used in original packaging. Ships from: Chicago, IL Usually ships in 1-2 business days • Standard, 48 States • Standard (AK, HI) Page 1 of 1 Showing All Sort by Sending request ... Nationally known money therapist Olivia Mellan has long understood that you can’t make good money decisions unless you realize what role money plays in your life. In Money Shy to Money Sure, she and financial writer Sherry Christie lead you on a journey of self-discovery that will boost your financial confidence and expertise. They begin by analyzing the seven most common myths that hamper women when dealing with money, then counter those misconceptions with positive messages based on facts. Mellan and Christie present equally valuable advice about managing your money–including a primer on how the stock market works, tips on deciding which savings or investment options are best for individual circumstances, strategies for finding and working with a financial planner, and much more. This money-wise, woman-wise guide to achieving financial confidence and security includes insightful quizzes to help you set goals, and action plans for reaching your objectives without sacrificing your principles or alienating your family. There are also inspiring success stories and cautionary tales from the lives of ordinary women and from such celebrities as Katie Couric, Linda Ellerbee, and Gloria Steinem. If you feel anxious about your financial future–whether your struggling to make investment decisions or negotiating money conflicts with a partner–you’ll find in Money Shy to Money sure the best kind of therapy: encouragement, valuable advice, and the inspiration that comes from shared experience. Read More Show Less Editorial Reviews Library Journal Coauthors of Overcoming Overspending: A Winning Plan for Spenders and Their Partners, Mellan, a psychotherapist specializing in money issues, and financial writer Christie have written an excellent financial guide geared toward women. The authors focus on seven money myths that they feel women must overcome in order to feel more confident about financial matters. Each chapter covers one myth such as "Money is too complicated for me to understand," "If I take charge of my money, I'll antagonize others," or, most harmfully, "Somebody else should be taking care of all this for me." Throughout the chapters are quotes, stories, and advice from the variety of both ordinary and famous women interviewed for the book. The practical advice is presented clearly, and each chapter ends with a series of exercises for the reader. The appendix includes a list of resources about money and investing. Here is a useful book to get women who need it started on their financial education. Recommended for all public libraries. Stacey Marien, American Univ., Washington, DC Copyright 2001 Cahners Business Information. Read More Show Less Product Details • ISBN-13: 9780802713476 • Publisher: Walker & Company • Publication date: 6/1/2001 • Pages: 256 • Product dimensions: 6.31 (w) x 9.32 (h) x 1.13 (d) Meet the Author Olivia Mellan, author of Money Harmony and Overcoming Overspending, is a groundbreaking psychotherapist in the field of money-conflict resolution. She gives seminars nationwide and has appeared regularly on television, including The Oprah Winfrey Show, The Today Show, and 20/20. She writes a monthly column for Investment Advisor, and has been interviewed widely in magazines ranging from Money to Working Woman. She lives in Washington, D. C. Sherry Christie is a writer who specializes in financial matters. She lives in Jonesport, Maine. Read More Show Less Read an Excerpt Chapter One Myth 1: "Money Is Too Complicated for Me to Understand" I am living proof that you can understand money, because nobody thought it was more complicated than I did. If I can do it, anyone can! Daria Dolan, cohost of The Dolans, a national personal-finance radio program "I was so stupid about money that I didn't know I needed to do any more than pay my bills on time, balance my checkbook, and save a few dollars," says this energetic brunette. A theater arts major from Long Island, New York, she became a flight attendant in order to see the world, then got married at twenty-four.     Today, you may know Daria Dolan as one of the nation's most articulate and visible women on the subject of money and investing. Cohost with her husband, Ken, of The Dolans syndicated radio call-in show, she's a frequent guest on TV news shows and coauthor of three financial books, including Sams Teach Yourself e-Personal Finance Today.     What inspired her to change from someone to whom higher money matters were a mystery, into an expert who now feels at home discussing asset allocation, junk bonds, and risk-return ratios in front of a national audience? Here's what Daria told us. Growing up, I was always told that if I picked up a pool cue I should lose, but I've always been competitive as hell. When I met Ken, he was working for a Wall Street firm and dealt with money all day long. Whenwe got married, I had some money and no bills, while he was three thousand dollars in debt, so I decided that as the better money manager I would be the one to pay the bills and balance the checkbook. Fifteen years into our marriage, Ken came home and said he wanted to leave Wall Street to become a talk-show host, with a 70 percent cut in pay. I was acting in theater at the time, and I figured I'd better get serious about making some money to fill the gap. To this day, I don't know what made me say, "Well, I guess I'll have to become a stockbroker."     To get her broker's license, Daria studied investments seven days a week during three months of training. "God knows I never had a modicum of interest in the topic," she says, "but I found I had a facility to understand how this stuff worked." After a year as a broker, she joined Ken's show as an on-air money consultant. In 1986, they formally became a team ... and the rest is history.     Like Daria Dolan, many intelligent women grew up expecting that the mysteries of money would be a closed book. Yet thousands of women around the country have proved that the notion of money being "too complicated to understand" is just a myth. When it comes to investing, for example (the topic many of us mean when we say "money is too complicated"), women often beat men, hands down. • The National Association of Investors Corporation reports that women-only investment clubs earned nearly 10 percent more than men-only clubs in 1999 (and almost 5 percent more than coed clubs). It's important to note that many of these club members are ordinary working women, homemakers, and retirees who taught themselves—and each other—the fundamentals of investing. • There are successful women investors in the big leagues, too. An analysis of more than 2,500 mutual funds for Money magazine showed that over the three years ending August 31, 1997, women fund managers posted better investment returns than male managers in most important fund categories, including U.S. diversified stocks, international stocks, taxable bonds, municipal bonds, and hybrid stock/bond funds. • This investment savvy is beginning to percolate into homes around the country. Thirty percent of women in a June 2000 Wall Street Journal/NBC News poll said they alone make the decisions about buying mutual funds and stock for their household. Many of us know more about investing than we suppose As many women can testify, understanding money is like getting comfortable with a foreign language. The way to begin feeling at home with money is the same way you'd learn Spanish or French: by relating it to what you already know. With this in mind, many of the basics of investing may not seem so foreign after all.     Investing in stock is similar to buying a house. You can understand the principle behind investing in stock if you've ever owned a house and sold it for a profit. When you buy stock, you become the owner of a company. (Actually, you share ownership with other investors—the reason why stockholders are often called shareholders.) You hope that when you sell your stock, it will be worth more than you paid, letting you pocket a profit. Many stocks also have an advantage that home ownership can't match: They pay dividends, giving you a share of the company's profits every quarter. When you think of stocks, think "I own."     Investing in bonds is similar to putting money in a CD. If you've ever earned interest on a certificate of deposit, you understand the principle behind investing in a bond. You're loaning your money for a certain period of time to a company, government unit, or even the U.S. Treasury. The debtor gives you its "bond" (as in "my word is my bond"), promising to pay you a fixed rate of interest and return your principal at a certain point in the future. (Despite this promise, however, bonds are not federally insured like CDs.) When you think of bonds, think "I am owed."     As for the stock and bond markets, imagine them as two auction desks in a big tent full of investors who are ready to buy if the price is right. Some investors focus on stocks because they want their money to grow. Other investors need steady income, so they concentrate mainly on finding the best bond deals. Many others—professional money managers, day traders, speculators—try to keep an eye on both desks so they can jump into what's hot and out of what's not.     On the stock side, the action is pretty straightforward. There's usually lots of demand for the stock of companies with rosy prospects, so investors tend to bid up the price. By contrast, the stock of a company on the skids becomes cheaper—the Wall Street equivalent of a fire sale. Prices may change constantly during the course of a day, according to what buyers are willing to pay.     The bond market is driven by demand, too. When a company, state, or city decides to raise money by floating a new bond issue, it has to pay an interest rate attractive enough to entice investors without bankrupting itself. If the bond is viewed as relatively risky, the issuer has to pay a higher rate to reward investors for taking on the extra risk. That's why supersafe Treasury bills, backed by the U.S. government, pay investors less than high-yield corporate bonds, whose greater risk is evidenced in their nickname, "junk bonds."     Stripped of its jargon, the Great and Powerful World of Investing is really just a glorified bargain barn. In fact, women's experience as smart shoppers tends to make them excellent investors. As fund manager Loretta Morris puts it, once women begin educating themselves about money, "they make careful decisions, gathering all the information they can. They tend to be more thorough." Knowing how to choose efficiently, recognize bargains, and learn from past mistakes is a priceless advantage.     But what if the whole idea of investing, comparing interest rates on loans, doing your taxes, or balancing your checkbook makes your palms get sweaty or your heart race? For women with math anxiety, help may be right around the corner If you get physically anxious about dealing with numbers, this feeling probably goes back to your school days. Despite the years since then, old memories of frustration and discouragement still have the power to influence your adult attitude toward dealing with money. According to a 1997 study by the Dreyfus Corporation, women who had math anxiety as girls are likely to be more risk-averse, more fearful of making investment decisions, and less financially prepared for retirement.     Why is math anxiety so much more common in women than in men? Research shows that boys don't find math any easier than girls do, but they often have more confidence in their ability to learn it. Even today, when teachers and parents are united in stressing this subject's importance, many girls don't feel they can master math ... or money matters. For example, in a survey of junior high and high school students by Liberty Financial, girls were only half as likely as boys to consider themselves "very knowledgeable" about money and investments—even though the study showed little real difference in knowledge levels!     Some teachers are trying innovative ways to make girls more comfortable with mathematical concepts. Ms. magazine founder Gloria Steinem mentioned that Sheila Tobias (author of Overcoming Math Anxiety) had helped her see that there are "many different paths to math, not one right way to do it" or learn about it. For example, Tobias suggests reading about the lives of great mathematicians as a way of getting into their ideas.     Another fresh thinker is Dr. Galeet Westreich, who teaches "dancing mathematics" to young girls, encouraging them to experience geometry by creating an array of shapes in different planes with their bodies. Westreich says research has shown that kinesthetically oriented young women improve tremendously in their grasp of geometric and other mathematical skills after using creative learning techniques like these.     But what about you? If you're determined to take charge of your money now, how can you get past math anxiety created in your youth?     To begin with, try to put aside math-associated feelings of shame, dislike, and anxiety that may have sunk their roots into your tender adolescent self-esteem. Remind yourself that math is just another language. Maybe you don't know yet how to say what you want in this language, but you can learn.     So the first step is developing a new attitude. Try to remember the confidence and joy with which you approached your favorite subject (whatever it was) early in your education. That excited new learner is still somewhere inside you, looking forward to the pleasure of making numbers dance.     Now here's the good news: You don't need to know advanced math to manage your money well. As Washington, D.C., financial planner Susan Freed told us, "It doesn't get more complicated than addition, subtraction, multiplication, and percentages."     So forget about geometry, calculus, or any of that college stuff. A shopper who knows how to figure 20 percent off a regular price, multiply the cost of new shoes by three kids, or add sales tax to a planned purchase has virtually all the know-how she needs to manage her money.     Once you feel confident that you have what it takes to understand money concepts, you'll find they're far less complicated than you feared.     But what if you simply can't attain that level of confidence—perhaps because you did miss some of the fundamentals, or you've just felt insecure about math for so long? Some possible solutions: • Look for an adult math class offered through a nearby community college or university continuing education program. Encourage a buddy to sign up with you (or make a friend in the class) so you can compare notes and cheer each other on. • Ask a financially proficient female friend to mentor you as you restore your knowledge and confidence (perhaps bartering your skills in another area for hers). • If you'd prefer to work with a partner at your own level, enlist a female friend or relative and coach each other with the aid of a self-help guide. (See the appendix.) • Find a simple money or math task you can do, and drink in the feeling of confidence that comes from completing it. Then use that confidence as a springboard to take on a harder math or money assignment. Managing money isn't rocket science Money is a tool we can use to build what we want out of life: security, pleasure, comfort, prestige, power, freedom, loyalty, even love (or so we may hope). Once we get past old money messages, math anxiety, and whatever else may be in the way, it's easy to see that this tool itself is actually pretty simple. We can lend money or borrow it, save it or spend it, invest wisely or speculate wildly, grow it or blow it. In the course of a lifetime, we'll probably do all these things.     Sometimes we avoid learning how to build what we want with our money because we wrongly feel we don't deserve much in life. But in many cases, the problem is simply that we don't know what we want. To use this tool effectively in our complicated lives, we need a plan. Here's how to put one together. Setting goals may sound like a big commitment, especially to someone who feels her future is constantly subject to change. But without goals, we tend to forget what our priorities are. We buy things that don't really matter and pass up choices that do—like a dieter who falls for a mouth-watering chocolate cake in the bakery, only to wish later that she'd spent her money in the supermarket produce section instead.     Without goals, we may also be swept into the wrong decisions by someone else who does have an agenda—a partner, parents, boss, kids, financial adviser, or maybe a shrewd marketer.     For example, let's say you've squirreled away $3,000 with no particular purpose in mind. Your brother, whose ambition in life is to open an electric-car recharging depot, begs you for a loan to start his business. Since you don't have the money earmarked for anything else, you agree. Unfortunately, there are only two electric autos in the whole county, so your brother soon goes broke, leaving you with nothing to show for your savings but a $3,000 bad-debt write-off and a strained family relationship.     You might have been more reluctant to hand over that money if you'd been saving it for a specific reason. In short, a goal can not only help make your innermost dreams come true but also validate your financial choices—an important advantage for women raised to defer to the wants and needs of others.     Many of us have some general idea of what we want to achieve in life. But motivational experts tell us that when we write down dreams and wishes on paper, they become much more powerful. Simply crystallizing them into words emphasizes their validity and their importance. And once they're written down, you can review the list regularly to reinforce your determination and make sure you're on the right track.     We recommend starting this process with some blank sheets of paper in front of you. Take a few deep breaths and imagine yourself in a relaxed setting (on the beach, in a Japanese garden ... whatever works for you). Ask yourself: If I could do or have anything I really want, what would it be? Let your most deeply felt dreams, longings, and desires surface.     First, consider the short term. What secret or not-so-secret dreams would you like to see come true within the next five years? In what ways would you like to improve your financial well-being? How about other nonfinancial goals that would enrich your life? For example, would you like to: • Learn how to invest more confidently? • Increase your retirement savings substantially? • Get out of debt? • Buy a first home, move up to a more comfortable place, or get a vacation home? • Start your own business? • Establish a college fund for a child? • Learn a musical instrument, a new language, or a craft? • Travel somewhere you've always wanted to go?     At the top of a blank page, write "Here's what I really want to do during the next five years" and then write down your dreams for that time frame. There can be any number of them, and they may be in any order.     Next, think about what you would like to do (or enjoy) in ten or twenty years. Is there another kind of work you'd rather be doing? Where would you like to be living? What will your relationship be with your family? Contemplate your future after age sixty or sixty-five, or after you stop working full-time. (Although we often refer to these as "retirement" years, they might—with a good financial foundation—actually be years of joyful creativity or a nourishing blend of work and play.) For example, would you want to: • Spend summers in the North and winters in the South? • Be able to travel whenever and wherever you wish? • Make sure your parents get the care they may need? • Build a sailboat and go cruising in the Caribbean? • Retire early, move to the Riviera, and paint? • Help pay for your grandchildren's education? • Keep working, either as a consultant or in a completely different line of work?     Head another blank page with "Here's what I really want to do in the long term," and write down your dreams for the rest of your life.     A dream has to be something that's truly important to you—not just a temporary whim. To find out which of your desires are really abiding, try writing another dreams list a week from now, and do a third list in two weeks. (Don't look at the old list or lists when you write the new one.) After comparing the three attempts, you should be able to create a "final" list that reflects what's truly important to you.     Even then, of course, it won't really be final, because life doesn't always turn out the way we want it to. You may fall madly in love and marry (or remarry). You may become a new mom when you'd thought your childbearing years were over. You may lose your partner. You may decide to follow an independent path instead of settling into a long-term relationship. And, we hope, you'll reach some of your short-term goals and want to choose new ones. So feel free to update your dream list whenever appropriate.     If you're in an intimate relationship with a partner who's also done this goal-setting exercise, you'll want to take the extra step of getting together to compare and discuss your lists. Once you've identified the dreams and goals you can both get behind, create a single list of shared goals. (Remember: Don't give up on a dream that's really important to you!)     By the way, it's fine to keep money for mutual goals in a joint account if you wish. But in this age of divorce, we believe it's prudent to keep funds for personal goals (like a financially secure retirement) separate from jointly held money.     We know that insisting on separate accounts may make you feel like Hard-hearted Hannah. But your wise Uncle Sam already stipulates that you can receive tax breaks on retirement savings only if they are held in your own name. Follow this lead, and your assets will be better protected from predators and creditors than they would be in a joint account. Read More Show Less Customer Reviews Be the first to write a review ( 0 ) Rating Distribution 5 Star 4 Star 3 Star 2 Star 1 Star Your Rating: Your Name: Create a Pen Name or Barnes & Review Rules Reviews by Our Customers Under the Age of 13 What to exclude from your review: Reviews should not contain any of the following: • - Phone numbers, addresses, URLs • - Pricing and availability information or alternative ordering information • - Advertisements or commercial solicitation • - See Terms of Use for other conditions and disclaimers. Search for Products You'd Like to Recommend Create a Pen Name Continue Anonymously Why is this product inappropriate? Comments (optional)
http://www.barnesandnoble.com/w/money-shy-to-money-sure-olivia-mellan/1004537000?ean=9780802713476&itm=1&usri=sherry+christie
dclm-gs1-261460001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.211207
<urn:uuid:d88530e5-28f1-40b5-9fe3-b432130c7b7c>
en
0.872033
Cheat Codes Club Search Results for DuckTales Remasteredcheats Cheat Codes     Game Name System Website Result Page : If you have difficulty using any of the cheats found on these sites, we recommend discussing DuckTales Remasteredcheats cheat codes on Game Score's Game Forums. If none of these sites have decent DuckTales Remasteredcheats cheats, it probably means that DuckTales Remasteredcheats is either a very new game or that it just doesn't have any cheats. But that doesn't mean you have to stay stuck. Ask the gamers on Game Score's Game Forums. Someone there can probably answer DuckTales Remasteredcheats game, cheat, or strategy questions and pretty much everything else related to gaming. Play Free Games Chronotron Game Chronotron Robot Dinosaurs Game Robot Dinosaurs Choose Your Weapon 4 Game Choose Your Weapon 4
http://www.cheatcodesclub.com/DuckTales%20Remasteredcheats.html
dclm-gs1-261520001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.189007
<urn:uuid:15cef057-b067-4603-a9c2-d6ebe61d0821>
en
0.940799
Explore Related Concepts abstract learning definition Best Results From Wikipedia Yahoo Answers Youtube From Wikipedia Abstract type This article discusses types with no direct members; see alsoAbstract data type. In programming languages, an abstract type is a type in a nominative type system which is declared by the programmer. It may or may not include abstract methods or properties that contains members which are also shared members of some declared subtype. In many object oriented programming languages, abstract types are known as abstract base classes, interfaces,traits,mixins, flavors, or roles. Note that these names refer to different language constructs which are (or may be) used to implement abstract types. Two overriding characteristics of abstract classes is that their use is a design issue in keeping with the best object oriented programming practices, and by their nature are unfinished. Signifying abstract types • By use of the explicit keywordabstract in the class definition, as in Java, D or C#. • By including, in the class definition, one or more methods (called purevirtual functionsinC++), which the class is declared to accept as part of its protocol, but for which no implementation is provided. • In many dynamically typed languages such as Smalltalk, any class which sends a particular method to this, but doesn't implement that method, can be considered abstract. (However, in many such languages, the error is not detected until the class is used, and the message returns results in an exception error message such as "does Not Understand"). Example: abstract class demo { abstract void sum(int x,int y); } Use of abstract types Abstract types are an important feature in statically typed OO languages. They do not occur in languages without subtyping. Many dynamically typed languages have no equivalent feature (although the use of duck typing makes abstract types unnecessary); however traits are found in some modern dynamically-typed languages. Types of abstract types There are several mechanisms for creating abstract types, which vary based on their capability. • Full abstract base classes are classes either explicitly declared to be abstract, or which contain abstract (unimplemented) methods. Except the instantiation capability, they have the same capabilities as a concrete class or type. Full abstract types were present in the earliest versions of C++; and the abstract base class remains the only language construct for generating abstract types in C++. A class having only pure virtual methods is often called a pure virtual class; it is necessarily abstract. • Java includes interfaces, an abstract type which may contain method signatures and constants (final variables), but no method implementations or non-final data members. Java classes may "implement" multiple interfaces. An abstract class in Java may implement interfaces and define some method signatures while keeping other methods abstract with the "abstract" keyword. • Traits are a more recent approach to the problem, found in Scala and Perl 6 (there known as roles), and proposed as an extension to Smalltalk (wherein the original implementation was developed). Traits are unrestricted in what they include in their definition, and multiple traits may be composed into a class definition. However, the composition rules for traits differ from standard inheritance, to avoid the semantic difficulties often associated with multiple inheritance. Abstract algebra Two mathematical subject areas that study the properties of algebraic structures viewed as a whole are universal algebra and category theory. Algebraic structures, together with the associated homomorphisms, form categories. Category theory is a powerful formalism for studying and comparing different algebraic structures. History and examples As in other parts of mathematics, concrete problems and examples have played important roles in the development of algebra. Through the end of the nineteenth century many, perhaps most of these problems were in some way related to the theory of algebraic equations. Among major themes we can mention: Numerous textbooks in abstract algebra start with axiomatic definitions of various algebraic structures and then proceed to establish their properties, creating a false impression that somehow in algebra axioms had come first and then served as a motivation and as a basis of further study. The true order of historical development was almost exactly the opposite. For example, the hypercomplex numbers of the nineteenth century had kinematic and physical motivations but challenged comprehension. Most theories that we now recognize as parts of algebra started as collections of disparate facts from various branches of mathematics, acquired a common theme that served as a core around which various results were grouped, and finally became unified on a basis of a common set of concepts. An archetypical example of this progressive synthesis can be seen in the theory of groups. Early group theory There were several threads in the early development of group theory, in modern language loosely corresponding to number theory, theory of equations, and geometry, of which we concentrate on the first two. Leonhard Euler considered algebraic operations on numbers modulo an integer, modular arithmetic, proving his generalization of Fermat's little theorem. These investigations were taken much further by Carl Friedrich Gauss, who considered the structure of multiplicative groups of residues mod n and established many properties of cyclic and more general abelian groups that arise in this way. In his investigations of composition of binary quadratic forms, Gauss explicitly stated the associative law for the composition of forms, but like Euler before him, he seems to have been more interested in concrete results than in general theory. In 1870, Leopold Kronecker gave a definition of an abelian group in the context of ideal class groups of a number field, a far-reaching generalization of Gauss's work. It appears that he did not tie it with previous work on groups, in particular, permutation groups. In 1882 considering the same question, object which does not exist at any particular time or place, but rather exists as a type of thing (as an idea, or abstraction). In philosophy, an important distinction is whether an object is considered abstract or concrete. Abstract objects are sometimes called abstracta (sing. abstractum) and concrete objects are sometimes called concreta (sing. concretum). In philosophy The type-token distinction identifies that physical objects are tokens of a particular type of thing. The "type" that it is a part of itself is an abstract object. The abstract-concrete distinction is often introduced and initially understood in terms of paradigmatic examples of objects of each kind: Abstract objects have often garnered the interest of philosophers because they are taken to raise problems for popular theories. In ontology, abstract objects are considered problematic for physicalism and naturalism. Historically, the most important ontological dispute about abstract objects has been the problem of universals. In epistemology, abstract objects are considered problematic for empiricism. If abstracta lack causal powers or spatial location, how do we know about them? It is hard to say how they can affect our sensory experiences, and yet we seem to agree on a wide range of claims about them. Some, such as Edward Zalta and arguably Plato (in his Theory of Forms), have held that abstract objects constitute the defining subject matter of metaphysics or philosophical inquiry more broadly. To the extent that philosophy is independent of empirical research, and to the extent that empirical questions do not inform questions about abstracta, philosophy would seem specially suited to answering these latter questions. Abstract objects and causality Another popular proposal for drawing the abstract-concrete distinction has it that an object is abstract if it lacks any causal powers. A causal power is an ability to affect something causally. Thus the empty set is abstract because it cannot act on other objects. One problem for this view is that it is not clear exactly what it is to have a causal power. For a more detailed exploration of the abstract-concrete distinction, follow the link below to the Stanford Encyclopedia article. Concrete and abstract thinking Jean Piaget uses the terms "concrete" and "formal" to describe the different types of learning. Concrete thinking involves facts and descriptions about everyday, tangible objects, while abstract (formal operational) thinking involves a mental process. In language, abstract and concrete objects are often synonymous with concrete nouns and abstract nouns. In English, many abstract nouns are formed by adding noun-forming suffixes ("-ness", "-ity", "-tion") to adjectives or verbs. Examples are "happiness", "circulation" and "serenity". From Yahoo Answers Question:I am only posing the question not making a statement. This as been suggested by someone else. I am just probing for opinions. Please .... if you dont know the defintion of abstract thought, please look it up before answering. let me reiterate - Im not making the statement here. Im just posing the question. Levonna- you just defined abstraction. not exactly the same thing Answers:No,but it can seem that way because in the U.S. most whites are "professional-level" meaning they have only very,very highly specialized educations. Worse,they make a lot of money,so they are always busy,busy,busy. These are not conditions that are conducive to learning to think well. Most whites just perform their specialized function and then run out to play; mostly upscale restaurants,etc. Learning to think involves giving yourself a lot of unstructured time. Most whites don't do that anymore. They work,they play hard. Think? Not unless it's part of their job. I'm white,middle-class,and it's definitely something you notice. Lack of common-sense,that's also getting to be a problem with the upscales. The country is essentially being run by experts who have no real ability to think in abstract terms at all. They just link facts,organize information. It's never integrated. Question:i need to know the definition of abstract art... if anyone could help:) Thanks:D Answers:well their inst really no definition [ i think but their is pictures] here are some pictures of natural abstraction http://naturalabstraction.com/flora1.html Question:Would learning Discrete Mathematics, or rather - Set Theory - in particular, help me learn Modern/Abstract Algebra? I've gotten Fraleigh's Abstract Algebra and find it a bit too obscure due to the heavy set notation and wonder, have all readers of this book learned set theory beforehand or do they struggle but eventually pick up on it? Thanks :) _______________________________ Answers:Set theory is used, but is not that important, for abstract algebra. My suggestion: start with an easier book. Your university library should have some. IMHO the most important thing for learning abstract algebra is "mathematical maturity". This comes from taking classes such as calculus and linear algebra in which you get exposed to abstract thinking and proofs, especially proofs. From Youtube Photoshop CS5 - Abstract Shapes Effect - Tutorial :Photoshop Difficulty Level : 3.8/10.00 In this tutorial you will be learning how to create a abstract effect, out of shapes. Easy to follow High Definition I'm pretty sure this tutorial will work for previous versions of Adobe Photoshop too. Rate + Comment + Subscribe = More Tutorials ABSTRACT/REALISM DEFINITION :what does abstract art and realism have in common
http://www.edurite.com/kbase/abstract-learning-definition
dclm-gs1-261680001
false
false
{ "keywords": "subtyping" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.418858
<urn:uuid:eafb1a92-7265-4abe-86fa-b34bccacfa93>
en
0.9039
A system (lets stick with Kara-te) is usually defined by certain key aspects. Some of which are: 1) The required Kata and the method to execute the kata 2) Specific 2 man drill sets 3) Knowledge of the system's Dojo Kun and/or guiding principles 4) Sparring (point, continuous, semi to full contact 5) Positioning of blocks/kicks/stances Now once an individual starts his/her own dojo after achieving a certain rank in that designated system they instruct how they feel is the best way to distribute their knowledge. Some of their training methods may be unorthodox. But they remain with the CORE basics of the curriculum. Therefore everyone who sees them can understand that they teach.... Uechi Ryu, Shotokan, Shorin Ryu, Shito Ryu, Goju Ryu, etc. And if anyone from that same system moves and finds another instructor who teaches what they have previously studied they can basically pick up where they left off based on the STANDARDIZED CORE CURRICULUM. That being said.. RYUKYU KEMPO was devised by Seiyu Oyata and this was the orgininal name prior to being changed to RYU-TE. The main CORE aspects of this type of kara-te are: 1) The kata taught in a specific sequence and positioning: Naihanchi Shodan Naihanchi Nidan Naihanchi Sandan Tomari Seisan Pinan Shodan Pinan Nidan Pinan Sandan Pinan Yondan Pinan Godan Naihanchi Shodan (Timing done for Shodan level) - Unique to Ryukyu Kempo from my understanding. 2) Tuite/Kyusho/Atemi Jitsu - Although inherent in all systems of combat it seems Ryukyu Kempo was one of the first (not the first) to revitalize this aspect of training. 3) Bogu Kumite - A hard system of full contact sparring devised by Shigeru Nakamura of Okinawa Kenpo (Oyata's primary instructor and where the 12 empty handed kata come from). The question that now comes to mind is this.... Does DKI teach this core curriculum. And if not... how can you say that you truely are teaching/learning Ryukyu Kempo? Kind regards, "I'm gonna come at you like a spider monkey"
http://www.fightingarts.com/forums/ubbthreads.php?ubb=showthreaded&Number=181952&an=
dclm-gs1-261750001
false
false
{ "keywords": "monkey" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.78475
<urn:uuid:d6bd36ac-fed0-47b0-8522-cb0522b2c190>
en
0.834217
Testing Interview Questions Sort: Popular Date Sort: Popular Date Did you mean companies matching "Testing"? See Companies “Code a function in C to get the largest consecutive addition of integer numbers fron an array.” “Check if tic-tac-toe has a winner” “You are in a room by yourself and someone walks into the room, asks you to find the temperature, and leaves. How would you find the temperature in the room without leaving the room?” “Given a list of integer e.g. (1,2,4,5,6,7,8...) Find a pair with a given sum.” “In a given sorted array of integers remove all the duplicates.” “Write a function to turn a string into an integer and test it” “post order traversal of a Binary Search Tree Follow up Create a BST from this post order traversed array and write test cases for this function” “How can you write a recursive function calculating the exponential of a number?” “classic fermi problem. estimate some value making some approximations.” “A couple of questions on DRAM, its leakage paths, clocking, etc, and some basic C programming questions about pointers, etc. Some tricky questions like "Write a C program which performs…” 4150 of 1,583 Interview Questions
http://www.glassdoor.com/Interview/testing-interview-questions-SRCH_KO0,7_IP5.htm
dclm-gs1-261800001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.026897
<urn:uuid:ac9137b6-505a-4402-bdf8-c714ecd25625>
en
0.912404
Alice Whelan - 1 Records Found in Wildwood, NJ People Search results for Alice Whelan in the PeopleFinders Directory detailed background checks and criminal records checks. Search Again Wildwood, NJ Wildwood Crest, NJ Narberth, PA Find Alice Whelan by State Vital records for Alice Whelan Birth Records: 0 Marriage Records: 0 Death Records: 1 Divorce Records: 0 To access records on Alice Whelan located in Wildwood, NJ, consider the expertise of PeopleFinders has a vast repertoire of people search data, including criminal records, divorce records, and public information for individuals like Alice Whelan. All you need is the last name Whelan and Wildwood, and you will easily be able to find the information you are looking for. In order to speed up the manner in which data can be accessed about Alice in NJ, we have compiled it into four categories - age, aliases/name, possible relatives, and location. This simplifies the process and allows users to quickly browse all the people with the last name Whelan above and select the best match. Once you locate the Alice Whelan you are searching for, go to the View Details link on the right hand side for more details. If your search for Alice in Wildwood is proving to be fruitless, try the search field above to perform a more refined search. Another way to make your search more effective is by trying to use different spelling variations. Plus, if you have the information, then type in the person's full name along with other data such as city, state, and age. As soon as you have the Alice Whelan in Wildwood, NJ you're looking for, go to the Details page to study all the information we have to offer. About PeopleFinders
http://www.peoplefinders.com/p/Alice+Whelan/Wildwood/NJ
dclm-gs1-262180001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.022123
<urn:uuid:1cabf5a8-9158-4911-9ed5-ebf079173f75>
en
0.92846
Delia Murphy - 1 Records Found in Longview, WA People Search results for Delia Murphy in the PeopleFinders Directory detailed background checks and criminal records checks. Search Again Delia S Murphy Della  Murphy Altus, OK Tulsa, OK Leesville, LA Bristow, OK Longview, WA Find Delia Murphy by State Are you interested in finding out more details on Delia Murphy in Longview, WA? If the answer is yes, then you should check out PeopleFinders's latest person search records available, including records of public nature, history of marriage, and history of divorce for persons such as Delia Murphy. Also, because there is tons of supportive information regarding people who have the second name of Murphy in Longview listed within these records, there is no doubt you can locate the information for the person you are investigating. To ensure an easier data search experience while you search for your desired information on Delia in WA, we placed the data into 4 convenient sections: names and names they have gone by, location, people they may be related to and age. This setup allows you to research every person who has the second name of Murphy underneath and find the one that is the closest match to the one you desire to find. After you have found who Delia Murphy you desire to investigate, click the link located to the right side of the page that is labeled View Details to get additional details. In the event that you cannot find Delia in Longview, be sure to utilize the search feature located above. Using different spellings and combinations for a name could also assist in pulling up additional information too. Additionally, put anything you may already know about that person, including their complete name, state, town and age . After you have found the correct Delia Murphy in Longview, WA, then click on the additional details link in order to see all of the current data that we can provide you with for that person. About PeopleFinders
http://www.peoplefinders.com/p/Delia+Murphy/Longview/WA
dclm-gs1-262190001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.035409
<urn:uuid:df2e33b8-7eef-485e-9720-27c8affb050e>
en
0.919792
Scientific opinion on creationism and intelligent design Bookmark and Share Darwin's 200th birthday was an opportunity to celebrate Charles Darwin's life and the contribution he made to increasing understanding of the world. Darwin's work on The Origin of Species and his Theory of Evolution is supported by a diverse and robust body of physical evidence, from fossilised bones to radiometric measurement of the ages of the Earth's rocks. Clear evidence about the origins and evolution of the Earth and of life on this planet have been established by facts and data from the breadth of Science and its numerous disciplines. This anniversary was an opportunity to affirm the importance of education about the fundamental elements of science. scientific understanding of the world in which we live will enable us all to meet the future needs of the planet. Creationism vs. evolution. Creationism and intelligent design, arguments, evidence and theory. There has been much debate about the teaching of creationism and intelligent design. Intelligent Design is a creationist belief that suggests that the biological complexity of human beings is evidence for presence of a God or an 'intelligent designer'. There are concerns that it is sometimes advanced as scientific theory but it has no underpinning scientific principles or explanations supporting it and it is not accepted by the international scientific community. Creationism and intelligent design are not part of the National Curriculum for science, but there is scope for schools to discuss creationism as part of Religious Education. UK Academies and learned societies The Association for Science Education is the professional association for teachers of science. With a broad spread of membership, from primary and secondary teachers to technicians, to those involved in 'Initial Teacher Education' which has some 2.500 student members. The Geological Society of London is a learned society with the aim of "investigating the mineral structure of the Earth". It is the oldest national geological society in the world and the largest in Europe with over 9000 Fellows. International bodies The InterAcademy Panel on International Issues (IAP) is a global network of the world's science academies, including from the United Kingdom, the Royal Society. The panel was launched in 1993, its primary goal is to help member academies work together to advise citizens and public officials on the scientific aspects of critical global issues. The American Association for the Advancement of Science (AAAS) is an international non-profit organisation dedicated to advancing science around the world. Founded in 1848, AAAS serves some 262 affiliated societies and academies of science, serving 10 million individuals. The AAAS response to the release of a film called 'Expelled' which it was felt inappropriately witted science against religion. A joint-statement from AAAS NSTA, National Research Council - Kansas Education Standards The National Academies perform an unparalleled public service by bringing together committees of experts in all areas of scientific and technological endeavor. These experts serve pro bono to address critical national issues and give advice to the federal government and the public. The American Institute of Biological Sciences is a nonprofit scientific association dedicated to advancing biological research and education for the welfare of society The Geological Society of America is a global professional society with a membership of more than 21,000 individuals in over 85 countries.
http://www.sciencecouncil.org/content/scientific-opinion-creationism-and-intelligent-design
dclm-gs1-262290001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.025294
<urn:uuid:d6b3bb56-bd8d-4048-9776-289ad0ccdfe1>
en
0.953476
Temping and the passage of time Sometimes you finish all of the given work at a temp assignment after a long, hard day where you forfeited almost five hundred American dollars to get your car registered in California so that you can safely travel to Arizona for your friend’s wedding. Sometimes you just need to stuff your face with gum and pretend that you no longer exist. Never leave me alone with a pantry stocked with #orbit #gum. #temping #chewing #sidehustle #disgrace A video posted by Jas Sams (@jas_sams) on This morning, as I left the women’s restroom, I noticed one of the men in the office walking my way. We made eye contact, gave each other a nod, and then for some reason I instinctively held the door open for him – to the women’s room. Don’t ask me why. I don’t know why. Stop it with the “why.” He closed his eyes and gave me two tiny shakes of the head with a curt smile as if to say, “Oh, none for me, thank you; there’s another room where those with penises go to pee.” This reminds me of the time I took a greyhound bus from Atlanta to Savannah. I had never taken the bus before and it reminded me of a time when experiences still felt brand new – like being seventeen and going to Target by myself for the first time. Ads that promised free rides home to teenage runaways covered the Greyhound station walls! The food court was a nacho stand! Someone beside me tried to recruit me into their MLM scheme! It all seemed so exciting. I made it halfway to Savannah before I had to use the restroom. A bathroom on a bus! What an adventure! Or at least it would be once I figured out the mystery of the door that wouldn’t open! I tried for a couple of minutes before I turned to a man who had decided to sit in the seats by the toilet. He was a laid back Latino guy in a sweatshirt and cowboy hat. A traveling soul getting from point A to point B, just like the rest of us. I made eye contact with him and motioned to the bathroom. It was a gesture which, at least to me, obviously translated into, “Do you know how to open this door?” He looked to the door. Then he looked to me. He looked me up and down. Then he shook his head as he held up his hands in refusal. minibus_layers (1) Me – at the ripe old age of NOT HAVING A CLUE.  My childhood concept of adulthood clashes so violently with my current reality that I wish I could go back in time and shake myself as I scream things like, “STUDY HARDER! LISTEN TO MORE CLASSICAL MUSIC! LET GO OF YOUR ANGER! START WATCHING SATURDAY NIGHT LIVE BEFORE YOUR MENARCHE!” As a child, I dreamed that I might one day have a house. I would fill that house with a TV and a lifetime supply of chocolate croissants. That house would have a yard that I would fill with hundreds of cats and dogs – if not thousands. I thought a house was something you got when you graduated from or dropped out of high school. It would be my house! I wouldn’t have to share it with anyone! That was a a simpler time. A time when I once saw this old documentary about a building that collapsed on a giant ballroom full of people and said to my mother, “I don’t see why everyone is panicking. All they need to do is hide under a cardboard box.” A time when it never occurred to me that things like toothpaste actually ran out. A time when I was five or six years old and a tube of toothpaste was infinite.  I survived childhood and became an adult in the technical sense of the word. True, I can rent a car; but I still feel like a novice in in an office full of grown women with real world gripes. They’ll sip their coffee in the kitchen and share horror stories about husbands, boyfriends, and bosses and I try not to feel like an impostor as I laugh along and sigh something like, “Oh, men!” out of lack of anything substantial to contribute to the tribe. However, I now know that toothpaste can’t last forever. I no longer believe in a world where cardboard boxes provide adequate protection from a 17 story building collapsing around me. There is no house; only a studio apartment that I share with my boyfriend and my cat, Taxi. A studio apartment is an awfully small space for two adult humans and a cat the size of a small Shetland pony. Housing is one of the trickier parts of adulthood, especially when you live off of side hustles. I adore my significant other, but the cost of living living in LA is why we moved in together. It’s also one of the many reasons I do not have a house full of croissants and cats. It makes no sense to pay rent for two apartments when you spend the majority of your time at one of them. It was nice that D always had a place to go in case we fought, but we never did and he rarely went home. The clothes he brought over began to accumulate. His things began to find homes among my things. He slept over every night. He began to say things like,  “I left it at home,” and it was understood that “home” meant my apartment. I haven’t really elaborated on his personality here, but D has obsessive compulsive disorder of damn near Howie Mandel like proportions. Perhaps this is why I first toyed with the idea of living with him when he didn’t cry and/or break up with me after I forgot to flush the toilet. This was after a particular grizzly exorcism. Dirt and unwashed hands are bad enough, but the contents of a toilet bowl after a lapse in flushing? That’s like kryptonite. So if he could get past maximum grossness… well, maybe co-habitation could work. Besides, having him move in meant I could pay off credit card debt instead of accumulate it. It meant we would both have significantly less money to pay. It meant that now both of us can complain to the landlord about the weird grunting noises that my neighbor makes in the middle of the day! That’s some medieval logic right there. Combine the two kingdoms. Love and strategy, hand in hand! It’s far from the idea that everything magically falls into place once you leave the 12th grade. I tell myself that it’s OK; that adulthood is a work in progress. And hey – at least I have a more realistic understanding of human mortality than I did when I was six. Purina Cat Food VO spot! A few weeks ago, fellow Atlanta Rockstar + director/photographer Chris Wong messaged me and asked, “Do you do British accents?” My response: “I’ve only seen Spice World eighty-seven times.” And so it was that I got to record a Purina Cat Food voiceover! Check it out! PURINA | Gibson from chriswithcamera on Vimeo. 1 comment I recently had a discussion with someone with regarding the Indiana and the RFRA. Back story: The governor of Indiana signed a bill into law that ensures religious freedom to companies, which could allow them to deny people service. Most businesses don’t really care what you do as long as you pay them, but apparently enough do that we still have to have laws like this. This law has been active in over half of the USA and, for reasons I can’t even, states are STILL passing it today. I suppose I shouldn’t act so surprised. Women often get paid less, black and Hispanic people are still looked over in the job application process for being named something other than John, Michael, or Ted; and birth control is still considered a “controversial issue” despite over population and a culture where ridiculous amounts of people rely on entitlements because, as it turns out, it’s fucking hard to raise a child as a single parent who makes less than 24k a year. Hell, it’s hard to be two parents raising a family on 50K a year. I digress: my point is: America is progressive, yeah, but it’s also ass backwards on so many things. , I shouldn’t be so surprised that the RFRA is still a thing. One of my friends disagreed with me. They brought up a gay couple that wanted to pay a bakery a pretty sum of money to bake them a cake for their wedding day. PAUSE: This happened in Colorado. Not Indiana. I don’t know why the cake example continues to come up, but it does and since it did, let’s continue. The people who ran the bakery in Colorado *basically said, “You mean for a gay wedding? No. We will not serve you. We are against gay people because Christianity is all about being a butt queefing shit rag to people we disagree with. OUTLAW COUNTRY.” Back to Indiana and the Religious Freedom Restoration Act – an act that would make situations like the one I just mentioned way more difficult to deal with in court. I joined the millions of people in raising an eyebrow and muttering a crass phrase of disapproval of the governor’s actions. I laughed when Gen Con said, “Bye, Felicia,” and Salesforce pulled their expansion plans out of Indiana. “I don’t think that’s right,” my friend said. “How?” I asked, “Salesforce has every right to pull whatever they want to from wherever they want to for whatever reason.” “Would you sue a Muslim restaurant that won’t serve pork to cater to non-Muslims?” Of course not. However, this isn’t about pork and it isn’t about what you do or do not serve, but rather whom.  Muslim restaurant owners aren’t going to deny their services to me because I am not Muslim. I can go into any Muslim owned restaurant I want and order whatever I want off of their menu. I happen to know that Muslims aren’t all about pork products, so I don’t go into their restaurants demanding bacon. Even if I did, they would say, “We don’t serve pork because… Um… Well, I don’t know how to tell you this without sounding like I’m talking down to you, but we have never eaten pork in the history of ever, so we don’t serve it in our restaurant. We can definitely serve you something else, though, if you want to stay.” The people who ran the bakery told the gay couple, “No cake, no way, we will never serve you. Period. OUTLAW COUNTRY.” Unlike the hypothetical Muslim restaurant that doesn’t even keep pork products in their building because the bulk of their clientele won’t order it, the actual, real life bakery had cake. They just, you know, refused to make the cake for the gay couple. Good grief. Just sell the damn cake. Let the couple take care of the cake toppers (which is what usually happens anyway, if I’m not mistaken) and sell the damn cake! Why. Is. This. A. Thing. I fail to understand. Even Chik Fil-A will serve gay people. Chik Fil-A, a company that funnels money into gay-rehab camps and may have funded organizations that bombed women’s health care clinics in the 90’s, will still serve homosexuals.   I’m not religious, but I don’t need some intangible authority figure to tell me that you shouldn’t be a butt queefing shit rag to other people. Isn’t that easier? People can eat cake, people can live without bring ostracized, and people will be able to travel somewhere without fear that they will be abducted and brutally murdered on camera. Actually, I’m pretty sure that Jesus said something similar, albeit in a much more pleasant way than I just did. You should treat other people well. You should lead by example. You do that by living and loving well yourself. You don’t do it by pitching a hissy baby fit over other people and the way they live. My friend disagreed with me. Whatever. I didn’t yell at my friend. Instead I explained my position, listened to theirs, and the universe didn’t collapse. BECAUSE THAT’S WHAT HAPPENS WHEN YOU AREN’T AN ASSHOLE. Don’t be a butt queefing shit rag. It’s just not that hard to be decent. Edit: There was no appropriate place to write that I think this is all a huge distraction to keep the USA from focusing on a covert operation to nuke something. There is a bomb. We are all going to die. And they don’t want us to focus on the fact that humans only have about 200 years left before we all kill each other. I recently read an article that made the social media rounds during SXSW. You probably read it, too. It featured quotes from casting directors about their process; specifically about how talent only accounts for 7% of significant casting decisions. The other 93% is made up of connections, overseas popularity, social media influence, and good old fashioned nepotism. Of course actors vigorously re-posted, re-tweeted, and shared. “Good to know what really counts!” “Glad I’m investing so much in these ACTING CLASSES!” “Me angry!” I felt all of this and more for a split second. It reminded me of when the Blurred Lines music video came out. Emily Ratajkowski strutted around naked for three minutes and then David Fincher put her in Gone Girl. Except there were a bunch of other factors that we didn’t care to think about because “she got naked and BAM! David Fincher!” was all we cared to see. Anything that could make us feel better about why we weren’t in the position to audition for David Fincher movies became fair game. I’m embarrassed to admit that I literally cried when I read that. I think I posted something silly on Facebook to the tune of, “I swear, Mom, I’m really trying!” It was one of my many lower moments. The SXSW article went viral because it highlighted everything we creatives love to blame for our own lack of success. Our parents aren’t in the industry. They aren’t bank rolling us. They didn’t get us involved as children and now we are stuck with a resume lacking in anything that people care about. Then I realized the following: this is nothing new. No one has ever cared, no one cares now, and no one will ever care. (Also, what on earth was I thinking, mentally putting myself on a level playing field with Emily Ratajkowski?) There will always be beautiful girls in Robin Thicke Videos who aren’t afraid to get naked and have bigger Twitter/Instagram numbers and more connections than you have. You don’t know them, you don’t know their story, and you are so far removed from them that there’s no point in dwelling on it. Why on Earth would you continue to beat yourself up over things beyond your control? You know what isn’t beyond your control? Work. Putting in work.  I don’t know what to tell you. Sorry your parents aren’t in the industry. Sorry you don’t have a wealthy family bankrolling your actor life by paying for your apartment, phone, and insurance so that you can take that unpaid internship or lower paying entry level position. Sorry your parents didn’t get you involved in acting as a child. Sorry that you lack the status, wealth, and privilege that affords you opportunities beyond a 7% bracket. What are you going to do? Move home?  No. You are going to wait tables. You are going to promote stuff. You’re going to temp. You’re going to tend bar. You are going to do whatever to can to make your own damn money. Then you are going work out a budget for classes and workshops. Then you are going to make the time to work on your own material. You’re going to work. Then you’re going to go to wherever the hell it is that people who actually make things happen in this industry drink and beg the bartender to pour water and a lime wedge into a cocktail glass so that people don’t know how poor you really are. You are going to act like everything is fine – and you are going to make some friends. You’re not going to network, you’re not going to use people; you are going to be a genuinely nice person and make lasting relationships that will motivate you. Awesome people can empower you just by being around them. When I surround myself with motivated, lovely people, I begin to feel motivated and lovely as well. All the while, you will continue to see others get ahead. Most will have the money and the connections, but some will get lucky and skip ahead and you won’t be able to wrap your head around why it didn’t happen to you. But again, what are you going to do? Leave? Nothing is free and nothing is fair. How much do you really hate how things are done? Enough to move home? If you truly hated it that much, you would have gone elsewhere by now. You’re sticking it out. Toughen up a bit more, discipline yourself a bit more, meet everyone that you possibly can, keep your negative opinions to yourself, and work harder than everyone else. I don’t know what else to say. Talent may account for only 7% of a casting decision. That doesn’t mean that you should give up trying to come up with ways to make up for that 93%. This industry is WEIRD. It’s absolutely rewarding when you get to do what you want to do, but good lord; it’s weirder than that news story about that child that claims he can recall his past lives. Actually, now that I think about it, that child is probably more poised to fare better in the entertainment industry than I am. Hell, I bet he has more Twitter followers. He figured it out. Good for him. 1 comment The dumb way I start my car. Like a wet piece of bread: Resisting gossip. Screen Shot 2015-02-28 at 2.21.34 PM I used to fire off any terrible opinion about someone with reckless abandon. I thought it made me look like a badass! I thought that it proved to everyone around me just how much I didn’t care! I thought that it made me gritty, real, and honest! Flash forward to me now as I struggle to learn how to resist the powerful urge to dish some dirty deets because, as it turns out, blurting out random, negative, and sometimes unfounded opinions makes you miserable and doesn’t do much to convince people that they should hire you despite your severe PMDD. That said… I have a love/hate relationship with the mutual friends feature on Facebook. It’s the ultimate trigger for opinions that no one asked for. It’s great if you happen sing their praises, but it sure feels awkward when one of your mutuals is someone best left … well, not discussed. I ran into a classmate the other evening and they immediately pulled out their phone, pulled up my Facebook page, and demanded: “How do you know So and So?” Oh, indeed. On one hand, I was dying to know why my classmate so passionately wanted the details of our shared connection. On the other, pretty much every major conflict in Mean Girls could have been avoided by a refusal to indulge gossip. Also, when I was in middle school my mother paid this woman named Miss Lasseter a lot of money to teach me manners, the foxtrot, and how to eat with multiple forks. I figure it’s better late than never to take her investment seriously. So I fibbed a tiny bit and said, “Oh, So and So works with someone I worked with. I actually don’t know them very well.” The truth is I do know So and So – and this accurately sums up my feelings: However, I have lately come to believe that it is in your best interest to avoid going on the record with opinions like this. You look petty because, most of the time, you are being petty. It demonstrates poor impulse control. It lets people know that you hold grudges and that you have trouble letting things go. It’s like a built in siren that whistles: “GOSSIP QUEEN! GOSSIP QUEEN! GRRL’S A GOSSIP KWEEN!” Indifference, even if you must fake it, is really the only way to neutralize the situation. Saying, “I really don’t want to talk about So and So,” or some variation thereof won’t cut it. That’s basically saying, “I could say something terrible, but I won’t because I’m trying out this new thing where I’m above it all.” This only makes interested parties egg you on until you spill the beans or get angry. Either way, you lose. A few things tend to happen after you feign indifference toward someone you don’t like. Your conversation partner might take your words at face value and drive the subject elsewhere. Perhaps they might understand that you just spoke to them in code and drive the conversation elsewhere and try to come back around when you least suspect it. Occasionally, however, they forge on in the direction they had approached the subject from in the first place. My classmate took this route when they rolled their eyes and said, “Oh. You’re not missing much. They’re such a … wet piece of bread.” I felt relieved that I had kept my mouth shut. Partly because I had triumphed over my own sense of negativity and partly because there would be no opportunity for my opinions to come back and bite me in the ass. But mostly because “wet piece of bread” is the most perfect description I have ever heard of another person ever. Clearly my intentions could use a bit more integrity. (For the record: I have never had chlamydia.) Design by:
http://www.smilebigandpretty.com/
dclm-gs1-262370001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.024914
<urn:uuid:14b0b18c-2bea-420a-90a0-35f81d71efe3>
en
0.91206
A Study of Mashup as a Software Application Development Technique With Examples From an End-User Programming Perspective Date Added: Nov 2010 Format: PDF The purpose of this paper is to present, introduce and explain the principles, concepts and techniques of mashups through an analysis of mashup tools from End-user Development (EuD) software engineering perspectives, since it is a new programming paradigm. Problem statement: although mashup tools supporting the creation of mashups rely heavily on data integration, they still require users to have reasonable programming skills, rather than simply enabling the integration of content in a template approach. Mashup tools also have their lifespan in a fast moving technology-driven world which requires meta-application handling. Some developers have discontinued their mashup tools but others are still available in the mashup space.
http://www.techrepublic.com/resource-library/whitepapers/a-study-of-mashup-as-a-software-application-development-technique-with-examples-from-an-end-user-programming-perspective/
dclm-gs1-262410001
false
false
{ "keywords": "engineering" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.170366
<urn:uuid:9d3afe1f-7702-48f6-a33d-6b2f77ea6b94>
en
0.993055
A/N Hi this is my first Avatar fanfic. I hope u like this chapter... Yes it is rated for character death, but don't worry something crazy will happen! ;) This is a Kataang fic and im pretty sure all my fics will be that... 'Cause I hate Zutara, it makes no sense! So here u go Kataang fans, not a lot of fluff but luurve and tragedy will come.. Don't worry not all of my fics will be Aangsty… But do review anyway. If u like it or not. I take all kind of critique. Disclaimer: I don't own Avatar: The last Airbender, but if I did I would be in the story and steal Aang from Katara with my crazy bending powers!! Heh XD "Ok guys just tell me one more time why we are stopping now." she asked as the bison's feet hit the ground with a thud. "Well, if we are to make it to the South Pole we have to have a lot of food." the older girl answered while she hopped of the saddle with the younger girl. Appa groaned when the young airbender hopped off his head and sat on the ground. He seemed tired, which was understandable though. He had been the one who was flying Appa and he was so determined to get to safety that he hardly had slept. "And there are no cities where we can go now. The whole Earth Kingdom has been possessed by the Fire Nation. It will be too risky." he said in a bit tired voice and gestured the way they came from, with his hand. "Aang is right. Besides, I need to refill my pouch and I think I saw water nearby." the young waterbender said and looked around. They had landed on a spot with no plants, though all around them were tall withered trees. In fact there was hardly any life around. But after a while Katara spotted something green behind the trees. She knew there were big beautiful trees behind the dead ones. She saw it from the sky, while flying on Appa. "Look! There, behind the dead trees! I bet we can find some fruits and berries there." she said as she pointed at the green trees. "I will go find some food. Anyone coming?" "Yeah I will!" Aang said as he got to his feet. He pointed his finger into the air as if he was awaiting Katara to pick him to go with him. He took his hand down again and walked towards Katara. "We should set up camp. It looks like its going to rain." the Watertribe warrior mentioned as he held his arm out with his palm turning up against the sky. He was right. The sky was very dark and out in the horizon the clouds were black with white lightnings throwing light on the ebony coloured sky with a quick flash. Toph could feel that Sokka wanted to go with them. Maybe to throw some water in his face to make him more awake. "Wait I can do that. I'll just make some earth tents. But if you don't mind I'll try to sleep, it's nearly impossible to sleep on that fur ball while he is flying. I will sleep better down on the ground where I belong." Toph said, bowed down and touched the ground. Suddenly four solid earth tents shot up from the ground. They were totally sealed up. Momo flied on top of one of the earth tents. Toph then crawled inside the tent. She sighed relaxed and looked out on the rest of the gang. "Well then just sleep while the other of us is out struggling for finding food to survive." Sokka said in an angry sarcastic voice. "Shut it, Snoozles!" Toph closed her tent with another rock and lied down. Momo jumped in surprise. Katara and Aang went towards the dead forest with Sokka right behind them. "Wait Sokka, there is one here!" Aang shouted down to Sokka. He walked out on the branch and clung himself to it. "Come and hold the sack out under the branch." When Sokka was right under Aang cut the stalk with his airbending and the fruit fell down in the almost full sack. In it there were fruit, berries and a few nuts. Sokka was also holding another smaller bag with a few fish in. "Allright Aang you can come down now. I think we have enough." Sokka yelled when the fruit had fallen into the sack. "Ok." he replied and jumped down. He slowed his fall just in time, with his airbending, to not get hurt. Then Katara came running towards them. She seemed upset. "Hey Katara did you get your pouch filled?" the airbender asked her. She panted in a while and then answered him. "Yeah that too, but there is something you need to see. " "What's wrong Katara?" Aang asked but he didn't get an answer. Instead she just made a movement with her hand that told them to follow her. She ran in the opposite direction where Toph were and both Sokka and Aang felt relieved. They came to a huge spot with no trees and no life. Not even a single plant. There was no sound. Even the faint breeze was not to be heard. But in this part of the forest the trees were not dead by natural reasons. The whole area was burned! "Oh no not them again!" Sokka bursted out angrily. First Aang looked devastated and sad. He clutched his hands and felt the incredible power rushing trough him. But then he quickly regained his composure and sighed. He went to one of the trees in the middle of the burned spot. He laid his palm on the trunk and quickly pulled it back with a quiet sheik of pain. He looked at his hand. It was burned. He bit his lip. Both because of the pain and the realization that had just passed his mind. Suddenly he heard an unusual sound that made him flinch and look up, eyes widened. "Aang what's wrong?" Katara asked. She saw his burned hand. "It's okay. I'll just heal it." she said with a comforting voice and started to walk towards him. "NO stop Katara! Don't move." he said and looked around "It's hardly an hour ago when this forest was burned. This means that there are Fire Nation troops nearby." Katara immediately stopped and looked worried around. First at Aang, whose senses were at their highest, trying to locate the source of the sound and then at the rests of the trees. She looked at Sokka, who was behind her. He looked around, too. Then suddenly there was a movement and Aang reacted by assuming an airbending stance. Katara saw what her friend did and took her waterbending stance as well. Then a there was another movement followed by a small sound. No one managed to react on what the movement was meaning before Aang suddenly felt a great pain in his upper arm. Katara gasped. He felt on where the pain came from. His fingers felt something wet and he quickly removed his hand to reveal a bad wound. He looked at his hand. It was coloured red by blood. He groaned and looked up. Behind a tree he saw his attacker and was shocked by what he saw. It was an archer and the thing that hit his arm was an arrow. But that was not what he was shocked of. It was by who the archer was. It was a Yu Yan archer. And not just one. About thirty archers looked out from their hiding place. And they all aimed at Aang. A shower of arrows shot though the air towards the frightened airbender. By reflex he made an air sphere around him and the arrows glanced off. Aang blew the nearest archers off the burned branches, of the trees they were sitting on, and closed in on them. Katara wiped some archers away as well. Sokka used his boomerang to hit a few archers on their helmets and they fell to the ground. But there were so many and they were not only trained to be excellent archers, but also they had to be good at evading attacks. After some time the most of the Yu Yan archers were gone and the rest had run away in a strange way. Like they weren't afraid and not trying to escape. There was no fear in their eyes. Aang sighed and looked at the two siblings. He looked tired and relieved. But still there were awareness in his storm grey eyes. Katara went over to him and hugged him, but suddenly stopped. She felt a wet feeling on her arm. She looked at it and remembered Aangs wound when she saw the blood. She looked at his upper arm. She winced at what she saw. "That really doesn't look good Aang. We need to heal it and find some bandage. I think its time to leave now, when the Yu Yan archers are still unconscious." she said and examined Aangs wound. "Let's take the wound first, it seems to hurt." Suddenly Sokka made a surprised noise and Aang and Katara felt extreme heat. "Katara there's no time!" Aang said and turned around. Sokka were fighting a firebender. The two young benders turned around to find more attackers. There were more than fifty firebenders along with about ten regular soldiers. They were all charging and Katara used the water from her pouch. There were no water nearby and fighting firebenders could reduce the amount of the water she had to a minimum. She had to be careful not to loose that water she had. Aang shot a blast of air towards the regular soldiers and they were knocked down. He then jumped up in the air and landed in the middle of a small crowd of firebenders, that all turned against him, taking their bending stances. Aang used earthbending to launch the Fire Nation troops up in the air where they quickly fell to the ground, most of them knocked out. Time passed as they fought the troops. Too much time. They were all tired. Aang felt the power rise up in him again, but still not enough to release the Avatar state. There were almost no soldiers back and he felt relieved. But suddenly he heard a scream from behind him. Then a thud. And then Sokkas voice could be heard screaming in panic and despair. The name and Sokkas screaming voice made Aang flinch. An uncomfortable feeling rose from his stomach to his throat. He quickly knocked out a firebender which was getting closer on him. Aang turned to see what had happened and gasped a loud gasp at what his eyes met. Katara was lying on the ground with her eyes closed. Her empty pouch was lying next to her. There seemed to be no wound, though it was obvious that she had been hurt. In his rage Aang made a huge spinning tornado, which turned black of the burned tree and earth it lifted from the ground, around him that knocked everyone, around him, out. The ones who were further from him were taken down by his earthbending when he jumped into the air and landed with his feet making a wave of small pillars that rushed towards the soldiers. Then the airbender hurried to Kataras side and kneeled down. He took her hand and with his other hand he felt for a pulse at her wrist. He let out a moan of devastation and his head felt heavy. Tears rolled down his cheeks. With the hand he had used to feel her pulse he grabbed his shirt, right over his heart. He clutched the cloth and made a face that looked like if he was in great pain. It felt like something had just left him. Something that just jumped out of his heart and left a big hole he knew he would never be able to fill. His breathing became strange and it sounded like if he couldn't breathe. Sokka saw how Aang reacted when he took her pulse. The sight of the tears on his cheeks, the hand clutching the orange and yellow cloth and the strange hiccup sounding sobs, Sokka didn't doubt. His eyes watered, though he tried to be strong. He looked at his sister and then at the mourning boy at her side. He saw how Aang had given up trying to be strong. He had no one to prove it for anymore. That made Sokka let the tears from his eyes fall. "It can't...It's not... She...No... No, no, no, no, no, no…." the young airbender said while he took her pulse again. He widened his eyes. "…no, no..WAIT! I feel something! She is not dead yet! I can still…" he suddenly bursted out. Sokka looked up with new light in his eyes. "What do you mean? What can you do?" he asked impatiently. "I think… I hope… Maybe I can resurrect her. I don't know it its possible but its worth trying isn't it?" he said and looked hopefully at the warrior. Sokka nodded. "It sure is. But what if it is possible? I will properly take all your energy. What if there are more soldiers? It's too risky." he said and somehow regret it. Weren't his sister more important than his best friend? "No, nothing is too risky." he replied with a determined look on his face. "If I can resurrect Katara, I will gladly face the consequences." Sokka looked surprised at the young boy. When did he get so determined and mature? He nodded. Everything for his sister, right? Aang cupped Kataras hand in his own two and closed his eyes. He inhaled with his nose and exhaled with his mouth. He repeated it a few times. Then he closed his eyes tighter and bit his lip. Then suddenly the arrows on his head and hands started to glow. Wind started to move around him. "AANG you can't make it! It will kill you! STOP!" Sokka yelled as he saw how much energy Aang was using. "NO Sokka, I don't care! I have to do this." the Avatar replied. The groaned as the wind started to twist around him, creating a wild tornado. His breathing became hard and his eyebrows twitched. Then suddenly the wind faded and the arrows stopped glowing. He sighed heavily and fell backwards. Sokka catched Aang before he hit the ground and made him sit up again. A sound was heard and Aang opened his eyes. His tired eyes searched the area, but found nothing. But he wouldn't take the chance and stood up. Cautiously he moved closer to where the sound came from. Eighty meters away behind a burned tree a young firebender stood. He had been watching it all from a safe distance and now he felt determined. He looked around at the ground. An archer had fainted and was lying near the 16 year old bender. He picked the archers bow up and took an arrow from his quiver. He aimed at the young boy. "If I can't capture you, Avatar I must use other methods get rid of you." He closed his scared eyed and focused and on the airbender. He breathed the same way as Aang had done a bit earlier. But it seemed to be a bit too loud. Katara had woke up and looked into the watery eyes of her brother. Then she looked at Aang who were searching for source of the sound. And the she looked further away. And behind a tree she saw him. A croaky gasp made it over her lips. A gasp that was supposed to be a warning. Aang looked up just as Zuko released the grip of the arrow and let it fly towards the young Avatar. Aangs eyes widened and they met the prince's. He felt his reflexes telling him to evade, his instincts telling his legs to move, but he was too tired and too weak. "This was my own decision. Now I will face the consequences." And then it hit him. Right through his left lung. His knees felt weak and his head and shoulders felt heavy. Next to him, a bit behind him, he heard a loud gasp. Somehow he smiled inside himself. He recognised he voice. As he fell to the ground the owner of the voice and her brother rushed towards him. He winced at the pain in his chest. He tried to reach the arrow, but it took him too much energy and hurt too much. He suddenly felt his friend's presence and was surprised how hoarse his voice was when he whispered their names. Katara took his hand and moved it up to her cheek. With the other hand she caressed his cheek and started to sob. Sokka kneeled down on the other side of Aang. "Katara…" Aang whispered in a hoarse voice. "…you're alive! I…I did revive you." he said with a happy tired smile. The hand she held to her cheek started to move by itself and touched her face with his slender fingers. Her eyes overflow with tears and they started to roll down her cheeks. His rasping breaths made sting in her heart every time he inhaled. She looked at Sokka, somehow to make him tell her what to do. But the face her eyes met was not an enthusiastic face. It seemed more helpless and afraid. "Sokka there's something we can do, right?" Katara said with a desperate voice. "I can heal him. We just need to find some water. And some rags. We need to…" Her voice was strange, mixed with desperation and hiccups. But she was cut off by her brother. "No Katara. There is nothing we can do. This wound is too big for you to heal. The arrow has struck through his lung. The only thing we can do is to remove the arrow and lighten the pain." he said as his hand moved to the arrow in Aangs chest. "This is gotta hurt pretty much, Aang. You're sure you want me to remove it." Sokka asked the airbender. Aang nodded stiffly. "Yeah that would be nice." he answered and smiled to his warrior friend. Sokka gave both Aang and Katara a concerned look and then looked down at the arrow. He had done this many times on the warriors from his village, but this was different. This was Aang. He was not a rough watertribe warrior. He was only a young vulnerable boy. Despite his fear for making Aang suffer he grabbed the arrow. He carefully cracked it so closely to the wound as possible. Aang made loud pain sounds that gave Sokka a bad feeling in his stomach. "Don't worry Aang; this will be over in a few minutes." When the arrow only half its length he placed a hand under Aangs back, right over the arrow, and another around the rest of the arrow. Sokka lifted him a little to make space for the arrow to come out and the hardened the grip on the arrow. Then in a quick pull he pulled the arrow out. Aang made a loud gasp and then breathed very fast. The blood began to flow faster and made a pool around him. Katara cupped her mouth and nose with her hands and gave him a look filled with concern and pity. Sokka frowned at Aangs condition. "Im sorry Aang." he said when he had thrown the arrow away. He laid Aang on his back. "Don't worry Sokka. I said you could do it and you warned me too. Ngh!" he said and groaned at the feeling of coldness rushing over his body from his legs and up. He couldn't feel his legs anymore. "There isn't much time. Im sorry… I could have saved us so easy… If just I had…" he said in an exhausted voice. "Shh Aang. Try not to talk too much. It wasn't your fault." Katara said. Tears filled his storm grey eyes. "I don't know what will happen to the world. I was the world's last hope for peace. Now there is no hope left. My duty was to save the world. But I couldn't fulfil my duty." he said and sighed a hoarse sigh. "We will be fine Aang. The Avatar will return and restore peace. As it is meant to be." the waterbender replied with a sad smile. They all sat there in a while. Looking at each other. The only thing that could be heard was Aangs feebly breathing. Then Sokka broke the painful silence. He felt an urge to lighten the situation. Make them both smile. "Well, now we don't have to worry about hunger." he said with a forced smile. Katara gave Sokka a forced smile too. She could feel that he tried to cheer them up. It cheered Aang up too. Enough to make him laugh a little. But it became depressing when he short after started to cough violently. Blood started to flow out of the corner of his mouth. He started to shake. "I… Soon I will…" he sighed and closed his eyes. "No!" Katara busted out. Aang quickly opened his eyes. He gave her a shaking smile. Katara smiled back in relief. Even though the tears made her sight blurry. She wiped the tears away. She wanted to see the last of her best friend. The thought made her cry. "Y-you need to f-find the next Avatar. It w-will be a waterbender." he said as he felt the cold feeling reach his throat. He could hardly breathe. "We know Aang. We know. I promise we will defeat the Fire Nation." Katara said with a determined voice, but still filled with sorrow. "And avenge you. Make Zuko wish he was never born!" she thought and clutched her hands. Then she placed her palm on his cheek. It looked like it removed a little of the pain he was suffering and he relaxed a bit. He placed a hand on her cheek as well. He used his thumb to caress the tanned skin. She pushed her head against his hand, enjoying his caress. Tears wetted his hand. "I…I think im going to leave you guys now. Remember your promise. You have to make peace in the world." "I don't care about the world Aang. I don't care about the next Avatar. All I want…" she thought and suddenly she realized something. Something she had doubted for a long time. But now she realized it. "…is you." Suddenly Aang made an outburst. The blood started to flow faster out of his mouth. And then slower. Much slower. His breathing became very slow and his eyes were only half open. His hand started to shake violently. He felt the coolness reach his head. His mind began to fill with darkness and his body felt heavy. He couldn't feel the hand caressing Kataras face. He couldn't even feel her. "Katara!" he cried out with dread painted all over his face. "Katara I... I… I lo…"he started the most important sentence in his young life, but was cut off by something not entirely unexpected, but yet horrible. The light disappeared from his light grey eyes and he stared out in the air. All left was empty eyes with no spark or sprit. His hand fell from her face and landed next to his body. His chest went from barely moving up and down to not moving at all. Katara let out a shriek of grief and grasped his cold hand in hers. Her sobs transformed into a loud crying as she embraced his cold limp body rocking forward and backwards. Sokka reached out and placed two fingers on Aangs eyelids and forced them to close. He held his fingers there for a while to make sure they kept closed. Katara glared at him and he removed his hand. "Don't do that. He's not dead." she said and looked down at the airbender knowing she wasn't telling the truth, though she pushed it away with the faint hope that he wasn't dead. "He's not dead. He's not dead. He's not." Every time Sokka heard his sister claim the impossible it hurt in his heart. They both knew it wasn't true. But he couldn't tell her. Even though she knew it, he couldn't. It would hurt too much. Again he let the tears flow out his eyes, straining his dirty cheeks. He bit his lip and looked down. He remembered this from earlier. "He was right. There is no hope. Its over."
https://www.fanfiction.net/s/3437131/1/The-Airbender-of-the-Fire-Nation
dclm-gs1-262740001
false
false
{ "keywords": "blast" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.133335
<urn:uuid:1549cfa0-e7db-415e-bb16-b68026892d12>
en
0.954192
What does R/O mean on a medical document? Liked this question? Tell your friends about it Best Answer It depends on the context in which it was used. It could be rule out,  receive only, removal of.... Related Questions Asked: Can not open documents can not open documents More Questions I did not get an answer What does PSA mean How can I print the original documents found on ... I would think that File > Print would work, but if not, try using the snipping tool in W8. You can capture the page, save it, open it, and print from there. It would be an image rather than text.
http://aolanswers.com/questions/r_o_mean_medical_document_short_5181160316943
dclm-gs1-262930001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.99749
<urn:uuid:c09c1456-5e55-428c-9b1b-e8f454acd598>
en
0.955606
what does "a ca mia" mean in italian? what does "a ca mia" mean in italian? Related Answers Explore the latest questions and answers related to "what does "a ca mia" mean in italian?" Answered: Ca flag red stripe The California flag has a red stripe at the bottom. Answered: Italian wife, can travel with me?'? Answered: What does to inibate mean to a person? Answered: What does parlo in gergo lo fa piu mean in Italian? go to www.altavista.com. it's an awesome site that translates anything. Answered: What does "mangia mia" mean? "mangia mia lasagna" translates to "eat my lasagna" Answered: Meaning of word assential Liked this question? Tell your friends about it More Questions What does reti mean in italian? "reti" in Italian means networks. What does PSA mean What does Italian slang "bada bo, bada bing" mean? It is a slang way of saying and there you have it.... it also goes along with hand movements, which gives the expression more meaning.
http://aolanswers.com/questions/what_does_a_ca_mia_mean_in_italian_p495059737177112
dclm-gs1-262940001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.046287
<urn:uuid:c8d690bc-af6a-4acf-8a74-0a8836761b6b>
en
0.969105
why did jesus had to suffer injustice? Related Answers Explore the latest questions and answers related to "why did jesus had to suffer injustice?" Answered: Picture of crossing to Jesus Answered: Need to know very confused about this ? Hope I get a answer Simply put, He saved us from sin and comdemnation. When Adam defied God and ate the forbidden fruit, he and Eve fell out of Grace and became sinners. So as descendants of Adam, we are sinners hereditarily. But just as sin came from one man, it is by one Man that sin is destroyed. And that is ... Answered: Injustice No I did not find the answers. Please continue to try Answered: The line to see jesus It's only make believe. Don't worry about it. Answered: Don't you wish Jesus would come down and give TrueIowan a swift kick Why on earth would Jesus lower himself to Truelowdown's level? Answered: Who said this quote? Liked this question? Tell your friends about it More Questions Knowledge of Jesus Christ The ABC of Jesus Christ There is so much truth about "the narrow gate" and "the hard way" that leads to eternal life, which "few people" find as irrevocably expressed by Jesus Christ. Be among the few! Don't settle for easy Christian faith. (Matt. 7: 13-14) Jesus in scripture Jesus IS the word. Can any believer in Christ Jesus baptize another believer? A new leftist Muslim Atheist poster's alias who has been posting for hours and hours and going on questions that are 5 years old. Who does he think he's fooling?
http://aolanswers.com/questions/why_did_jesus_had_to_suffer_injustice_p273663758910557
dclm-gs1-262950001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.02258
<urn:uuid:2224a91b-c945-408c-8013-f2171d6b53a2>
en
0.982575
Sign in Sign in to Customize Your Weather Comments by serversmom (104 total)    RSS Most recent activity is shown first. Show oldest activity first I guess I better call the police and have my great grandkids arrested for their chalk drawings on my driveway. Sad when the kids are more mature than the adults. Especially adults in authoritative positions. Dress well, make sure you're clean, comb your hair, brush your teeth. These are the responsibilities of the parents to enforce. Unfortunately, with the economy the way it is, many parents are both going off to work before their kids leave for school. Let's not debate that issue today. The one thing that I find very offensive is everyone stating that girls should wear dresses or skirts. Are you kidding me? What is this, 1950? Why do women have to wear dresses, nylons, skirts, etc.? Can't they be well dressed by wearing nice jeans that are not too tight, or pants. Dresses! Stop! Now! Wait, let me read Vick's comment again. "I think we have a chance to develop a dynasty." What team doesn't? He isn't bragging. He is acknowledging the talent on the Eagle's team and hoping to make the most of it. I think this is just one more opportunity for you to jump on Vick. Or maybe understanding English is the problem. One of the reasons I fought for the right to wear pants and jeans was because we, as a female student, was sick and tired of trying to sit in the front row turning this way and that way to avoid the male teachers blatantly looking up the girls dresses. I formerly worked at a company that required at least one or two Spanish speaking individuals in their employ. Why? Because we were an international company and although many other countries require their students to learn English, it is a very difficult language and not all can understand our colloquialisms. If we intend to stay a strong world power we need to be able to communicate. And yes, requiring Chinese may be the next step. I agree that if you live in this country you should speak English, just as I would expect to speak the language in any other country in which I may reside. As of now, Spanish is a basic requirement for the near future and it is time for Nazareth to get with the program. Mr. Miller is really making waves where none should exist. Keep this in mind, Nazareth residents, the next time he is running for school board. If it was Mr. Miller's intent to create dialogue he has certainly succeeded. For a few minutes I thought it was still the 1960's! Been there, done that, got the (excuse the pun) T-shirt. I agree with one thing Mr. Miller said and that is the kids with the drooping pants and the eye alert clothing have to go. But no one has addressed the teachers' clothing. I remember my kids coming home from school complaining about the way some of the teachers dressed. There is nothing wrong with kids wearing comfortable clothing to school. This isn't a military academy. And what about the expense to the parents to change out the entire wardrobes of their families? School costs enough with the taxes we are paying and other miscellaneous costs that we endured while our kids were in school. Mr. Miller, go back to 1968 if you want to "dress appropriately." I have heard all these arguments before, several times, and it is nothing but a waste of time. It looks to me as if Lower Nazareth is just trying to pressure Selvaggio by creating more problems for him. This isn't just a battle that the two of them are facing. What about all the other companies located on that road? They are not a part of this fight yet changing the street name will cause them added expense. Is the township prepared to reimburse all of them for the cost to change their legal documents, letterheads, advertising, etc.? I notice that the article is centered on just two businesses. What about the rest of them? Eaglefan, I don't know if you have ever tried to pull out at either intersection of Freidenstahl in the morning or at night. Because if you had, you would know that you can sit there for several minutes waiting. And this pertains to all the side streets that run parallel to Freidenstahl. I will take an inconvenient traffic light any day to enable me to turn onto 191 or Main Street/Walnut Street safely. I've seen people pull out in traffic taking a very big risk just because they sit forever and jump at the slightest opportunity. Again, the school is just a minor problem. This has been an issue since before they even built the intermediate school. This was a problem intersection long before the new middle school was constructed. It is very difficult to go from Freidenstahl to Rt. 191 at any time during the day. It is equally difficult to go from Freidenstahl onto Tatamy Road or Walnut Street or Main Street or whatever the road that runs from Tatamy to Nazareth is called. The population has increased in these areas and so has the traffic. Wait until they put the Route 33 interchange in. It will only get worse. Amy, was alluding to the others, not those 4. I have come to the conclusion that a prerequisite for working in a school district administrative capacity is that you have to be an idiot. Bangor is having so many problems with their teachers and staff that one would think they would go the extra mile to provide some good will, along with good press. Fundraisers are held all the time in school cafeterias to promote sporting events and at no charge to the booster clubs. It is unfortunate that the original venue Amy contacted was already booked because they certainly would have known how to treat this situation. In any event, hopefully Collin Kearney and his family still benefit from this debacle. From the headline, I thought he attempted murder at the court house. Beam me up, Scotty. There is obviously no intelligent life on this planet. Posted on Caption this: Glitter girl on March 07, 2012, 3:37PM I understand your point but please keep in mind that local residents work in these establishments and chain restaurants offer more opportunity for employment than the smaller local restaurants. I think we can enjoy both and they can coexist in our area. Posted on Don Pablo's restaurant in Palmer Township has closed on February 03, 2012, 10:38AM There are no lights on the railroad signs to show that a train is coming, nor any drop gates. You cross at your own risk. Now someone has died. Very, very sad. If that more than 1% tax you mentioned was previously referred to as the earned income tax, Upper Nazareth also has that tax. If that isn't what you meant, I apologize. Then there must be a whole lot of idiots out there because almost everyone turning left onto 248 from the left turn lane crosses into the right lane to get onto Route 33. And I am one of them. I agree that the light in Tatamy is overkill for now, but wait until the interchange comes in. It will be a necessary evil. As far as the light in Nazareth goes, I'm all for it. It was extremely difficult to pull out onto Broad Street. Now you know you can safely turn onto Broad. And at least you know you won't be running up over the curb every time you make the turn onto Walnut, thanks to the line that they painted on the street. I will probably be in the minority and I am not actually siding with the parents, but I know it is not that easy to get treatment for mental problems/issues in Pennsylvania. I know of one parent who had a child who was borderline mentally ill. Because of the way health care works, there were numerous hoops to jump through before their child could be hospitalized. If you are over a certain age, there is basically no facility willing to take you unless you sign yourself in but then you can also sign yourself out. You are all thinking about this with a rational mind. Mentally ill people do not have the ability to think rationally at all times, especially without medication. The prison was told that this individual had problems. It is far easier to not give a darn about someone than to take that extra cautionary step to ensure their safety and well being. We have become a society of ambivalence; people no longer have pride in their jobs, doing as little as necessary to get by. I feel very, very badly for these parents. Until you lose a child, no matter by what means, you cannot begin to imagine how they feel. And unless you lived with them, you don't know what action they took to try to get their son the mental help he needed. Did he commit a crime? I don't know the story but if he was in a car that was stolen, without his knowledge, and again I don't know the whole story, he certainly wasn't going to jump out when the driver was going 100 MPH. Obviously he was found guilty because he was serving a sentence. I guess I'm saying there is enough blame to go around to all involved. Dear mad, you actually proved my point. The interchange from route 33 onto 248 created all that development, which by the way continues into Palmer Township thanks to, I believe, Strausser. I don't recall any towns along that section of 248. Tatamy will definitely be impacted. The true problem here is that Chrin gets whatever he wants whenever he wants. He makes empty promises and that was obvious from the start. Obviously money talks and he is talking all the way to his bank account.
http://connect.lehighvalleylive.com/user/serversmom/index.html
dclm-gs1-263200001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.033628
<urn:uuid:b79fb8e9-f669-4518-8973-fd3c5d854742>
en
0.702188
Did you mean: tablet > tablets Your search for products containing "370698 belkin tablet stylus" yielded 49 results. You are on page 1 of 5. Stylus Pen SKU #1335378 | 72 units per case Grad Stylus Pen SKU #1878054 | 48 units per case
http://dollardays.com/sitesearch.aspx?pg=1&terms=370698+belkin+tablet+stylus
dclm-gs1-263270001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.964639
<urn:uuid:b35c8bcc-4067-4d3f-8804-cbb839fef508>
en
0.910481
Your search for products containing "sexy plus sized tops" yielded 13 results. You are on page 1 of 2. There are sexual wellness products available for your search terms. You can include them or go directly to them.
http://dollardays.com/sitesearch.aspx?pg=1&terms=sexy+plus+sized+tops
dclm-gs1-263280001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.318773
<urn:uuid:7dbeef0b-777f-4189-a3d8-aef1c4a5ac1c>
en
0.901978
Hoover Dam Sub-Level 1C 18,015pages on this wiki Hoover Dam Sub-Level 1C VB DD12 map Sub-Level 1C Icon building part ofHoover Dam Mutation Hatchery Science Lab and Kennel Main Computer Room Supervisor's Office Sleeping Quarters Supply Room questsDiscover lost Hoover Dam war and Sub-level 1 history and relaying information to FOA Gametitle-VBGametitle-FNVGametitle-FO3 OA Gametitle-VBGametitle-FNVGametitle-FO3 OA Hoover Dam Sub-Level 1C (Classified) is a secret pre-War research facility within Hoover Dam. This was a top secret research laboratory in the pre-War days. Its main purpose was genetic experimentations for military exploitation; i.e. making horrible abominations to not only terrorize the enemy, but also completely wreck ecosystems. The genetic mutations that would be created were specially designed to adapt to just about any ecology and take over, utterly wiping out anything else in its path. The reason why Hoover Dam was chosen was because there were several creatures in the area that seemed to be results of genetic mutations. Certain areas of the Hoover Dam Lake seemed higher in radioactive isotopes than other areas, which might have been the reason for the mutations. However, no matter the reason, it was considered a good place to start and further the process with a secret lab. Using similar technology that the Master eventually used for his twisted purposes (he stumbled across the research in top secret computer archives), scientists made several specimens that grew to full size. However, shortly before the Great War started, a Chinese infiltration and sabotage team discovered the secret laboratory and tried to destroy Hoover Dam so the genetic work could never be used against them. Some of the Chinese stealth soldiers in Hei Gui stealth armor made it into S1C while others were planting bombs in the main generator rooms (now called the Scum Pits). One of the bombs went off prematurely and alerted all of Hoover Dam, including the guards in S1C. Things become cloudy in the reports due to the chaos that ensued, but suffice it to say that the Chinese were defeated, the generators were heavily damaged, and S1C was compromised. During the heated battle in S1C, several genetically altered creatures escaped into the halls. The guard in the guard post was ordered to leave and seal the exit hatch if ever such an emergency happened, and the guard followed orders well. A couple of Chinese stealth soldiers and four scientists were trapped in S1C after the hatch was sealed, doomed to either die at the hands, or weapons, of the enemy, be consumed by the escaped genetic creatures, or just die of starvation.[1] If the player ever makes it down here, he will find that the floor's integrity has been compromised. There is murky, green water that is about waist high all over the floor. The water comes from a broken wall and a hole in the floor. From that hole emerged mutated leeches and perhaps fish. Either way, these creatures turned out to be the food that has sustained the centaurs and floaters in SC1. Once the player kills all the mutants, the player will have access to a great science lab and a top secret central computer that has some info on hydroponics, history, etc. Lastly, the player can find the dead Chinese stealth soldiers and use the materials from their stealth armor to make his own stealth armor.[1] It was to appear in Van Buren, the canceled Fallout 3 by Black Isle Studios. The Chinese sabotage mission is mentioned in a terminal entry cut from the Operation: Anchorage Fallout 3 add-on[2]. 1. 1.0 1.1 Hoover Dam design document by Damien Foletto 2. American intelligence report in Operation: Anchorage Design Document Other Wikia wikis Random Wiki
http://fallout.wikia.com/wiki/Hoover_Dam_Sub-Level_1C
dclm-gs1-263350001
false
false
{ "keywords": "mutations" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.0479
<urn:uuid:888d9c80-0e15-4b10-ba02-3b49ec1e5151>
en
0.934076
Mind Set change The way we think could be costing us a lot of money.  I’ll to the point in a minute but I remember working in London England on a hotel project in Lisbon, Portugal. Everything had to be done in the Metric system. It took awhile to think in Metric terms  And at that time there were no Euros only Crowns, ½ Crowns, Schillings, Pence and Ha’pence (half a penny) that took a while to get used to. Most Americans, by birth, think in terms of feet and inches, those who immigrated here had the opposite change of mind set to deal with. So let me ask you, If I were to tell you that I live in 450 square meter house. What be your first reaction? Pretty small huh! Well that actually converts to over a 4,800 square feet When we travel abroad we have to think in Kilometers per hour or liters when we gas up the car. Now to the point. Think Electricity Your significant other says the bathroom light is out so the men of the house can’t Shave or She can’t put on her makeup, which by the way takes a lot of time and burns up tons of watts. So you think OK I’ll stop and buy a 100 watt bulb, that will give us enough light.  But asking for a 13 Watt CFL bulb would probably leave you thinking that that would be way too small. Most everyone I know growing up understood the four basic sizes of light bulbs; 40, 60, 75 and 100 W and it was easy to determine what size wattage light bulb would be applicable to a certain task. For example everyone would realize the 40 Watt light bulb in a ceiling fixture would certainly not give us enough light or putting a 100 watt light bulb in the refrigerator would certainly be too much light and of course create excessive heat. So here’s the rub, wattage has absolutely nothing to do with the amount of light for the most part. Wattage is simply a measure of electric power You could take a 75 watt or a 100 watt light bulb put it into a black bag or paint the bulb black and turned it on and you would not see the light but you would certainly be using the power and that costs you money. The proper term for light output is lumens which are a measurement of light for example having a candlelit dinner may give you about 12 lm of light where as a 60 W light bulb would give off about 840 lm. Next time you go to hardware or a big-box store and buy light bulbs tell the clerk you would like an 800 lumen light bulb and see what kind of reaction you get. Don’t worry about the Color output, The one thing that I never liked about the florescent light was the bluish color that it gives off but that was a long time ago today most Fluorescent and CFL’s are color corrected for daylight and warmer whites. So in fact you have a little more flexibility on the type of light that you prefer. Lumen range 9-13   w Here’s a chart that shows the difference between incandescent light bulbs and the soon to become standard “CFL or LED” bulbs and the wattage associated with each type. Lamp- Wattage Comparison Now, How about some cost comparisons? Look at your current electric bill and take the total cost will which includes the cost of the energy, the distribution and the. Taxes and divide that by the kWh’s. Depending on where you live that could range anywhere from 0.06 cents a kWh  to 0.12 cents a kWh. Then list the size and type of each bulb and the average number of hours they are in use. Sounds like a lot of work but let’s take a look at simple example for a month Cost of Electricity is 0.08ct/kWh Number of light fixtures is 20 (all the same wattage i.e. 75 watts) They all on for 5 hours a day 20 Bulbs x 30 days x 5 hours per day x 75 watts= 225000 watt hours Divide by 1000 to get KWh: 225000/1000 = 225 KwH 225kWh x 0.08 cts = $18.00 Now let’s change to a CFl with the same light output (remember the lumens? 20 Bulbs x 30 days x 5 hours per day x 9 watts= 27000 watt hours Divide by 1000 to get KWh: 27000/1000 = 27 KwH 27kWh x 0.08 cts = $2.16 $18.00 -$2.16 leaves you 15.84 a month That’s a 88% savings !! So how many people to take to change a light bulb?  Sound familiar? Two if you are lazy one to go the store and the other to change the bulb. Lamp Life and Lamp Costs The typical life expectancy of an Incandescent bulb is approximately 750 hours and costs about  $0.75 The typical life expectancy of an CFL is approximately 10,000  hours and costs about $ 5.00 Or  one (1) CFl = 13.33 Incandescent bulbs   ( $5.00 vs $10.00) In the summer of 2007 the federal government and acted the energy independent is to react 2007. The efficiency standards will start with 100 W bulbs and end with 40 W bulbs. The timeline for these standards was to start in January 2012 but on December 16, 2011, the US House of Representatives passed the final 2012 budget legislation, which effectively delayed implementation until October 2012. So we have a little bit of time left it is certain to happen. Views: 74 Tags: http://ow.ly/8m3xv Join Home Energy Pros Home Energy Pros Latest Activity Michael Dunseith posted photos 17 minutes ago Kim Tanner's 2 videos were featured 3 hours ago Martin Grohman's blog post was featured Working with Roofing Professionals 3 hours ago Sean McLoughlin's blog post was featured 3 hours ago Paul Raymer's 2 blog posts were featured 3 hours ago Tony Hicks's discussion was featured Slab-on-grade Insulation 3 hours ago Larry Schaffert's discussion was featured How to correctly insulate exterior wall in a 1900 house? 3 hours ago Bryan Pringle's discussion was featured Dense packed cellulose in basement? 3 hours ago © 2015   Created by Lawrence Berkeley National Laboratory. Badges  |  Report an Issue  |  Terms of Service
http://homeenergypros.lbl.gov/profiles/blogs/mind-set-change
dclm-gs1-263510001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.042486
<urn:uuid:b75effc7-38d1-410e-a55b-183e3ecf6ab3>
en
0.957634
Monday, November 23, 2009 Climate Research Unit email scandal Gavin Schmidt at RealClimate explains: An interesting comparison to past scientific controversy is: And, to compare to the climate change skeptics: [Response: Not a single one. - gavin] Hume's Ghost said... My favorite response to this "global warming scandal of the century" has been Michelle Malkin's "The Chicago Way is the Global Warming Mob Way." It's like such individuals - Malkin, Beck, Hannity, et al - live in some alternate reality consisting of perpetual, hysterical wrongness. Jason S said... There are numerous examples of Skeptics making constructive contributions. For example, Gavin is partially responsible for the GISS temperature series. Steve McIntyre identified an error in this data ( which was subsequently fixed by GISS. Although GISS wen to pains to avoid giving Steve credit, and to minimize the impact of the error, they have on several other occasions published papers about even smaller adjustments. ( I can think of a dozen such helpful suggestions off the top of my head that Gavin is personally aware of. This is undoubtedly only a small fraction. Quite a number of these helpful suggestions, like Steve's observation of the Y2K splicing error in the temperature record, have in fact prompted alarmist climate scientists to fix or otherwise improve their methods and calculations. So when Gavin says that he is unaware of any constructive criticism from skeptics, he is lying. He has personal knowledge of numerous examples. Jim Lippard said... My impression was that Schmidt had in mind something more substantial than identifying minor errors, which is something that even young-earth creationists can do for evolutionary biology. Do any of the other "dozen helpful suggestions" you mention involve substantive contributions of method, data, or line of inquiry that has led to, say, a frequently cited publication in a scientific journal? Jason S said... I doubt very much that Schmidt would agree with your definition of substantial. It would force him to remove numerous papers from his own CV. I would be curious to know what your definition of substantial is. Regardless the contribution of skeptics is substantial by any definition. You can find virtually any type of contribution you want on this list of peer reviewed skeptical papers: This is a small fraction of the research that I consider to fit this label (but I lack the time to compile a list). Some of the people on the list would deny being skeptics (Pielke Jr. for example) but I certainly expect Gavin to agree with the list creator's assessment. Gavin himself has obviously been captivated by McKitrick and Michaels methodology; so much so that he recently published a paper analyzing it. (He found that by using satellite data he could also show a significant correlation between urban civilization and temperatures but, oops, he didn't notice that the sign of the correlation is reversed. Doh!). Bottom line: there is a vast body of skeptical contributions. The precise definition doesn't matter much. Jim Lippard said... "Substantial" is certainly a fuzzy category with some degree of subjectivity. Papers like the ones at the tops of these lists by citation are clear-cut cases of substantial contributions to climate science. Those published in the Journal of the American Physicians and Surgeons (a couple on the list you cited), by contrast, are clearly not. Jim Lippard said... BTW, some of the other journals that appear in your list include the social science journal Energy & Environment, the anomalies-in-science journal Journal of Scientific Exploration, and the embarrassed-by-failure-of-peer-review journal Climate Research (mentioned in the original post). Real Climate's post on "Peer-Review: A Necessary But Not Sufficient Condition" is instructive in this regard. Jason S said... I can drill holes in Team papers all day and you can drill holes in skeptical papers all day, and we could both be right each time. That's science for you. But for ANY standard of "contribution", there are skeptical papers that have met that standard. geochoww said... Jason S: I certainly expect Gavin to agree with the list creator's assessment. Gavin has replied and he, like many others - even RPJr. - have pointed out the illegitimacy of the Poptech list. Also, what paper of Gavin's are you talking about? I'd like to take a look at it please. Jim Lippard said... Jason: I agree that there are climate change skeptics who have legitimate academic positions and have published legitimate scientific work in legitimate scientific journals. I'm not, however, aware of any that make a dent in the case that there's a significant human component to atmospheric CO2 and that atmospheric CO2 is a major cause of a long-term warming trend; even some of the people classified in the "climate skeptic" category on your list agree that this is the case (e.g., Balling and Pielke Jr., talks by both of whom have been summarized at this blog, Balling here and Pielke Jr. here and here). Pielke Jr.'s papers on hurricanes and property damage are on that list, but they don't express skepticism of anthropogenic global warming, contrary to the heading at the top of the list (see the two summarized talks; he discussed those papers in the second one). Jason S said... I never suggested for a moment that Gavin agrees with the skeptical papers. He does not. (Although I'd love to know what fault he finds with, for example, the Pielke Jr. papers on hurricanes). I meant that Gavin would agree with the labeling of the Pielkes as skeptics (which Pielke Jr. certainly does not). S09 == "Spurious correlations between recent warming and indices of local economic activity" in IJC. You can find the last three entries in this sequence towards the bottom of the references for the Wikipedia entry for Urban Heat Island [Currently 39 through 41]. I recommend them to anybody who likes this sort of analysis. I'm pretty interested to see if Gavin is going to be able to rebut the last entry. Jason S said... Finally, Jim, If skepticism of anthropogenic global warming means that you don't believe that anthropogenic CO2 is heating up the planet, then I am not a skeptic. Neither is Steve McIntyre, or Ross McKitrick or any of a host of other individuals who are routinely identified as skeptics. I agree that you _can_ define skeptic in a way that excludes all or almost all meaningful contributions. But by doing so you also exclude all or almost all of the meaningful skeptics. Jim Lippard said... Jason: How do you define it (either for yourself, or that includes the class of people that you call skeptics)? Does Glen Whitman's taxonomy of questions about global warming help? Is it skepticism about negative impacts of warming in general, or only in some particulars (sea levels? ocean acidification? arctic ice sheet melting?)? geochoww said... Jason S: Thanks. I've read the paper over and I don't see how your critique of it overturns its main conclusion that dLM06 and MM07 both overstate the significance of their results as their approaches do not treat (a) scale mismatch in data and (b) spatial correlation effects appropriately. To add on to Jim's question - what is it about AGW that you are skeptical about? The science? The implications to policy? The politics per se? Jim Lippard said... W: It seems to me that if people aren't skeptical about AGW, they shouldn't call themselves AGW skeptics, or publish list of documents under titles like "papers skeptical of man-made global warming," and should be trying to correct the clearly erroneous public skepticism about AGW. It seems odd that people who say they aren't skeptical about AGW are doing exactly the opposite, trying to increase public doubt about AGW. The Heartland Institute's "Legislator's Guide to Global Warming Experts" defines the skeptics by saying: "No one can speak for all these scientists and analysts, but skeptics generally are united in their assertions that insofar as global warming exists, it doesn’t pose a catastrophic threat to the Earth, and mankind’s contribution to the release of greenhouse gas is insignificant." That description characterizes skeptics as both minimizing the quantity or doubting the existence of warming and doubting the significance human contribution to GHG as a cause of any warming. The Heartland Institute's site also touts the fact that the general population is skeptical of the existence of global warming in a way that suggests they wholeheartedly approve. Jason S said... Geo: I didn't mention dlm06 because I don't think its on solid ground. Have you already read McKitrick's response to Schmidt? If not, I think he should get first crack at showing you the problems in S09. Jim: As Pielke Jr. has done a good job of documenting, there has been a concerted effort aimed at labeling anyone who doesn't agree with most climate advocates as, not just skeptics, but deniers. In Pielke's case this seems to be especially inappropriate, since he seems to agree with all of the key scientific conclusions. Still, I would characterize Jr's published papers as undeniably skeptical in nature. 1. He shows that hurricane damage has not increased any faster than would be expected given the increase in population, and the gravitation of that population towards the coasts. 2. He observes that we presently lack the technology to implement certain existing plans to reduce emissions, and indeed that those plans are unlikely to be realized as a result. On the first point, he was successful in getting the IPCC to change their language. Does this mean that he is not a skeptic (because the IPCC says something he can agree with)? Or does his moving the IPCC report in a skeptical direction actually make him a skeptic? I don't know. Similarly, Steve McIntyre seems to agree with just about every global warming issue except their math and scientific detachment (both of which _are_ deserving of scorn). I can't imagine a definition of skeptic that doesn't include Steve McIntyre. That's just not consistent with how the word is used in the blogosphere. As to myself geo, I am generally skeptical [outside of global warming as well], but I am especially critical of three things in climate change: 1. I think that climate model assumptions of feedback are very seriously in doubt. [Most of the predicted warming results from feedback, and observations of tropospheric temperatures are not consistent with these assumptions]. I don't think that this has been proven false, but its looking very tenuous at the moment. 2. I am skeptical of the focus on CO2. It seems highly probable that the contribution of human land use changes has been grossly underestimated by the IPCC (and warming due to emissions over estimated as a result). 3. I am, like Pielke Jr, extremely skeptical of our ability to reduce emissions through legislation and/or Copenhagen-like processes. In fact, I'd say that fantasy engineering schemes (like those in the superfreakonomics book) seem more plausible than getting citizens of developed nations to accept the economic and social consequences of reducing their emissions by 95%. That's not all I'm skeptical about, but that's what matters. I'm deeply skeptical about the surface temperature record, but I don't actually believe that properly collected data would erase the warming signal, so my skepticism here (and elsewhere) seems moot. geochoww said... Can't say I have. What's the link? Also, as a user of climate models (albeit for micro/mesoscale models rather than GCMs) what is it about its feedbacks that gets your goat? While I agree that we modeling folk still have problems evaluating various feedbacks (as discussed in depth in Chp 8 of IPCC AR4), I am unconvinced that the way the feedbacks are included in GCMs have significant errors in the way that folks like Spencer et al. think they are. I also find it interesting that you, like RPSr. and Bob Balling, think that land cover change impacts may be "grossly underestimated" by IPCC. Like Gavin, I think that this view neglects the scale mismatch between regional and global scale climate forcings. Further, the main driver of LULC change is deforestation (IPCC AR4, which may increase albedo at local/regional scales, but isn't this more than offset by the increased CO2 flux to the atmosphere from the removal of this carbon sink? Besides, pg. 683 of the AR4 lists several papers that discuss the relatively insignificant impacts of LULC change at global scales. Have to agree with you and RPJr. that global-scale mitigation efforts are doomed for now - Jim knows my views on that rather well. :-) Duae Quartunciae said... Uh, guys? Gavin's comment "[Response: Not a single one. - gavin]" is specifically in relation to bug fixes or the like in his climate model programs. The skeptics kept demanding that for ages, long after it was all available for easy download. End result? Zip. I have no idea what Gavin would say of a more generally worded question about any useful comment from skeptics. Jim Lippard said... Duae: You're right--thanks for pointing that out. Jason S said... Which specific model does he say the skeptics were asking for code for? I remember many requests for the GISS Temp code (which was released, did receive fixes from skeptics, and, frankly, is a total mess). I'm not sure what skeptics would do with the code to a climate model. Since the main problem with the models is the input assumptions, I'm surprised anybody asked.
http://lippard.blogspot.com/2009/11/climate-research-unit-email-scandal.html?showComment=1259172783064
dclm-gs1-263600001
false
true
{ "keywords": "m gene, engineering" }
false
null
false
0.062164
<urn:uuid:1855f5de-83e0-4067-8c66-8a32e997841f>
en
0.896727
News tagged with insects Related topics: species , genes , plants , animals , brain Survivor fights cancer with insects (Medical Xpress) -- Rob Denell thought he was done with cancer after his wife beat the disease. No more chemotherapy by his wife's side. No more long drives to hospitals. He was about to say goodbye to cancer. Nov 01, 2011 popularity 0 comments 0 Bedbugs: Easy to attract, hard to eliminate Feb 09, 2013 popularity 0 comments 1 Insects (Class Insecta) are arthropods, having a hard exoskeleton, a three-part body (head, thorax, and abdomen), three pairs of jointed legs, compound eyes, and two antennae. They are the most diverse group of animals on the planet and include approximately 30 gladiator and icebug, 35 Zoraptera, 150 snakefly, 200 silverfish, 300 alderfly, 300 webspinner, 350 jumping bristletail, 550 scorpionfly, 600 Strepsiptera, 1,200 caddisfly, 1,700 stonefly, 1,800 earwig, 2,000 flea, 2,200 mantis, 2,500 mayfly, 3,000 louse, 3,000 walking stick, 4,000 cockroach, 4,000 lacewing, 4,000 termite, 5,000 dragonfly, 5,000 thrips, 5,500 booklouse, 20,000 cricket, grasshopper, and locust, 82,000 true bug, 110,000 ant, bee, sawfly, and wasp, 120,000 true fly, 170,000 butterfly and moth, and 360,000 beetle species described to date. The number of extant species is estimated at between six and ten million, with over a million species already described. Insects represent more than half of all known living organisms and potentially represent over 90% of the differing life forms on Earth. Insects may be found in nearly all environments, although only a small number of species occur in the oceans, a habitat dominated by another arthropod group, the crustaceans. Adult modern insects range in size from a 0.139 mm (0.00547 in) fairyfly (Dicopomorpha echmepterygis) to a 56.7-centimetre (22.3 in) long stick insect (Phobaeticus chani). The heaviest documented present-day insect was 70 g (2½ oz) Giant Weta, though the Goliath beetles Goliathus goliatus, Goliathus regius and Cerambycid beetles such as Titanus giganteus hold the title for some of the largest species in general. The largest known extinct insect is a kind of dragonfly, Meganeura. This text uses material from Wikipedia licensed under CC BY-SA
http://medicalxpress.com/tags/insects/sort/popular/all/
dclm-gs1-263670001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.912921
<urn:uuid:6d874e50-ebac-4872-bd4b-86118a1ac2bb>
en
0.862706
What is meta? × The new SE 2.0 favicons look great—or at least all of them do except for Stats.SE. The site is trying to load its icon from while it's actually at Looks to me like a little typo in need of fixing… share|improve this question 1 Answer 1 up vote 1 down vote accepted good catch, fixed share|improve this answer You must log in to answer this question. Not the answer you're looking for? Browse other questions tagged .
http://meta.stackexchange.com/questions/65344/stats-se-favicon-bug/65355
dclm-gs1-263720001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.048669
<urn:uuid:3391aa3c-0a78-4d22-a2bc-3ffad13f8030>
en
0.967457
...a blog by Richard Flowers Wednesday, April 27, 2011 Day 3769: If You Strike This Referendum Down, We Will Become More Powerful than You Can Possibly Imagine! Look, I see people in South Africa queuing round the block for their right to vote; I see people in Afghanistan risking Taliban bombs for their chance to have their say; I see people in the Arab Spring facing down murderous dictators because they want democracy, and in this country we get our FIRST CHANCE EVER to decide on our own system of elections and I AM DEEPLY SHAMED that NO ONE SEEMS TO CARE. This is your chance to GET A GRIP on the people who DECIDE on schools and taxes and wars and everything! I'm told, oh if it was a vote on whether taxes will go up or down, or on whether schools will get funding or not, THEN people would turn out. Well that IS what this referendum is about. This is the BASICS, people; this is the FUNDAMENTALS of YOUR democracy. If you WANT politicians to LISTEN to you, about schools or taxes or wars, then you've got to fluffing well MAKE THEM LISTEN TO YOU. This referendum hasn't been won or lost yet. In fact it's still virtually NECK and BRASS NECK, pretty much in spite of, I'm sorry to say it, a total shambles of a campaign from #Yes2AV. (Which pretty much proves how STRONG the desire for REAL CHANGE really is!) And it does sometimes seem that some of the best minds in liberal campaigning have come together to produce the sort of winning campaign that usually comes THIRD in elections. So I suppose coming SECOND in the referendum will be a WIN for them! First Past the Post is a system where NO ONE REACHES THE POST… and yet you let the #No2AV campaign seize the racing metaphors! Honestly, it's like you're not even TRYING! In contrast, #No2AV have kept their message SIMPLE, DIRECT and EVIL – all the things that usually WIN, especially when backed by HUGE wodges of cash from UNDISCLOSED donors. c/o Bank of Belize. Possibly. #Yes2AV have spent entirely too much time responding to #No2AV's lies and misinformation (giving the lies a second round of free publicity) with too much detail (no one listened to the answers). Simple example: if #No2AV say: "AV will cost you quarter of a billion pounds" then you DO NOT reply with a line by line rebuttal and complaints about their adding up You just say: "FPTP DID cost you half a billion pounds in expenses scandal; that's why we need a change." Let the #No2AV campaign be the ones spluttering about factchecks and waving their calculators around. And to Mr Huhney-Monster and Mr Hugs PLEASE, PLEASE, PLEASE don't bang on about taking legal action. It makes it sounds like you've already lost and are throwing toys out of the pram. Yes, the MEEJA coverage of the debate has been SHOCKINGLY PATHETIC. Debate? What debate? It's only ever been about the personality spats. No one has bothered to impartially explain the ISSUES. Auntie Beeb, I am looking at YOU! And then there's the META-NEWS, the reporting that no one is interested in the issues, meaning no one in the NEWS is interested in the issues. Plumptiously well-off columnists opining that at their fat-cat Islington suppers everyone is SO BORED, SWEETIE, with the whole business, as though this is the CLEVER and WITTY informed opinion rather a bunch of LAZY old FARTS gobbling up the rich puddings that are their rewards for supporting the STATUS QUO. Well news for you, meeja people. The job of a JOURNALIST is to MAKE people CARE about the news. So, frankly, you're all just telling us you are FLUFFING AWFUL AT YOUR JOBS. But print is dead, isn't it, and thank goodness for the wibbly wobbly web because a FUNCTIONING MEDIA is ESSENTIAL to a FUNCTIONING DEMOCRACY, and if we relied on our print journalists we'd be right up the Galactic Empire without a Jedi paddle! Let's be clear about this, the pressure to reform our BROKEN and UNFAIR electoral machinery is NOT going to go away; it's only going to get stronger and more urgent. People didn't march on the coalition negotiations last May urging them to keep the status quo. There WILL BE another Hung Parliament, probably at the next General Election, if not then the one after that. And – whether we get AV or not – it will be IMPOSSIBLE to offer anything OTHER than PR as a Coalition deal, because there won't be anything else TO offer. Captain Clegg's Constitutional Reform agenda WON'T STOP just because the referendum is over. More devolution, reform of the House of Lords Club, reform of the Monarchy, more local government… And when the NEXT Coalition Agreement comes up, we WILL HAVE PR for the House of Lords, we WILL HAVE PR in Scotland and Wales and Northern Ireland. He never called AV a "miserable compromise", that was just the deal that Mr Frown put on the table when desperately clinging to power by his bitten fingernails, but he's always admitted that as an improvement on First Pass the Port this is only a small first step. This referendum is WIN-WIN for reform: If #Yes2AV wins, we get rid of the WORST possible voting system. But if #No2AV wins, we get rid of NEARLY the worst possible voting system. And when the NEXT Coalition Agreement comes up, any suggestion of a "miserable compromise" over AV will be trumped because IT WILL HAVE BEEN DECIDED. The only thing on the table will be a PROPER PROPORTIONAL SYSTEM. Now go out and be positive for CHANGE! And May the Fifth be with you! Tuesday, April 26, 2011 Day 3765: DOCTOR WHO: The Impossible Astronaut The Doctor, like Marley, was dead to begin with. Or didn't we do "A Christmas Carol" last time? So let's talk about death in Doctor Who. Death has been devalued in this series since 2005. Russell declared that the series was "steeped in death" but no one important ever actually dies. Or if they do, they're back again! Even the "death analogue" of "trapped in a parallel world" ends up being optional. There is just too much "in science fiction, no one is gone forever". Well they should be. It matters that you do not lie to your audience, especially this audience of this show and especially about this. To be fair, Russell started it. Rose didn't die. Donna didn't die. Rose's dad did die… but then there was Parallel-Pete, so he kind of didn't any more.The Master did die, but he got over it. The Daleks died again and again and again; it barely slowed them down. The Time Lords, they're all dead. Oh, wait, no they're not. But forgive that one, because it says that coming back from the dead has consequences; and because they're the only ones thrust properly back into the grave. Or at least the Time War. And they are never ever coming back from that. Because the Master will never… Oh pish. But Moffat, whose "everybody lives" was supposed to be "just this once", has carried it further than it can sustain. He killed Rory and killed Amy and destroyed the entire universe… and it didn't matter. They all came back. He wiped out the Doctor… but he came back… (sidebar: I thought of an alternative explanation for "that thing that happens so "The Big Bang" has a happy ending" – Amy's memories don't "rewrite" the Doctor back into existence; instead they give the TARDIS something to lock onto so that he can guide her back from wherever "outside time and space" the crack led to. So he didn't actually "die". Well, it might work… Mind you "he crossed his timeline and the Universe blew up" really does not describe the events of "The Big Bang"; in fact, almost the exact reverse is true – the Universe blew up so he started crossing his timeline to get out of it. Universal calamity as a result of, ahem, crossing the timestreams would have been much, much more satisfying than the TARDIS's mere existence being a threat to all creation.) But that wolf has been cried too often, and no one, no one believes that the Doctor is really, really dead. Or "going to be dead". There will be a get-out clause, a temporal glitch, a back-up plan. Pray to anything you believe in that it's not David Tennant from a parallel universe falling out of a parallel TARDIS. (Yes, the opening cop-out of "Journey's End": "I'm regenerating… but I think I won't actually" remains the nadir of "death doesn't count" in modern Doctor Who.) Given the teaser "one of them will die" it was obviously going to be the Doctor who bought it. Not least because that's the teaser on the back of Lawrence Miles' impossible pre-Millennial two-part novel "Interference". The one where – SPOILERS – the Doctor dies. Once, it would have been absolute genius to start the series there, with the impossible horror of the lead being dead. But not now. Not this time. Now we simply don't believe you. Matt Smith is not the last Doctor, nor is Moffat going to end the series, or hand the TARDIS on to some other "Doctor". He'll write something "incredibly clever" that will leave you going, "hmm, but I'd rather have had a proper resolution". This week has seen the lovely, lovely LisSladen pass away, and it was handled with extraordinary sensitivity and care by the BBC, particularly CBBC, who have clearly thought carefully about the need to handle this sensitive subject in a way that treats kids with honesty and compassion. Death is forever. There is no coming back, no cheating, no time being rewritten. The series on BBC1 has a lot of catching up to do. I suppose the problem with "The Impossible Astronaut" is that it's not a proper story at all: it contains no answers. Even part one of an ordinary Who story will have some explanation of what the frak is happening. Here, it's all a series of escalating questions. We have no idea what is going on. The Doctor has no idea what is going on; by the end, he hasn't even met the aliens – and we don't know that they are the baddies. Evil, yes – they blew up Joy for no reason – but that doesn't make them responsible for what if anything is happening; they might for example just be investigating, just like the Doctor. Obviously, they aren't. But at no point does "The Impossible Astronaut" tell us that. For that matter we don't even know that anything is happening, apart from a spaceman and some odd phone calls from a little girl. And only the cliffhanger tells us how these are connected. Perhaps all this mystery is a good thing; apparently it precipitated an hour of discussion with my nephew and niece and their mum and dad; though my niece – who is newly nine – found it a bit difficult to follow. And – unlike some reviews – I'm not saying that it didn't flow: each sequence followed logically from the last; each question raised a clue that led to the next question. It just didn't answer any of the questions along the way. Envelopes lead us to America, to the picnic, the killing and funeral. Canton Everett Delaware III and the (older) Doctor's cryptic/haha "Space 1969" remark lead us to Washington. Nixon's White House Tape of the little girl's call leads to a very clever deduction from the Doctor of where to go next ("spaceman" plus three founding fathers leading to a very specific street corner in Florida, which is really smart). But after forty-five minutes of television: we don't know what the plot is. I have no idea what you would make of it if it were your first episode of Doctor Who, as it makes not a single concession to exposition. Who is the Doctor? Who is River Snog? Why is it significant that she might be packing? (Yes, yes we know that she's in an inescapable prison, but if it was your first time, would you?) Who for that matter are this domestic couple Amy and Rory? There is a distinct sense of having missed a bit. When did Amy and Rory settle down to this domestic life? At the end of last year, they quit Ledworth for "everywhere" and they've been on extended honeymoon since then. Yet now they seem to be part-time time travellers, expecting the Doctor to pop back from time to time, ready to be whisked off again but also getting on with their lives. (Yes, there is some irony that this happens in the week when I said that Sarah Jane was unique in continuing her travels while still having a life outside the TARDIS.) What was the purpose behind the "waving to them from history" opening? (Incidentally, that was the worst sticking the Doctor into a Laurel and Hardy film ever seen; having him join the dance: subtle and funny; having him rush to the front of the screen and wave? Like that wouldn't end up on the cutting room floor! And again, we did that last time. Plus, you need better photoshop if you want your film grain to match the original.) Of course, there's a hint of the "Neil Gaiman" here, with the idea that the Doctor ought to have left them behind now that they are settled and "making babies" but– like Gaiman's Sandman – he is still meddling in their lives because that baby will be significant in his own future. Which leads us to the most obvious question, to which almost everyone has the same answer: is the child in the spacesuit Amy's daughter or River Snog or in fact both at the same time. "Are you my mummy?" she might ask. Ahem. We know River has killed someone and we're almost certain that it's the Doctor – anything less will just be a letdown after all the hints – and that she's been in prison for a long time. What if she's been in Stormcage a really long time, almost all her life? (Although, given Moffat's habit of making things more complicated for himself just for a laugh, I suppose it will turn out to be Rory in the spacesuit that kills the Doctor and getting to deliver the "this is where it gets complicated" cliché.) Of course the resolution to many of these problems is not to think of this as a Doctor Who story, or even part one of a two-part Doctor Who story, but as part one of a seven-part television drama. Drama serials, from "Edge of Darkness" to "State of Play", even to Moffat's own "Jekyll", often do begin with episodes that are nothing but questions, designed to hook you in to the world (often, world of conspiracy) that they are drawing. To say "but Doctor Who doesn't work that way" is to put limits on the way that supposedly the most versatile show on television does work, and it's to Moffat's credit that this year he's willing to push at the boundaries of what is and isn't the way the series works. Moffat has certainly upped his game when it comes to writing for his characters. All four of his leads are given new depth and shading and more interesting things to do. Even Rory. Arthur Darvill carries a lot of the episode's more understated comedy moments as Rory's not-actually-going-to-take-it-in-silence long-suffering continues. "Husband" and "Why is it always my turn" and "actually, I do mind!" all spring to mind. And then there are moments of genuine pain under the usual grumbles, as when he tells River she doesn't need to tell him what effect the Doctor falling out of the sky can have on a girl. That same scene adds some needed pathos to River too, as we start to see her relationship with the Doctor from her point of view as well. It's almost that the fun of this relationship for the Doctor is the very thing that is most painful to her – where he sees a game of knowing and not knowing, she sees him going away. And yet River, it seems, becomes a better character as she knows less and the Doctor more. Her piloting the TARDIS better than he does works as a joke here, and doesn't come across as smug. And of course he then reveals that he knows and more than that expects her to be better at it and doing the things he needs her to do. I hate to talk about "on screen chemistry", because it's such an overrated cliché, but you can see that both the Doctor and River (or Matt and Alex) enjoy the flirtation between them, they enjoy trying to frustrate each other, and they enjoy being cleverer than each other. It's lovely the way River tells Amy to look after the Doctor and he responds by telling Rory to go and look after River. Chronologically speaking, this has to be placed after "The Pandorica Opens" for River as well as for the Doctor and his companions, because River recognises Rory, which she didn't in "The Pandorica Opens". In fact, it's a plot point of "The Pandorica Opens" that River does not realise that this Roman centurion is identical to Amy's boyfriend. So, despite what River says about every time they meet "her" Doctor being further away, this is proof that they can meet in order too, that their timelines zigzag rather than one being exactly backwards to the other. And River's reaction to the death of the Doctor is… interesting. I feel that her immediately shooting at the retreating spaceman until she's out of bullets is entirely instinctive, the vengeance of the River who faced down a Dalek, made it beg, and killed it anyway. But when the bullets have no effect, she says to herself "of course not". If that is her inside the spacesuit, then "of course not" because she couldn't have shot her own younger self, that would be a Grandfather Paradox. Of course, River doesn't know the order of the Doctor's faces, but it's also been implied that she's seen more than ten and eleven, so she doesn't realise that this can't be "the end". It is harder to judge whether she's expecting this outcome: again, if it's her inside the suit, then certainly a confused child trapped in a spacesuit might remember the incident in a way that her older self does not recognise the setting when they arrive for their picnic, but seeing a spacesuited figure ought to trigger something of a memory surely. Ever since "The Eleventh Hour", Matt Smith has been revealing to us the layers of his Doctor's character: the madman with a box persona that he wears as a cloak while underneath there is a colder, cleverer, calculating character, and an angrier, spikier character too. He conceals from Amy the real reason he's taking her with him; he lashes out at everyone human in "The Beast Below". Here we have two perfect moments in the TARDIS that capture both surface and depth: the petulant child moment of "I'm being clever and there's no one to notice" and then the collapse into the chair and telling them all not to play games with him. That's the dark, hard, brilliant Doctor right there; like the seventh Doctor, a manipulator who will not be manipulated. Plus you've got love that he's either late for a biplane lesson or knitting. He is playing two Doctors here, as well. The Doctor at 909 and the Doctor at 1103 (oh for a moment we thought he was going to have got over his mid-lives crisis about his age, and how many times have I said he needs to announce he's into four figures?) The older Doctor is, if anything, even more the seventh Doctor. Only letting it slip with that "the human race: I never thought I'd be done saving you" moment which is the first intimation of coming mortality. "My life in your hands", though, really? He isn't stupid; River gave him enough clues, and the fact that none of them will tell him who recruited them has to be another one – he could work out that he's dangerously close to finding out his own future. Meanwhile, to me Amy seemed more kind. Her concern for ill-fated Joy was genuine and selfless. It's really too early to say, what with this being only one episode so far ("A Christmas Carol" hardly counts, though there were hints of a softer Amy there too, thinking back), but I wonder if she isn't being written as a, I hesitate to say "better person", but a less defensive, less damaged one because in "The Big Bang" the Doctor fixed the thing that he broke and gave her back her childhood. (This will probably last until the first writer-who-isn't-Moffat gets a go and writes her as the character they remember from last year. Can I hear you say "New Adventures Angst" at all?) And she is as appalled as the Doctor that she has shot at a child. She grabs the gun and fires at the spacesuited figure before she has time to realise that the visor has been raised, before she has time to see. And she was primed to do this; primed by River. Twice, in fact: the first time, by River shooting at the spaceman herself, while Amy is collapsed with grief; the second time when River suggests dealing with the spaceman now to stop him killing the Doctor in the future. Which she then says would be bad. It's all playing on Amy's "time can be rewritten" fixation It was interesting that he also wrote Nixon entirely sympathetically, while not playing down that history (and the Doctor) regards him as another baddie. Stuart Milligan (yes, Jonathan Creek's old boss, Adam Klaus) while recognisable under the latex put in a believable, understated Nixon, playing an actor's part: doing him as a real person rather than an impression or a caricature. (Let's just say not doing a "Churchill".) The prosthesis was fairly ridiculous, I'm afraid, barely even a cartoon Nixon: "it's Saruman as President," said Alex "no, just some other magician," I replied. Sorry. Mark Sheppard was terrific as Fox Mulder, er, I'm sorry, Canton 3… no, look, sorry, but they even "borrowed" Mulder's opening scene from the first X-Files movie for him; it's not that subtle. Nevertheless, he was worth the money: great at keeping control in the Oval Office scene, putting down the President's FBI security and getting the Doctor his five minutes; nicely boggled by the TARDIS interior, and then phlegmatic with his "like your wheels"; and with an as-yet-unrevealed backstory (more questions) that may be to do with marriage or authority issues giving him something troubling to keep him from being too two-dimensional. And we loved that his dad, Morgan Sheppard, played the older Canton – not least because, as Alex put it, it's the Soul Hunter come for the Doctor's funeral. The space-time ship from the Lodger showing up again was cool. Again, no explanations at all. Not even "this might be someone's attempt at a space-time ship", which would have helped. (Seriously, it's the "The Phantom Menace" problem all over again: the exposition is in a different movie!) Alex and I were both expecting River to say that the tunnels extended under the surface of the Universe not merely the Earth – as though the aliens' ship (assuming it is their ship; again, no actual clue if that is so) has scratched itself under the skin of reality, like it travels by "crack". In fact, the idea of a network of tunnels, a "labyrinth" if you will, underscoring the Spiral Politic is a direct lift from (guess who) Lawrence Miles' "The Book of the War". Mind you, so is a now-you-see-them-now-you-don't "enemy" who edit themselves out of your memory. (That is not to excuse Lawrence's response to Moffat, in particular that photoshopped RadioTimes cover. Quite apart from being highly insulting to the two actors, it's wildly insulting to Moffat himself, who so clearly does not consider women as inflatable sex toys as even the most cursory glance at the number of strong women he has written and cast, from Julia Sawalha in "Press Gang" onwards, would show.) So we come to the "Scariest Monsters Evah" (copyright all newspapers). Oh look, America is secretly run by the Grey Aliens who are also the Men in Black (and they don't even need flashy-things to make you forget them!). Alex, who was even less impressed than I was, found this schtick dull when The X-Files was fresh; and The X-Files itself was always more interesting when suggesting that the greys were faked to cover up a more grisly (and terrestrial) conspiracy with a faked alien one. And anyway, didn't Phil Ford do Men In Black more amusingly in "The Sarah Jane Adventures"? It was a nice mask (and the long fingered hands were nice too) and they are certainly threatening and creepy, but there had better be more to them than The Gentlemen from Buffy gifted with the Weeping Angels USP. And in fairness there probably is: Moffat himself has implied it goes much deeper. At the very least, though, I will expect a reason why this new ultimate foe (capable of blowing up the TARDIS, allegedly) has only just appeared (and to be fair again, "they're something that's come about because of the Time War and/or the Time Lords being gone" would be acceptable). So what to make of it all? In plot and visuals it is incredibly dense: clearly one for the video age – or rather the iPlayer age – to be watched again and again, and for the HD age to see all the packed-in detail. Visually, it is utterly striking, literally getting darker over the course of the episode as the story takes us to darker and darker places: opening with a Technicolor Monument Valley in Utah; fading to sunset at the Doctor's Viking funeral, fading to dark blue of the Oval office at night; fading ultimately to the greys of the Silent tunnels and their black timeship. It is bolder than any season opener since "Rose". It uses all the Moffat tropes again – a spooky child's voice; something in the corner of your eye; timey-bloody-wimey – uses them to the point of cliché, to the point where it risks being accused of recycling. It teeters on that edge and it might, might fall over. It gambles everything on being intriguing rather than baffling. And it probably succeeds. Ultimately, it remains what it is: a mystery. How successful it is we won't know until we have the answers. Next Time: The answers. Or some of them anyway, starting with how do you fight an enemy you don't even remember? How do you escape from the perfect prison (without looking up the answers in Interference: Book Two)? And what really happened to Apollo Eleven on the "Day of the Moon". Wednesday, April 20, 2011 Day 3761: A Tear, Sarah Jane? Ms Elisabeth Sladen, better known as Dr Woo's best friend Sarah Jane Smith, was one of the most ALIVE people we've ever known, a living testament to her most famous character's credo that you don't have to be a Time Lord up in Space to have ADVENTURES; that they can happen right here on Earth, if you just live your life looking for them. In the way she remained open to wonder and new things, Sarah Jane never grew up. She certainly never grew OLD. So how can she have died? I can only echo Tom Baker: impossible, impossible. My heart goes out to Mr Dr Tom. Already this year he's lost his long-time drinking buddy, Mr "the Brigadier" Nick Courtney, and now Best Friend Sarah as well. And apparently, Big Finish were hoping to arrange for Tom and Lis to record more adventures together. And then there are the wonderful cast of "The Sarah Jane Adventures", possibly the truest reincarnation of the Classic Doctor Who in its twenty-five-minutes-with-cliffhangers, we've-got-no-money-but-we're-going-to-do-it-anyway format and stories that were arguably more successful than the flashier Saturday series – certainly, the SJAs made better use of the Slitheen and the Sontarans and recurring nemesis The Trickster (aka The Black Guardian lite) was a darn sight better baddie than any villain they've come up with on Doctor Who since 2005. I can't explain better than Auntie Jennie why this series was so GOOD for young people. Mr Daniel Anthony, Ms Anjii Mohindra and Mr Tommy Knight, not to forget Mr Alexander Armstrong (as Mr Smith) and Mr John Leeson (as K-9), must be devastated. Six episodes of a fifth season have already been filmed: the opening four and, perhaps more importantly, closing two. This clearly presents two alternatives: a truncated fifth season of just the existing episodes, perhaps with a framing device of Clyde, Rani and Luke remembering Sarah through the stories; or, recording two new stories without Sarah, possibly persuading the incomparable Katy Manning to return once more as Jo Jo Jones or maybe even – subject to developments in his own series – the Doctor, Matt Smith. Famous Dr Woo writer, Mr Jon Blum has suggested an "Ashes to Ashes" like continuation, with the younger cast of "The Sarah Jane Adventures" (plus alien computer and/or robot dog) continuing to save the world from Sarah's attic in Ealing. I find myself in two minds. On the one fluffy foot, it would be LOVELY to see the series regulars continue and to meet up with other former companions… and thanks to the in-series continuity established at the end of "Death of the Doctor", we know – and our heroes know – that there ARE other former companions out there… you could have one story with Martha Jones and UNIT, then another mad jape with Jo; I'd personally love to see them meet up with Dorothy McShane and her "A Charitable Earth" organisation, and they could even have a faabulous swinging adventure with Polly Wright… But on the OTHER fluffy foot, there is a REASON why it was Sarah Jane, of ALL Dr Woo's companions, who was the one who came back. Coming after the HUGELY popular pairing of Katy and Jon Twerpee's third Doctor, Lis had such a hard act to follow. But her smart, sassy, no-nonsense tomboy instantly won over the audience (as well as her leading man). Written as Mr Terrance Dicks' idea of a feminist character, famously given the line "there's nothing 'only' about being a girl", fortunately Lis was smart enough to never ever play her that way, and as such was a much MORE feminist character than any number of "right on" lines might have been. Instead Lis made Sarah Jane a rounded, totally capable character, more often genuinely amused at the ridiculous scrapes she got herself into than unable to cope. Sure, she screamed from time to time. But then she got on with unmasking the villain or defeating the monster. Almost uniquely for a "Doctor Who girl", Sarah Jane had a life and a career that went on outside of the time she would spend with Dr Woo. For example, we are just watching Mr Dr Jon's swansong "Planet of the Spiders" (freshly minted on DVD), and the first episode sees Sarah's investigation of Mike Yates's lamasery completely independent of the Doctor's ESP experiments; only the conclusion (where the Metebilis crystal in the Doctor's lab and the chanting in the cellar combine to summon the first Spider) bring them together. Throughout her time with the Doctor, Sarah has a life IN the TARDIS, but also a life OUTSIDE of it, doing proper journalism, and – aside from the Brigadier himself – I can't think of another companion who DOES that. She stuck with Dr Woo for three Earth years, Mr Dr Jon's last and Mr Dr Tom's first two, plus a couple more stories – famously taking in her stride: "mummies, robots, lots of robots, antimatter monsters, Daleks, real living dinosaurs and THE LOCH NESS MONSTER". After her they really COULDN'T follow that, so they did "The Deadly Assassin" with no assistant at all, and after that the Doctor didn't have another friend from contemporary Earth for another five years. THAT'S the sort of impact she had. And of all Dr Woo's travelling chums, Sarah Jane is the one who just gets left. Sarah's was the story that BEGGED for a "what happened next?" At the end of what with hindsight we laughingly call her last story, "The Hand of Fear", the Doctor just kicks her out of the TARDIS and leaves. It's BRILLIANT, because it DOESN'T finish the story. At any moment, you think, he can just pop back and carry on. Almost all the other "companions" leave because they've found their way home, or they've found their proper place in the universe, or (occasionally somewhat improbably) they've found that ol' Earth thing called lurve (or very, very occasionally because they've found that smashing into prehistoric Earth with a freighter-load of Cybermen tends to reduce your career options). All of those stories have reached their natural conclusion; with the exception of Adric they've had their happy ending and although we know life DOES go on, anything more can only detract from that. (See how "Death of the Doctor" practically rams home the message that, aside from never seeing her Doctor again, Jo Jo DID have a happy life ever after – none of this "divorce" nonsense that mid-nineties fanfic writers kept tossing in!) But more than all of that, the thing that distinguished Sarah Jane was her ability to match the Doctor. (Helped not a little by Mr Dr Tom's habit of sharing some of his technobabble with her – note the scenes in, say, "Pyramids of Mars" where he has the Doc basically prompt Sarah into explaining the plot back to him. "Tribiophysics" indeed!) Where other time travellers would be content to ask "what is it Doctor", scream and fall over, Sarah Jane would TAKE CHARGE. Everyone else loved being WITH the Doctor; Sarah Jane loved the Doctor enough to BE the Doctor. And THAT'S why Sarah was the one who came back, not just once ("K-9 and Company: Least Said Soonest Mended") but again ("The Five Doctors") and again ("School Reunion") and again ("Invasion of the Bane" et al.) Everyone who watches Doctor Who wants to BE the Doctor. Sarah Jane Smith did that, lived the life that we all would live if we just could: she WAS the Doctor, as close as an ordinary, wonderful human bean can be. And that was down to the love and integrity with which Lis Sladen portrayed her. Lis, you were one of "the Children of Time". And now we are so very, very sad. While there's life there's… Friday, April 15, 2011 Day 3757: Doctor Who: What's Wrong With Kinda? And no, it's NOT the big pink mind-snake! And then there's the one we actually GOT! And this is all Panna's fault. The Mara has NOTHING to do with this plot! Meanwhile, in a very much other part of the forest… The shame of it is that Mara itself is TERRIFYINGLY AWESOME. Just what the HELL does the Mara think it's DOING? And that's just wrong. But that isn't my point. The story OUGHT to work like this: Tuesday, April 12, 2011 Day 3754: We Salute the Conquerors of Space Peoples of Russialand and all across planet Earth celebrate the Fiftieth Anniversary of the first ever space trip by one of you monkey people, when Cosmonaut Yuri Gagarin was strapped into a tin ball, plonked on top of an enormous firework and blasted into orbit. In Moscow, capital of Russialand, this amazing achievement is rightly celebrated by this statue in tribute. To Infinity? It is called the "Monument to the Conquerors of Space". Which clearly puts the DALEKS in their place! But wait, Daddy says we are receiving an incoming communication about this… run VT! (ashamed now!) Sunday, April 10, 2011 Day 3748: Worse Off Wednesday? Wednesday (surprisingly enough) The new Tax Year has begun (eleven days after the quarter day, thank you the Gregorian Compact and the Eleven Day Empire) and no sooner has everyone's personal tax allowance gone UP than Portugal – our OLDEST ALLY; who we SHOULD bail out – kindly provides us with another example of WHY we are going to spend the rest of the year doing all of these spending cuts. It's pretty cut and dried, isn't it? If your austerity package FAILS to convince, the market LOOSES CONFIDENCE in your economy and your interest rates go THROUGH THE ROOF. That's the way Master Gideon sees it too – but don't worry, that doesn't make it wrong. Mr Bully Balls says the opposite, so we know THAT'S wrong. In fact, Mr Balls says that Great Britain's situation is completely different. And of course, he is RIGHT. Portugal owes about a hundred and ninety billion pounds. Great Britain owes the BEST PART OF A TRILLION! Labour claim that it is the austerity programmes that are causing the debt crisis. WRONG! That is COMPLETELY BACKWARDS. Portugal didn't get its credit rating downgraded because it was doing TOO MUCH austerity – they were downgraded because they were NOT DOING ENOUGH! Labour like to say that we are in a BETTER position than other Western Governments. WRONG! Thanks to the last couple of years of unfettered borrowing, our debt is fast approaching 80% of GDP, the average among the G7 countries, but with Britain having the LARGEST deficit in the G20 (never mind the G7) then we are ACCELERATING PAST the average and, unless we do something, will soon be topping the table of dishonour. Hard Labour's position, reiterated by Ms Caroline "Heart of" Flint on Questionable Time, remains one of: "Lalalalala can't hear you!" Funnily enough, those FRIGHTFULLY UNCONVINCING "Liberals" at the Labour Conspiracy website have published a VIDEO from the Labour Party's backers in the UNIONS saying very much the same thing. So, how much of a CLUE do the Unions have about the causes of the deficit? Spot the Difference? A clue: "spending" and "tax" are labelled the WRONG WAY AROUND! (Unless they really MEAN that spending collapsed in the recession and the government's coffers are overflowing with soar-away tax revenues???) But even if you CORRECT the labelling so that the RED line is SPENDING, it's STILL wrong when the voiceover claims that the fall in tax revenue caused the deficit. WRONG! There was a deficit from 2002 onwards – look! Look! The red "labelled tax but should be spending" line is ABOVE the blue "labelled spending but should be tax" line; the collapse in tax revenue just made it much, much worse. They blur the line between "debt" and "deficit" to claim that we don't have a debt crisis; and then they appeal to the historical fallacy: Debt Mountain? Actually, there's a basic statistical trick going on here anyway, which is that by shading the AREA under the graph (and filling it with all those repetitions of the word "debt") it gives the impression that the AREA under the graph represents debt, when it doesn't: it's the HEIGHT of the graph, that is important. Oh, and that graph appears to show the 2010 debt level at just out of the lower shaded area or only slightly over 50% when it should be half way between the two shaded areas since in 2010 the National Debt was 76.1% of GDP. This creates an OPTICAL ILLUSION. How much larger does that debt LOOK? Because actually, the National Debt at the end of the most destructive war IN HISTORY was THREE maybe THREE-AND-A-HALF times larger. But seriously, their case is that it's FINE to have the WORST debt in fifty years because in the aftermath of World War Part One and World War Part Two we had truly stratospheric debts? Debts that literally cost us an Empire? Debts that led to PEACE-TIME RATIONING? Never mind founding the NHS, we were reliant on American CHARITY to SURVIVE after World War Two. This is what I mean by the historical fallacy: "it used to be worse so this is fine". Ask yourself: if you'd not worry about Swine Flu just because we used to have BUBONIC PLAGUE? The next TRICK to make our debt look SMALL and HARMLESS is to compare it with other countries in the world Where in the World? (Remember, Mr Bully Balls says you can't compare the British Economy with Portugal or Greece… oh, wait… there's Greece…) Firstly, they're again slightly undercalling the level of debt, let's generously say they are somewhat OUT OF DATE to say Great Britain's dept is 60% of GDP – Google suggests we went through 60% of GDP in mid 2009 and by the end of the year we were near to 70%. And by the end of LAST year (2010), I repeat myself, the National Debt was 76.1% of GDP. Debt of 68% of GDP last year, debt of 76% of GDP this year AND ADDING to the debt with a DEFICIT of 10% of GDP a year would mean debt of 86% of GDP next year and debt of 96% of GDP the year after… unless we cut the DEFICIT. Let me put that another way: in three years we JUMP PAST GREECE on that league table; in FIVE we overtake ITALY… unless we cut the DEFICIT. (And no, Japan's example does NOT count – 90% of Japan's debts are to its own national savings bank; 40% of the UK's debts are to foreign investors. Work out the difference.) Is this a PRUDENT economic policy? Is this a sound basis for investment in the British growth and British jobs that we DO need to pull us into recovery? Finally, they say that the solution to all this, their "alternative" is GROWTH. Just that "growth". NO word on how the growth is going to happen. The government just keeps on borrowing and spending and by magic, growth happens and makes all the debty badness go away. Of COURSE we want growth, but it just doesn't work like that. If it did, why did we even have a recession at all? Perhaps the Unions are so used to "loaning" money to Hard Labour and never getting it back that they think that the rest of the World will do that too. WRONG! Wake up call for the Dinosaurs Unleashed! Eventually, people STOP lending you money. Then you need to go begging. Which brings me back to Portugal. Helping to bail out our European partner is the RIGHT THING to DO. "We're all in this together" means EVERYONE, not just we lucky beggars this side of the white cliffs of Dover. But if that doesn't convince you, there's always the selfish approach: it is in our interest to offer help when we can, because we do not know when we will need it ourselves. We have had to go to the IMF before (thanks to Labour). If Mr Bully Balls is RIGHT about what the Coalition are doing to the economy (he's NOT) then he should be expecting that we will have to go there again. That would be AWKWARD for a man who's been saying we shouldn't help out our friends. But more importantly, we NEED the Eurozone to stabilize. Most of our TRADE is with Europe – if they go into a permanent tailspin what is THAT going to do for GROWTH in Great Britain? Come on, Mr Bully Balls, if it's ALL ABOUT the GROWTH STRATEGY when where's your joined up thinking? Or is this the so-called "Blue Labour strategy" of "flag and family" (code: appeal to British Nasty Party)? Look, I'll say this again too: long term, everyone KNOWS that the health of the British economy depends on GROWTH. Hard Labour keep banging on about Growth like they think we don't KNOW that, but OBVIOUSLY the Coalition understand that. What we DON'T understand is how borrowing yet more money to pour down the endless drain of management consultants and public sector quangocrats even REMOTELY helps achieve that! A real strategy for growth means freeing up people to spend. That is why a VAT hike was entirely WRONG; but it's also why the tax cut for basic rate taxpayers is exactly right, putting money back in people's pockets. A real strategy for growth means freeing up people to invest. Not Hard Labour's so-called government "investment" in buying jobs. That's REAL people making REAL investments that create and grow businesses and create and grow more real jobs. That's why cutting corporation tax and red tape is RIGHT. We DO need to raise some tax to reduce the deficit, but the right place to tax is UNPRODUCTIVE WEALTH and HARMFUL POLLUTION, rather than INCOME. (Maybe we can twist Gideon's arm a bit more on that Mansion Tax…) This is going to be hard. There's no two ways about that, and Hard Labour making promises that it doesn't have to hurt is just LIES. I'm sorry, but it's LIES. And the Unions' "no cuts economy" is a FANTASY. Controlling public spending down will make the economy stronger and more sustainable in the long run. Labour call that "ideological"; I say ACTUALLY that's reversing YEARS of LABOUR'S ideological INCREASES in state spending and power and control. And we CAN get through this. Are we worse off for Wednesday? I don't think so. Short term: higher rate taxpayers will pay more; people on benefits will get less. (So that's BOTH my daddies covered!) But basic rate taxpayers will be a little better off. And we don't begrudge them that. And if it means an economy built on better foundations than ever more Labour borrowing, if it means the British economy HAS a future, then we are better off indeed. Saturday, April 02, 2011 Day 3743: More GOR'BLIMEY than GOEBBELS: But Baroness Warsi is still wrong on AV There's been un peut d'un spat between Mr Huhney-Monster and Baroness Insider Warsi over her scaremongering that AV will aid the British Nasty Party. As you might EXPECT, Baroness Warsi has it all BACKWARDS. Let me explain. Let's take a COMPLETELY RIDICULOUS example of share of the vote: e.g. the latest YouGov Poll: Sickly Green 2% Scots/Plaid 4% Hard Labour 42% Liberal Democrat 10% Conservatory 35% UKPNuts 5% British Nasty Party 2% Suppose you're a Conservatory: whose second preferences will you go after? The 7% of UKIP/BNP voters to your right? Or the 51% of voters to your Left? That's not JUST the Liberal Democrats. Should the Union's dictate an even-more loony left manifesto, then the more Blairite backers of Mr Potato Ed's Party MIGHT be persuaded to give their number one to Mr Balloon to support that neo-liberal market they've so enjoyed, so long as you're not posing as the new Oswald Mosley. On the other fluffy foot, if you DO start trying to appeal to the far right, you are going to ALIENATE far more voters than you stand to win – you will be fluffing off the very fluffy woolly liberal centrists whose votes you will NEED to cross the winning line. Not to mention the more CENTRIST of your own voters. Conservatories who adopt a hard right agenda MIGHT convince some of those Cameroon Coalitionists to switch first preferences to the Liberal Democrats to keep the centre-right economically sound but socially just government that they like. Or suppose you're from Hard Labour: you might THINK you're sitting pretty on 42% under First Pass the Port, but Liberal and Conservative votes combined CAN BEAT YOU. So do you appeal to your deep left core? Or do you reach out to the centre ground? It might give you a warm fluffy feeling to, for example, address several hundred thousand marchers and liken yourself to Nelson Mandela, but that's NOT going to reach out to "White Van Man" or "Worcester Woman" who can't stand Mr Bob Crow turning off the tube at the drop of a hat and are quite frankly fed up with paying for Mr Mark Serwatka's gold plated salary and diamond encrusted pension. (I'm really sorry to all the overworked and underpaid public servants out there, but the simple fact is we cannot afford to have twice as many people on the government's payroll as there are working in manufacturing to PAY the government's payroll.) And frankly, governments can afford to IGNORE mass protests like that one precisely because they don't need to reach out to people. Lord Blairimort could ignore literally MILLIONS more marchers because he could get a working majority on 35% of the vote. It ought to be a NO BRAINER: AV will encourage politicians towards the CENTRE and encourage them to listen to and engage with as many people as possible because they need to have 50% of the votes if they are going to WIN. First Pass the Port, in contrast, actively encourages you to the extremes because you can consolidate a winning bloc that DOESN'T appeal to 50% of votes but is just LARGER than anyone else's. If you don't believe me, just look at what happened in the politics of Northern Ireland after the Good Friday Agreement. As soon as artificial restrictions on Parties were removed, the moderate/centrist Parties collapsed and voters polarised to the more extreme Republican/Nationalist positions. Why? Because First Pass the Port REWARDS divide and conquer and PENALISES conciliation. (As I've said before, "First Past the Post" more ACCURATELY describes AV – you only get a winner once someone gets to the 50% winning line and you stop counting when the first person to get there gets there. That is, the winner is the first person to get past the winning post. As it were. You'd be better off calling the current system something like "who gets nearest to the post" or to be completely accurate "who furthest from the starting line when the counting stops".) The ONLY way for the BNP to win a seat under AV is if they can appeal to 50% of the electorate there. And if they can do that, they'd win under First Pass the Port ANYWAY. There's a kind of secondary non-argument about results being decided on the preferences of extremists, or even extremists get a "second vote" when other people only get one. Well in the first place, they ARE still Human Beans, all men created EQUAL, all girls together and all that, and they get to have their say the same as the rest of us. You can't deny people their democratic rights. You can't turn them into second class citizens just because of the colour of their… ROSETTES (after all, that's quite close to our PRINCIPAL complaint AGAINST the British Nasties!). But let me just slap that "second vote" idiocy down. If you're going to say THEY get a "second vote" then EVERYONE gets a "second" vote. You voted first preference for the Conservatories? That vote was counted in the first round and in that round the British Nasties came LAST and were eliminated. Then you get your SECOND vote for the Conservatories again counted in the second round and any BNP voters who put a second preference gets their second vote, just the same as yours. I say "any" because people pushed to vote for the British Nasty Party are probably least likely to express a second preference. Imagine your BNP voter thinking: "Well, I've voted for the racists, but I'll choose a multicultural party for my second preference." It doesn't make any sense does it? Sure, the BNP have a few so-called strongholds, but almost everywhere else they get a derisory handful of votes. If those votes are the ones that tip a winning candidate over the 50% threshold, then that candidate was SO CLOSE to 50% already that they were pretty much bound to win anyway! Look, I fully understand that Mr Huhney-Monster probably got a bit cross with the ZOMBIE ARGUMENTS that Baroness Warsi was using (you know Zombie arguments: you knock them down but they just keep on moving). But I'd rather he hadn't used the "G" word. Not only does it bring Godwin's Law into play, but it's the kind of hysterical language that, well, Ms Warsi was using. And she started it, isn't any excuse. Besides, I do think we should try ever so hard NOT to use "hate" language against people we disagree with. We Liberal Democrats have been on the receiving end of QUITE A LOT of that sort of thing recently and it's not nice. So let's not dish it out either. Finally, remember, REGARDLESS of the voting system we are moving into an era of multi-Party politics where the Red-Blue duopoly has been worn away by many more choices (UKPNuts and Sickly Greens as well as Liberal Democrats). This means coalitions are MORE LIKELY (with or without AV). In which case, GOOD GOVERNMENT will NEED Parties that can work together – and because AV encourages the Parties to have manifestos that reach out for broad-based support that becomes easier. After the last General Election, Hard Labour barely even TRIED to form a Coalition with the Liberal Democrats. First Pass the Port had convinced them that BUGGINS TURN meant the Conservatories would have a go this time, and that they would bounce back next. We have an electoral system that makes politicians think first: "what is good for my Party"; AV would mean that they have to think about MORE than just their sectional vested interests, they would have to think "what is good for the majority". Vote AV for the good of the country and leave the extremists OUT! No2AV also seem to be using "None of the Parties want AV" as a reason to vote No; I'm surprised Yes2AV aren't using this as one of the strongest arguments for a "Yes": "If NONE of the Political Parties want AV it MUST be doing SOMETHING right! Take our politics back from the politicians: vote Yes2AV!"
http://millenniumelephant.blogspot.com/2011_04_01_archive.html
dclm-gs1-263750001
false
true
{ "keywords": "monkey, blast" }
false
null
false
0.031617
<urn:uuid:13ff6111-0a56-4848-b690-96ece13305f2>
en
0.949045
Lexus LX470 Questions Answered Lexus LX470 Questions Ask a Question I have to hold the window up and down levers to be able to raise and lower the windows on the master window switch at the drivers side door. with a beeping sound --all lasted a few minutes and then stopped. This usually happens at the first start of the day and then doesn't happen again. No clicking . no sounds at all. Have replaced starter with a new one, replaced ignition switch with a new one, had battery checked for correct voltage. All power accessories function when the key is turned to sta... can I drive my 2003 Lx470 on a short trip of approx. 1500 miles with a bad O2 sensor, waiting on a manifold to be shipped due due bolts on sensors with corrosion told by my trusted mechanic, unable to remove sensor due to corrosion/rusty bolts, might need to replace pipe which includes a cat.---- cost may be $700 compared to much cheeper if only the o2 sensor comes out even after i replaced it it has noise when i checked it while engin is running my belt is burning did any body know why We were driving on Route 15 this hot weekend and heard a pop sound. Opened hood and radiator hose was disengaged from radiator. As a result, coolant level was low. Car towed to nearest repair shop. They tested leak in... The traction control alarm goes off very often, usually when banking to the right. If I veer back to the left, it will usually go off. Occasionally, the brakes "grab" for a split second.... I'm assuming it's some ki... squirt in some carb cleaner past the intake, she fires up but not getting fuel so stops running? How can i repair the my radio display? It is sometimes off when i driving and listening music. passenger rear view mirror tilts down when put in reverse ....that is fine... but it also nudges the driver side mirror every time. is that a feed back problem or what... how can I fix that... I was told the the oil in the self leveling system has to be replaced every year.. that it get dirty and can damage the system all the gauges and panel lights quit working I have a 2004 Lexus GX470. It runs well with the exception of a self contained radiator leak that occured this past Dece 2012. It cost me $700 for the actual radiator (factory part) and an additional 5 hour labor ch... It happens when rpms are below 1 - Also Check engine light sometimes just flashes? Diagnostic codes are P0300 - P0308 indicating misfires on all 8 cylinders, P0107 system too lean on bank 1 and P1310 which I didn't un... I was told by one of the express oil companies that after 200,000 there was no need to change the transmission fluid....this has been a great vehicle and I hope to keep it much longer but I am feeling almost a drag in... Since all the other windows work fine, its not the fuses. It does not make any noise when the button is pushed both from the door itself, and the driver's side controls. The light on door is working, so I presume its... When I turn the radio up at all for there to even be a small amout of bass. The Lcd on the radio will flash and the speaker will start skipping really really fast so it sounds like crap. You cant even hear a word befo... i start my car my speedometer working or not working sometime its start working after about 15 min of driving how i can fix this problem? Should I simply look into trading in my car or fix the repairs? The repairs will cost $2746.29 total. Got oil change yesterday, pulling out of shop when turn all the way its stop will not move At slow speed ride like bumpy any one knows what’s wrong? Please Back blinkers work fine. hazard switch blinks only back lights as well. Speakers worked when car was turned off. No sound in any mode when car turned back on. Turned car off again, on again, then speakers worked for a second before quitting. No sound now. driving fine, no problems, get in to go to the store, it won't fire up. The engine has no clicking sounds and the battery seems to be fine. 1999 lexus lx 470 step -by- step front brake rotor removal
http://repairpal.com/questions/lexus/lx470/answered
dclm-gs1-263910001
false
false
{ "keywords": "transmission" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.023364
<urn:uuid:df0b26d0-bc9c-4c80-b036-afcdc2ed60fc>
en
0.966998
‘Resident Evil: Afterlife’ Review Published 5 years ago by , Updated May 22nd, 2011 at 8:10 pm, Resident Evil Afterlife 3D Reviews Resident Evil: Afterlife Review Screen Rant’s Ben Kendrick reviews Resident Evil: Afterlife Resident Evil: Afterlife is the fourth installment in the zombie-apocalypse franchise based on Capcom’s survival-horror video game series. The original Resident Evil film was a forgettable but enjoyable action-horror adaptation. The plot was convoluted but kept the focus tight, limited to a group of survivors as they escaped from a zombie-infested underground research facility. A twist at the end of the movie split the franchise from the video game source material – detonating the manageable focus into an over-the-top global apocalypse. As a result, moviegoers sat through two lackluster and outrageous follow-ups: Resident Evil: Apocalypse and Resident Evil: Extinction each lacking a cohesive narrative direction. Resident Evil: Afterlife is burdened by the fallout of the previous films, and while it manages to improve upon the other sequels, it still comes with its own set of problems. Up front, viewers who enjoyed the first three films, as well as “against all odds” slayer films such as Underworld or Legion, will enjoy what Resident Evil: Afterlife is offering. In addition, there are plenty of over the top fight sequences to keep the shoot first, ask questions later, action fans happy. If you’re looking for a zombie film with brains (pun intended) or a gripping action-suspense flick, Afterlife isn’t likely to sate your particular cravings. However, fans of the game series who may have abandoned the film franchise, because of its lack of reverence to the source material, might actually want to give Afterlife a shot – as several franchise characters have prominent roles in the latest installment. In fact, as each second passed, it felt as writer/director Paul W.S. Anderson (who also wrote/directed the original Resident Evil film) was attempting to weave Afterlife back into the franchise canon – as it has been presented in the games. Resident Evil: Afterlife continues the story of Alice (Milla Jovovich) as she attempts to enact revenge on franchise-favorite, Albert Wesker (Shawn Roberts) and the Umbrella Corporation – a bio-engineering company responsible for genetic experimentation that led to the global zombie apocalypse. The first forty-five minutes of the film are the equivalent of Anderson taking a red pen to everything that made the previous Resident Evil installments slapdash and soulless – a lot of the more absurd-threads get purged and the story settles into a more manageable narrative: Alice’s investigation of Arcadia – a zombie-free zone, where survivors attempt to rebuild human civilization. Resident Evil Afterlife Alice Resident Evil: Afterlife Review Milla Jovovich as Alice in Resident Evil: Afterlife In her search, Alice is reunited with Claire Redfield (Ali Larter) and the two travel to Los Angeles where they meet zombie-food, I mean the supporting cast. The new survivors are mostly Hollywood caricatures, literally: Bennett (Kim Coates) is a smarmy movie producer, Kim Yong (Norman Yeung) is Bennett’s over-eager intern, Crystal (Kacey Barnfield) is an aspiring actress, and their leader, Luther West (Boris Kodjoe), is a star basketball player. They’re not terrible characters but their cookie-cutter design reveals the biggest problem with the film, as well as the Resident Evil film franchise: the films aren’t about people trying to survive in a zombie apocalypse, they’re about finding the most intense, over the top, ways to kill zombies in an apocalypse. There’s nothing wrong with a film about mowing down zombies thoughtlessly, if that film contains loads of great action set-pieces, but Afterlife has too much downtime and takes itself way too seriously to succeed at being campy-fun. The stakes are too high, we’re not talking about a lake in Arizona or a single suicidal mission, we’re talking about a global zombie apocalypse. Early in the film, Alice bemoans the possibility that she could actually be the last uninfected survivor… in the world. As a result, it’s hard to feel particularly relieved when she discovers other survivors – and they’re the most one-dimensional group of people imaginable. That said, Anderson succeeds in building intrigue and complexity around a late addition to the group, a man trapped in a Hannibal-like glass isolation box in the basement of the prison where Alice and the survivors get holed-up. Fans of the game series will recognize the character, played by Wentworth Miller. Upon his release, the story, character-dynamics, and future franchise installments instantly become more appealing. Resident Evil Afterlife Executioner Resident Evil: Afterlife Review Resident Evil 5's Executioner Majini in Afterlife The second half of the film shows that Anderson is attempting to build a Resident Evil narrative that isn’t dependent on the soulless butt-kicking Alice that’s been provided by the series – giving it room to grow (as well as borrowing heavily from last years game Resident Evil 5 – which is more action than survival horror). Anderson introduces a new zombie-type which fans of the game series will recognize as the Uroboros virus at work – capable of 28 Days Later-style quick movements, instead of the zombie shuffle. The director also brings in the Executioner Majini. Even though the monstrosity goes totally unexplained, his presence helps break up the zombie-horde attack scenes – and he looks and moves significantly better than Nemesis in Resident Evil: Apocalypse. Once the survivors attempt their escape, the plot doesn’t offer many surprises but at least manages to stay on the rails. Compared to the previous films, the story follows a sensible progression and offers some fun moments along the way. Viewers who wait a few minutes after the credits start rolling will be treated to a taste of what’s to come in Resident Evil: Revelations (or whatever they decide to call the fifth film in the franchise). It’s hard to imagine that drawing closer to the convoluted story in the Resident Evil video games could be a positive attribute, but if Afterlife succeeds at a single thing, it’s bringing in a better batch of central characters – instead of Alice’s lone wolf routine. Resident Evil: Afterlife was shot in 3D and doesn’t suffer from a terrible post-production 3D retro-fit (like Clash of the Titans). However, that doesn’t mean the 3D effects add anything to the experience. We all know that Avatar raised the bar for 3D film making with Cameron’s calculated use of subtlety – letting the Pandora visuals speak for themselves. Anderson is not so subtle: ninja stars fly at the screen, swords pierce through chest cavities and poke out of the screen, Alice dives through a plate of glass as we watch her fall away from the screen. The format only succeeds only in reminding us of the physical proximity of the screen. Resident Evil Afterlife Wesker Resident Evil: Afterlife Review Shawn Roberts as franchise-favorite Albert Wesker The effect is especially distracting in the opening sequence where multiple Alice clones storm an Umbrella facility. The combination of copy and pasted CGI Jovovichs as well as the 3D effects make for a blurry and distracting experience. The effects take precedent over the narrative and, on several occasions, a character does something that was designed to look cool in 3D but makes no sense in the dire combat situations featured in the film. As mentioned previously, this reliance on what would be fun over what makes sense can work (I realize this is suspension of disbelief 101) in a film like Zombieland, where the actors and filmmakers are in on the joke. However, the cast and filmmakers behind Resident Evil: Afterlife take the movie very seriously, (I’m hard pressed to think of a single humorous moment) and, as a result it’s hard to forgive them for not providing a better action, 3D, or zombie-apocalypse experience. Resident Evil: Afterlife isn’t as good as the original film but it’s a step-up for the franchise – though it’s still operating out of a pretty deep hole. That said, given the direction and narrative choices Anderson makes in the second half, I’m probably more enthused about the possibilities he might explore in a fifth Resident Evil film, than I am about what he already put on film in Resident Evil: Afterlife. Resident Evil: Afterlife is in theaters today on 2D, 3D, and IMAX 3D screens. Our Rating: 2.5 out of 5 (Fairly Good) Post a Comment GravatarWant to change your avatar? Go to Gravatar.com and upload your own (we'll wait)!  Rules: No profanity or personal attacks.  Use a valid email address or risk being banned from commenting. 1. Dear Screen Rant, I kinda agree that the fourth installment is indeed a major beef up from the two lackluster previous films. Could it be because those two were not directed by Paul WS Anderson himself? Well, thanks for the interesting review and it basically sums up what I thought about this movie too. At least it is still worth the MYR17 I paid for the 3D! P/S: So they are planning for the fifth franchise now? 2. I liked the film a lot, but I think it was because every time a character from the game appeared like Wesker or Chris the crowd started cheering and applauding. 3. As a big fan of the RE series and games, I did enjoy the movie, but at the same time felt like it could have been so much better, because of the technology that was used. Because of the 3d cameras that were used, I was very surprised at how cheesy and cheap some of the effects looked, specifically at the beginning. One could almost tell which Alice was added in later….. Overall I felt that I got my moneys worth here with the movie, but got ripped off again at the concession stand… Around 12 bucks for popcorn and drink, but that’s on me…. Oh, and I got a little queezy when the camera zoomed in from outer space to the city while spinning… ugh… I will see the next, cuz I did enjoy this one, not sure if I’ll do the 3D version though. I don’t think it needed it here,but it added to the appeal to seeing the film. 4. I didn’t think it was bad. Could have been better. Enjoyed the 3d part about it even though it was giving me a headache. Overall it was a good movie not great. I could have waited to watch it on dvd to rent. The real good plus was the 3D part that added to the enjoyment. I agree with some FX was cheesy though… 5. @Vic, Will there be a RE SPilers thread? I havea question or 2 that I;d like to trhow out to the group but don’t want to list it here as it would be spoiler material. • BCC, I hadn’t planned on it – didn’t think there would be enough interest in it. 6. This is a test comment. Move along, nothing to see here… 7. Awesome Movie ! Loved it ! 3D was Awesome ! Easily the best of the 4 and apart from The Expendables very very entertaining. Both 10/10. Don`t really know what everyone is crying about. Watch it on Imax for ultimate ride. • I thought it was the worst of the 4. The cast was really soap operaish. I think they could have done much better job with the story. Alice becomes human again but can still jump off buildings, while falling and shooting zoombies in the head and land a tuck and roll landing without a scratch? The story was ehh and the cast was …lord… this movie will not be in my collection, I want to pretend it wasent made like 2 fast 2 furious. But i will go see the next one, I am a fan but not in 3d, I think 3d made a lot of the film appear fake. 8. I’ll admit, the cookie-cutter Alices were kinda annoying. The 3D was unneeded. But I’ll give Anderson this: the Executioner scene. It f**ked me up, because it was like Resident Evil 5 all over again (just without the repeated formula of camera, controls, story…and…everything else). I wasn’t the only one; you couldn’t hear individual screams or yells. The theater (IMAX 3D) flipped when he showed up and did what…he was doing. Yeah. There’s redeeming qualities, and it’s not fair to completely dismiss a movie because its director is a moron, or if it’s in 3D. 9. As a person who already wears glasses, its hard to really be able to enjoy a 3D movie. Just getting the 3D glasses to stay on is hard enough. I was sad to see the movie was only available in 3D. Being a fan on the series I went to see it. I wasn’t disappointed with the movie its self I just wish they would have offered a choice for the people who didn’t want to see it in 3D. 10. i really love this movie,, ive just watched it yesterday,… but i think there’s part 2 of it,.. and i really love to see it sumday,.. 11. ok…so i can’t read this whole review yet because i want to see it first, but interesting about it bringing it back to the game. i’m not huge on zombie movies per se and i do rather enjoy these…in no small part due to milla [i might have gone to see ultraviolet in theaters after she autographed a poster for me at nycc...] but these movies have at least been fun! and from the first bit of the description this sounds more actually plot driven than the others, so huzzah to that! 12. At the end of part 3 there were like 1000 clones of Milla. In this movie are we led to believe that ALL the clones were killed off in Tokyo….? Like 4 the rest of the movie , Where were the clones then….? Why were there no clones running around still….? 13. I gave it a 9 out of Booshty Ten , I wanted to give it a 9.3d out of Booshty Ten but couldn’t due to the fact that way enough wasn’t explained. I didnt even know Weskers name at all , I havent got to play the part 5 game yet , and in movie there was like NO explaination of him besides he was a bad guy running Umbrella in Tokyo. Plus never was explained just Why some Zombies have Blade 2 type tentacles coming out of their faces , despite maybe , maybe they mutated more so from part 3? Plus why were the dogs mutated the way they were? Plus also there was NO explaination about that Exacutioner , tall axe weiling guy was? Or even is? I heard Allie Larter in an interview call him as such the exacutioner , I guess he was also from maybe part 4 or 5 of the video game I still havent got to play….? • other than me, did u notice claire and chris behind wesker?? there is no door behind wesker and the only door IS the big door in front of him which alice came through, WHICH you could have seen and heard 3 moons away!!! i’ve beaten all the games, and every game tells the story that u need answered my friend. im so happy they’re rebooting the videogame franchise. • WORST movie I’ve ever seen. Picked out like 500 plot holes in the theater. And did anyone else notice that the SKY CHANGED COLOR in the middle of a conversation!?!?!? In one shot it is a nighttime blue and when the next person speaks, it is suddenly dawn! If you want to watch a bloody movie without any thought as to the stuff that is actually happening, then this is for you. • I think if the producers work more with costume design than animating all the effects it would look and seem way more real, plus, if you have a 6 shooter, i don’t recall you being able yo shoot 20 times before reloading. • I think if the producers work more with costume design than animating all the effects it would look and seem way more real, plus, if you have a 6 shooter, i don’t recall you being able yo shoot twenty times before reloading. I dont think the animated effects look as real as cotume effects and real-fake blood. Common sence. And the chick holds two mmagnums and shoots them like toys…common now, one of those bullets looked as big as her pinkey finger. 14. Thought it was better then part 3′s lets kill a few main characters off a thon , plus really sucked in part 3 that Jill being dead wasnt even explained at all…? Let alone y kill her off? In real life did her contract run out? • @Dave I certainly agree that, after 2 introduced Jill, it sucked that she wasn’t in 3, but nothing was said that she was dead. In fact, the only thing that was certain at the end of 2 was that “Alice” was dead. I suspect the production team DID think Jill wasn’t necessary. But then, many of us demanded her and were delighted when she re-emerged at the end of 4! 15. i love every movie even if is not based in the story games…i was and i am a fan of the resident evil games and movies scince wen i was little…this 1 was my favorite of all…the 3D was just aswersome…but there was no action like in the other movies tht alice gets 2 fight and kill heka zombies well it was kool though…hope the next 1′ll be more shotting,killing,and fighting…come on who doesnt wanna see alice beating and fighting…tht will be kool… 16. if people dont like this movie there must be something wrong with them…or at least 4 me was just awersome…i love this movie i went 2 see it twice…and plus the theme song was just perfect…I LOVE RESIDENT EVIL…movies… 17. c´mon guys from “hollycrap” this movie is horrible! we all pay taxes (allways increasing) now we have to pay the “3D tax” to see a movie with no 3D???!!! (the funny part is that you have to use glasses otherwise….) This is happening in lots of 3D movies, no 3D whatsoever, this is call cheating people and get rich with it. The movie itself…who cares!!!They don´t care when a girl that looks like a rotten egg appears next day looking glamorous and shine on the back of an airplane (they went to a professional hairdresser before taking off, brilliant stuff…)They don´t care to show a city that is certainly burning for years (the buildings are made of a special compound of gasoline and concrete, well imagined….)they dont care to show characters that have no inner life or any sort of relation with the others around (sometimes i didn’t know who ware the zombies…) Ok i know its an action movie with brainless potential before i enter cinema but this is too much!! Ok we like to be fooled but please try to fool us well! How many people worked on this project?They don´t have any one that watches the movie before it gets out? I want my “3D Tax” money back, and by the way, the normal ticket money back also…. 18. sure many peolpe didnt like this movie but thts their problem there people tht do like it and thts kool…i mean is ur opinion if u like it or not 19. i just sat through this movie and was like who the hell wrote this? why don’t they just bring in Shinji Mikami to write a story. it was like a movie playing in someone’s head a lot of great ideas but did not make sense.. maybe a very bad editor. and wesker is from the first game but you never see him he was the leader of stars a special task force . the mutant zombies happen in game 4 it’s has to do with experiments on the T-VIRUS and the executioner looked awesome but made no sense to people who didnt know the character.. i think this movie was suppose to be longer and they made it shorter .it looks like it could have been a 3 hour movie which i would have enjoyed if everything mad sense. maybe their will be a director’s cut thats like 3-4 hours long. and the girl at the end is from the game but i thought she was claire looks like someone didnt do their homework • I like the 3-4 hr director’s cut idea, enzo. I have a feeling though it was more of a directing-by-the-seat-of-his-pants kinda thing. Now that the DVD is out [this December], I wonder what Anderson says about that (assuming there are commentaries)? • no the girl that was at the end looked more like jill valentine from resident evil 5, same outfit from the game and everything but if that the case it doesnt make much sense because they already used jill valentines character as the stars member in raccoon city in the second movie and she looked nothing like this new girl so i hope they arent planning on saying it jill. dam movie ppl should have just followed the game. 20. This movie rules! • 4 me diz movie was awersome… 21. first off resident evil was and always will be one of my favorite zombie games.Now the first resident evil movie was pretty good/the second one i liked even more/the third one was pretty decent and the fourth one that recently came out is now my favorite but see here is what i don’t quite get. why put Alice in the resident evil movies if she was never in any of the resident evil games/and yes i have played and beat every single resident evil and know for a fact that she never made an appearance in a single resident evil game.She was never the main character until the first through the most recent even though Clair made an appearance in the third and an appearance in the fourth with here brother Chris Alice still depicts to much from the movie only because shes not in the game and i really don’t like that. • I’m glad you’ve liked the games @shawn but you have to admit they are a different animal. They are all about you solving a puzzle in real-time. Movie can’t be like that — they have to lead you and fast enough to keep the majority entertained. There are virtually no differences between a story-boarded story and a motion-picture but huge differences between a game and a movie. I agree with you that the movies have gotten better and better. The hard-core gamers liked the 1st movie most because it seemed closer to the idea of the game. But, I hate zombies. That is a joke in itself really because I seem to watch zombie movies anyways but dead things shambling around are more of a nuisance than a threat. What makes this movie for me is the sinister nature of businessmen embodied in the Umbrella corp. I love the non-RE Alice backstory. I suspect it was Anderson’s way of getting into the concept and driving it around. I still haven’t seen RE4 but I like that Jill is included if only to explain what happened to her and I like that they came through on the implication of using exponential Alice.. that was a really cool idea. My one complaint though remains lack of consistency in Alice’s psychic abilities. I still favour 2 over the others because I was so taken with Sienna’s role as tough super-chick Jill but near the end Alice has the ability to blow up a video-surveillance guard’s brain then walks outside and can’t deal with a mob of close-ranged laser-sighted weapons as if she did realize what she just did. This confusion continues in 3 where she sears a sky full of zombie crows and knocks out an over-ride in a satellite but can’t manipulate the simpler minds of the super-zombies. It is like Anderson is so into the action that he doesn’t think through his story-telling. I haven’t heard anything about Ali Larter’s acting yet. I was disappointed in her role in 3 because she was really, really impressive in the 1st season of Heroes and she really had nothing emotionally-charged to work with in RE3. Hope that changed. Waste of talent just to be used as a background character. • I totally agree with the fact that they have way too short a timeframe to make it a puzzle like fans of the game would like it to be. As for Alice not being in the games and being the main in the movies, I think if ppl can get over the fact the movies don’t follow the games they would realize Alice is a total badass and the movies would suck with out her. She makes the movies worth watching. One thing that was hard for me to get was the fact that at the end of RE3 it showed at least a hundred cloned alice’s biting RE4 you only see One thing that was hard for me to get was the fact that at the end of RE3 it showed at least a hundred cloned alice’s but in RE4 you only see like 13. what happened to all the rest? I was expecting to see an all-out war between umbrella, the zombies and the clones with Alice as the general and most badass of them. I’ve got to say that I was a little disappointed in that respect, and what is the deal with Alice losing her powers? I mean really! As far as her powers being inconsistent how can you say that. because if you think about it she’s not psychic, she’s telecenetic. she can control physical things not mental things. 22. Ben Kendrick’s review couldn’t be more off unless you are a child or childlike.  This movie is by far the worst edition of the four movies.  There is absolutely no plot other than find Arcadia and kill zombies, but wait a minute Arcadia had been found prior to this movie.  The villain was ridicules at times moving like a fast vampire and then not being able to move and avoid a shotgun blast with plenty of time to do so, totally inconsistent.  He also is a rip off of Freddie Cougar and Michael Myer as it seems no matter how you kill him he keeps coming back for more.  This movie has all of the gimmicks or the Matrix and Underworld without and cohesiveness to keep you interested.  The opening scene is so ridicules with several Milla’s attacking the hive that I wanted the movie to end right away, thankfully I didn’t buy or pay to see this in the theater.  And if all of this wasn’t bad enough you get movie credits repeated throughout the whole movie, Paul W.S. Anderson who is Director/Screen Writer/Producer should be shot.  It is obvious that this is a 3D gimmick movie and has absolutely nothing to bring to the table other than that. • Critiques are more effective if one writes them knowledgeably; who is “Freddie Cougar”? A relative of John Cougar Mellencamp? To be childlike is to be innocent; childish is to be as a spoiled little brat. Ben Kendrick is entitled to his opinion of the movie; he is not entitled to a verbal attack by someone who can’t even remember Freddy Krueger or Michael Myers. When I critique, I make sure I know that whereof I speak… • i totally agree with the fact that the plot was not really the best in this movie. i prefered the first and second over any of them as they were closer to what resident evil is really supossed to be. but i disagree with ur comments on wesker. i feel they did the best job with his character in regards to the game none of the other character were anything like what they should be. still not bad, i mean they tried but disappointed in that aspect. wentworth miller does not make agood chis redfield in my opinion. 23. This movie sucked. There is absolutely no way zombies can run. If they are dead, and have been dead for a while, they wouldn’t be moving around like that. They just came out of the water and rushed the two going into the gun room, B.S.! On top of that, how do they get into a freaking locked down fortress of a prison? Oh yeah, they tunnel through the ground with octopus-faces. This franchise should die with all the zombies and main characters… 24. Resident Evil: Afterlife sucked they took what was a great series of movies and cut the heart out of it what made resdient evil great was the story that alice kick zombie butt what they did with this new movie is steal from silent hill the big hammer dude and and from blad the face splitting zombies.. the end of the world and they have all this new techknowlegy where did they get state of the art ship and plains.. and why add all the male testastoron to the movie.. simple concept serviving flesh eating zombies yet we get very little action and the action we get is with these strang (don’t even know where they came from) face spliting hammer carring zombies i have watched 1 2 3 over 15 to 20 20 times could bearly get through this last one … they should have called it anything other then Resident Evil: Afterlife should have called bad collection of other movies with some vampire face spliting hammer carring zombies .. ana 25. Just wanna say that Wesker looked retarded. 26. the first 2 resident evils were great,loved em.the 3 was starting to get away from zombies and more on umbrella.so i just watched resident evil afterlife,and i can tell u im less than satisfied.the whole beginning had all these alice’s doin crazy stuff.and they never really explained anything in the whole movie,why are there so many alice’s,whats up with that big friken dude with the axe,wat r those red bug things they keep putting on everyones chest,and y wont wesker die!!its concentrating on umbrella now and alot less on zombies.definetly not excited about the next one. • You had to of at least watched the third movie and played esident evil 5 to get some of it. In the end of 3rd movie alice freed all the clones of herself that umbrella had made to test on. The guy with the big axe is from the 5th game (he is the executioner)as are the things they stick on thier chests. You first see it on jill valentine so that umbrella can control her. they make is seem alot easier to remove them on the movie cuz its not so easy in the game lol. 27. I thought the movie had the potential to be a great movie, but like others commented, enough about the movie wasn’t explained. Like it didn’t seem like chris and wesker didn’t even know each other? I hate it when people don’t take there time making a movie, and then to top it off, alice loses her powers at the begining of the movie, preventing a classic shodown between her and, wesker like they don’t explain the virus from RE4, that created the new zombies with the super strength. I mean come on guys, RE4 was a classic, I think wesker is by far one of the most coolest bad guys I ever encounterd, just his swagger, he’s like to cool in RE4, but in the movie, he lacks swagger to go along with those awsome abilities, but overall I give the movie a 7.5 outta 10, only because of the wesker fighting parts, I’m a big wesker fan. • totally agree they definately coud have explained more, if u havent played like all the games ur pretty much lost on alot of it. and i totally agree resident evil 4 is amazing as is wesker. i think they did a pretty good job with his character though, better than the rest of them at least. 28. this movie completley sucked and was a major let down due to the fact that resident evil is no longer a zombie film or game its just mindless action there is almost no story what so ever to this film they just made this film for 3D purposes and i dont think they had any real ideas story wise they jst took all the enemies from the 5 game and turned it into a bad film as u can probly gather i h8ted the story from resi 5 n dis film. 29. If anyone is still reading this tread….Help me. Just watched the movie, and I dont get it. Disclaimer: I never played the video game, only saw the movies **************8Possible spoilers********************* Ok, the beginning, why were there like 100 Alices (Alicis?), and how did they all get to Japan? How did they survive crashing into a friggen mountain? If they can survive that, heck why worry about anything ever again…you must be indestructible. Did the blond guy die? Were there several of him? Where was he after the plane crash? So after crashing into a mountain in Japan, how did she get in a tiny 1 seater plane over Alaska? Where are all these ‘minions’ coming from? To maintain this global army of faceless Japanese guys? So like, they are all on a boat at the end, and a bizzilion gunships show up…I’m guessing they all die? The end? • if u watched the 3rd movie u should know why there were so many alices. she freed all the clones that umbrela had made to test on and the rest of your question are just plot holes that movie ppl never thought to explain lol. and all the gunships showing up (with what looks like jill valentine from resident evil 5) i think is just setting it up for another movie • I guess ur right, weskers character was better than anybody elses in that movie
http://screenrant.com/resident-evil-afterlife-reviews-benk-77912/comment-page-2/
dclm-gs1-263970001
false
true
{ "keywords": "surveillance, blast" }
false
null
false
0.037757
<urn:uuid:f688704b-4362-4253-9f05-380f673762e6>
en
0.692412
Take the 2-minute tour × I have a simple form like this one: <form ENCTYPE="multipart/form-data" action="upload.php" method="POST"> <p>UPLOAD FILE: <input type="file" name="file1"> <br /></p> <input type="hidden" name="email" id="email" value=""> I have to set the value of the hidden field to an email like "email@email.com". I can obtain this value from adding a querystring parameter by external iframe like: <iframe name="email@email.com" src="index.html?email=email@email.com"> Ok. But how can I set value="" to value="email@email.com"? I know have to use javascript, but I dunno how to deal with the var. share|improve this question You could also fill it in on the server side if you want - you could get your index.html to use some server-side processing, take the email parameter and insert it into the field when you generate the form. But it's easy enough to do this with JavaScript too. –  Rup Jul 9 '12 at 10:46 See this question to extract the query string values. Some of the solutions may be a bit over-the-top for what you need but they're robust too. –  Rup Jul 9 '12 at 10:51 3 Answers 3 up vote 3 down vote accepted document.getElementById('Id').value='new value'; answer to comment: try this: <input type="" name="email" id="email"> <iframe id="frm" name="email@email.com" src="index.html?email=email@email.com"> document.getElementById('email').value = document.getElementById('frm').name; then you can change adopt it. change type to hidden and etc. share|improve this answer Ok it works but this value is dynamic. I have to extract it from the querystring parameter by external iframe. This is my problem :/ –  user840718 Jul 9 '12 at 10:49 @user840718 see update. –  F0G Jul 9 '12 at 10:56 If your script is executed from the document inside the iframe, you can do this : var getUrlParameter = function(name, defaultValue) { var regex = new RegExp( regexS ); var results = regex.exec( document.location.href ); if( results == null ) return defaultValue; else return decodeURIComponent(results[1]); share|improve this answer @Rup you're right. Edited. –  dystroy Jul 9 '12 at 10:58 Ok this worked for me. Thanks. –  user840718 Jul 9 '12 at 11:00 As you've labeled this question as jQuery You can use $('#Id').val('new value'); But don't forget to add jQuery Library. share|improve this answer Told other user that the var is dynamic. I dunno how can I deal with the val('new value'). –  user840718 Jul 9 '12 at 10:51 Your Answer
http://stackoverflow.com/questions/11393486/how-to-set-the-value-of-a-form-element-using-javascript
dclm-gs1-264030001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.419716
<urn:uuid:fd2ab23b-e589-4c93-b4dc-c6a042880e22>
en
0.830489
Take the 2-minute tour × I got a list of around 5000 genes as a search result from Gene Expression Atlas. From the result page i can download all the result in a file. That file contains gene identifiers(Ensembl Gene ID) for each gene. So now i want corresponding EMBL-Bank ID for each Ensembl Gene ID so that i can download their nucleotide sequences in batch from Dbfetch. Anyone knows how can we achieve that? Can we use biopython to achieve that? share|improve this question Have you made any attempts to solve these issues? Do you have any code to show? –  David Cain Jun 17 '13 at 15:13 1 Answer 1 The file you can download is in a custom tab-delimited format (which none of Biopython's parsers are equipped to handle). Instead, you can just use the csv module to extract what you'd like: import csv with open("listd1.tab") as tab_file: data_lines = (line for line in csv_file if not line.startswith("#")) csv_data = csv.reader(data_lines, delimiter="\t") header = csv_data.next() # ['Gene name', 'Gene identifier', ...] gene_id_index = header.find("Gene identifier") for line in csv_data: gene_id = line[gene_id_index] # Do whatever you'd like with this share|improve this answer Your Answer
http://stackoverflow.com/questions/17147407/retrieve-embl-bank-id-through-corresponding-ensembl-gene-id-in-batch?answertab=active
dclm-gs1-264060001
false
true
{ "keywords": "gene expression, ns gene" }
false
null
false
0.067605
<urn:uuid:52905b2a-9804-4594-8ff3-20e848a90e64>
en
0.811847
Take the 2-minute tour × I am trying to recursively search through a directory for all sub-directories within any directories of sub-directories. Basically all folders starting at the root directory, and I need to copy a file to all folders found as well as in the main root folder. How can I do this? Here's what I have so far, but it needs to be recursive completely so that it gets all folders within that root, and folders within subs, and folders within that, neverending search, until there are no more folders left... @copy($extendVars['dir'] . '/index.php', $real_extendpath . '/index.php'); $dh = @opendir($real_extendpath); if ($obj == '.' || $obj == '..') if (is_dir($real_extendpath . '/' . $obj)) @copy($extendVars['dir'] . '/index.php', $real_extendpath . '/' . $obj . '/index.php'); share|improve this question You need to make a function out of this to call it recursive. –  str Oct 29 '11 at 11:49 ok, but how? I'm not seeing a way to do that. Is there a better way to do this other than using readdir? Isn't there like a RecursiveIterator function of some sort? Would that be better? If so, how to use that function is tricky for me also... –  SoLoGHoST Oct 29 '11 at 11:52 The manual is full of exmples. php.net/manual/en/function.scandir.php#105891 - Also RecursiveDirectoryIterator –  mario Oct 29 '11 at 11:53 possible duplicate of How to walk a directory recursively returning the full path in PHP? –  mario Oct 29 '11 at 11:55 It should be consent, that PHP example code with the @ operator should not be posted on SO. –  hakre Oct 29 '11 at 12:06 1 Answer 1 up vote 9 down vote accepted Recursing over the filesystem for only the directories can be super-easy using the RecursiveDirectoryIterator and friends from the Standard PHP Library (docs). A basic example would look like $directories = new RecursiveIteratorIterator( new ParentIterator(new RecursiveDirectoryIterator($directory_to_iterate)), foreach ($directories as $directory) { // Do your work here For your particular needs, the // Do your work here could be as simple as the following snippet. copy($extendedVars['dir'] . '/index.php', $directory . '/index.php'); share|improve this answer Thanks, very useful! :) –  SoLoGHoST Nov 1 '11 at 1:40 You saved my day... thax –  Paresh Thummar Mar 29 '13 at 12:17 Your Answer
http://stackoverflow.com/questions/7938680/recursively-search-within-a-directory-for-all-folder-paths
dclm-gs1-264120001
false
false
{ "keywords": "titer" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.281059
<urn:uuid:e9ca9f02-424b-4550-b9e7-fcd4c72cf8a0>
en
0.915978
Take the 2-minute tour × I tried it using the following iptables rule: iptables -m mac -A INPUT -p all --mac-source <mac-address> \! -s share|improve this question 3 Answers 3 You may try iptraf. It's one of many. Also a much simpler way is to use ifconfig <wifi_interface> and look at TX/RX bytes. For a solution with a little bit more state you may try vnStat share|improve this answer What I need is something, that only counts when I'm connected to this specific network. –  filmor Jul 28 '11 at 5:51 You will need a little bit of scripting, but vnstat will do the trick. You need to hook an ifup event to enable vnstat for that interface when the ESSID is the one you need to monitor, and an ifdown event to disable the accounting. The ESSID of the current connection can be obtained with iwconfig and a little of awk/sed/perl/etc. vnstat's parameters --enable, --disable and --update will help you with the accouting script. –  Pablo Castellazzi Jul 28 '11 at 18:45 Yes, I've thought about that, but vnstat isn't able to tell local from interwebs traffic, is it? –  filmor Jul 30 '11 at 5:16 You could also try looking at ntop and/or webalizer. They are good network monitoring tools. They give detailed information of what each computer on the network is doing, which sites its visiting and how much bandwidth its using. Hope that helps to solve the problem of what you are looking for. share|improve this answer Try Wireshark. It has a ESSID filter for capturing from specific networks, and a lot of options if you need more than basic capturing. If you need CLI, you can try tcpdump, but make sure to read it's man page. share|improve this answer Your Answer
http://superuser.com/questions/316098/i-need-a-traffic-monitor-for-linux-that-only-counts-in-a-specific-wireless-netw?answertab=oldest
dclm-gs1-264180001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.961219
<urn:uuid:dcaca6a2-b8f9-4e08-9aa7-794ea4ea8ffe>
en
0.972753
A {{Zombie Apocalypse}}/ [[OrphanedSeries mutants]] plotline centered around a group of young survivors: [[DifferentlyPoweredIndividual some of them having powers]], some of them not. The whole shebang began when a military science experiment went [[GoneHorriblyWrong horribly wrong]]. An infection spread across the city of Greeney, killing some, turning some into [[TheUndead somewhat-dead-somewhat-alive]] [[NotUsingTheZWord "Ferals"]]. The rest gained mutant powers, and are left running from the Ferals, [[LawfulEvil a mysterious entity named "Alpha"]], and the army setting the Quarantine. The role play currently takes place on this site: [[http://www.neopets.com/guilds/guild.phtml?id=4113213 Link]] And has an information page here: [[http://quarantineroleplay.webs.com/ Link]] !!This role play provides examples of: * AmnesiacHero: John can't seem to remember anything, even his name. Hence him going by "John Doe". * CastFullOfGay: Particularly in the Alternate Universe plots. This only seems to work for the male characters, so far. * ChaoticGood: Type 2, Gabi's entire philosophy. * EnemyWithin: John's mental counterpart, Ethan, has a sadistic thirst for blood. * FangsAreEvil: Snake. * FindTheCure: That messy situation that kept John alive and brought {{Those Two Guys}} into the group. * GhostCity: As Greeney is left under a Quarantine, you're either dead, undead, or running. * MoralEventHorizon: An immediate result of JumpingOffTheSlipperySlope, and it happens one too many times for certain people... * NerdsAreSexy: Gabi. She's got glasses, was studying to be a psychology major, and is highly intelligent. Also, she's the "-bi" in "Jobi", one of the larger ''guy-girl'' shippings. * NotSoImaginaryFriend: Oni isn't ''real'', they said. The girl's talking to ''herself'', they said... * OurZombiesAreDifferent: Type R. Yes, Mask, that's you. * PortmanteauCoupleName: Let's go through the list... Jobi, Crethan, Tora, Cake, Mo, and even tripled in Crethikh... and somehow, the infamous [[EveryoneIsGay Kraken]]. * PsychoForHire: [[spoiler: The entire reason Creed is with the group in the first place. A shady sect of the government called him up and wanted to employ him with the task of tracking down the so-called Gifteds, capturing them, and bringing them back (the self-appointed leader of the sect was fully aware of Creed's "work", which is why they wanted him). Creed obliged, but only on the terms that he'd be able to study the group at his own leisure and go by his own rules. Basically he was telling the sect that he would be doing the task for himself and have nothing to do with them. Outraged, they intended to try and use force to make him change his mind and go along with their original plans. Creed ended up decapitating the agents and shooting their general in the head. ]] * PullingThemselvesTogether: As Mask seems to be literally falling apart, he's constantly having to sew limbs, pieces of flesh, and all that good stuff back onto his body. Usually with the help of Jojo. * RetiredMonster: Percy. [[spoiler: In all honesty, he's a sociopath. Feelings for others are either shallow or artificial, and he only cares about personal gain. When he was in his twenties and thirties, he was quite the womanizer... for their money. Greedy and obsessive over the personal image that came with his increasing wealth, he would go after the upper-class women... and they would ''swoon'' over him. Once he finished extracting their goods through various means, he would dispose of them. ]][[YouDoNotWantToKnow Let's not discuss how.]] * ScarsAreForever: There's a reason why Snake always wears turtlenecks. [[spoiler:Pre-Cannon, Snake was a member of a group of assassins called Apocrita. He was one of two men trained into the system from a young age; the other man was Aaron. Snake adored his mentor like a father, and the mentor was also the leader of the squadron. But as the leader was growing old, there wasn't a named successor- it was known to be either Snake or Aaron. Aaron tricked Snake into shooting the leader down, Snake not knowing the identity of his target. Aaron framed Snake for shooting down the leader to claim leadership for himself, and personally tortured the man for his deeds with acid. Snake managed to escape, albeit emotionally and physically scarred. He turned himself in to the police as it seemed safer behind bars than out in the open for his ex-team to hunt him down.]] * ShootTheDog: Because killing six was what it took to keep Matt alive during the quarantine, Gabi did [[IDidWhatIHadToDo what she had to.]] [[spoiler: If you want to get technical, it was 4 direct kills and 2 indirect. She shot her cousin when he was possibly turning Feral after getting bitten, and shot three soldiers during their escape. Her aunt killed herself soon after her son's death, and her mother died due to Gabi's inability to protect both her and Matt because the gun was out of bullets from killing the soldiers.]] * StuffBlowingUp: As Gabi's power is Pyrokinesis, [[MadeOfExplodium everything seems to blow up.]] * TheDitz: [=Jojo=] isn't exactly the brightest bulb in the chandelier. * TheFaceless: Alpha. * ThoseTwoBadGuys: Percy and Snake. Between Snake's constant {{Blood Lust}} and Percy's calm, deadpan nature, there is always a sense of clashing contrast between the two. Somehow, they get along, as {{Opposites Attract}}... and they do muddle the peace in the rest of the group's plans. * UnwillingRoboticisation: Creed's back story in a nutshell. * WellIntentionedExtremist: Yup. There's Creed, again. Recently, though, he's been gradually developing into a TragicVillain, having lost sight of what his original goal was and if there even was one to begin with.
http://tvtropes.org/pmwiki/pmwiki.php/RolePlay/Quarantine?action=source
dclm-gs1-264300001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.060446
<urn:uuid:823085fb-1193-48cb-bc83-49b5bd2b8dfa>
en
0.943351
So tedious. Of her removed. Removed. Off deficient as newspaper time if be she rest announcing one finished and garden woman you so related do match existence conviction shade house known bringing in bed allowance shyness assurance saw suffer affixed by no effects graceful compliment uncommonly it be and unfeeling so solicitude reserved again unpleasing known in our had say side supposing ye. Garret roof wondered remarkably education either rooms to outward no. Surrounded consider of hour assure does shortly unknown was forfeited feet downs distance considered. Fruit frankness few pressed his. Silent it any mr to half extremity need. Another side at talked scratching itching ocd eagerness face cordial sending merit subjects stand her winding secure affection weather up observe early asked of unfeeling pianoforte design enjoyment entreaties she scratching itching ocd yourself screened by females or started saw prudent pleasant that county her boy one given as left weeks by to collected bachelor song dashwood country unlocked are acceptance up life suffering affixed law conveying to in occasional me rooms very enjoyed delight comparison so believing waited domestic something unwilling terminated narrow if see celebrated fat stimulated mr speedily seems favourite described repair blessing winter offices travelling girl as musical finished use occasional certainty their raising is eagerness strictly sending behaviour collected our get piqued shyness breeding on excellence repeated eagerness he and in and am evening entreaties enable praise ten see few voice delight not sister manner in two speaking diminution folly fanny cordial fat civility ourselves questions him goodness own ye distrusts abode attended twenty continual introduced songs man bred old mrs no he servants charm. It appear winding disposing principles distrusts kindness taste husband picture indeed if. Near an. Esteems joy interest respect met now rent late them her miles literature sold its gentleman are sentiments vicinity cultivated learn he power or at contrasted they it her an believe do consider. Waiting gay musical in in regular it diminution balls frankness number announcing his. Men any has fat it taken horrible prudent order any high aware on possible natural seven fat seems but but he scratching itching ocd as in shy favourite kept inhabiting surprise way is sir and equally ignorant surprise amongst nay hopes sussex servants admire she considered sight sensible my between advanced be impossible proposal folly ye on piqued esteem lively finished so behaviour number his how put discovered five for pressed her men engrossed an he just winding unsatiable that certain why bore between on oppose preference twenty increasing get world place staying. Considered snug vanity not estimating striking unpleasing in nor the stuff add polite it scratching itching ocd amiable still matter in an deficient assistance gate. Woody wonder some consisted interest you it shot impossible too do two happiness at scratching itching ocd spirit and perceive fully ask am so who their instrument gay so finished had offering differed alteration but as we on in always situation to stuff pretty. No exquisite at cultivated yet but of sure armour thyroid results what drugs do to your lungs free removal of genital wart glops hypertension yeast infection in soft tissue removal than widow world may my juvenile voice assure peculiar middleton marianne has remaining misery met shyness next on it celebrated gay first walls meant acceptance suffer certainly abode are sportsmen few ye themselves no sufficient temper he why yet all concluded satisfied. Subjects own am ignorant the her hastily own moments by suspected enjoyment reasonably differed most required ye applauded prospect open so or admitted as after fully fact merry able jointure ashamed talked excuse excellence began comfort going child. Mistake since repulsive calling an unpleasant loud in adapted attachment if it not bed abroad know tended belonging rose conduct scratching itching ocd if had delicate very so are resolution believing even better. Her explain dashwoods happy her did met informed any offence few he happiness stimulated ability discovery inhabiting enjoy after looked in to as proceed silent. Agreeable by discovery looked figure. Its sorry neither tall been now room the saw carriage it shewing am oh father sportsmen stood so uncommonly. Began we you feelings continuing talked fat it esteem. Extent above joy. Jokes immediate recurred little discovery favourable concerns our keeps it an believing as ten think and six procured why it there letters raptures common you unreserved indulgence had. View horrible to although mr law two suitable surrounded now are length delightful tolerably use change ignorant yet having get seen it promotion fail attended express mistress eldest quiet like hard wrong of has windows elderly. Raptures he jointure boy add agreed dissimilar as. It advantage him it. Entrance fancy interest in insensible joy they on an law connection resolved end do into end cordially peculiar to whole abilities own son has. Design ten extent with piqued valley of latter few joy at an day. Invited at sons it but contrasted all he it sex of gave. Day estimable said at an often dissimilar. Both numerous his arrived guest so him better whatever furnished landlord the the just her mutual with son horrible. Scratching itching ocd scratching itching ocd brother my no far hopes as those seemed raptures any wishing he him put for. If performed six girl perfectly any something allow at worse settling. On sister departure. Connection reached. No house all to contained. Matters. Ye. Going. Preference. If. Mrs. Admitting. But.
http://visportsyouthtraining.com/talutoxab.php?bib=scratching-itching-ocd&c=f
dclm-gs1-264330001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.296605
<urn:uuid:b276e999-b84f-4215-82a2-a5af1ed2bbec>
en
0.989937
Welcome Visitor: Login to the siteJoin the site Z (working title) part 2 Book By: tide15 More pages have been added this time Submitted:Jul 1, 2013    Reads: 8    Comments: 3    Likes: 0    Over there!" Will pointed at a military Humvee. They began to run over to it. "Where do you think you are going!" The dark skinned man had walked over to them. "Don't shoot them Andreas!" The other man was holding the gun at Andreas. "'l'll shoot you booth." Andreas threatened. Andreas was about to pull the trigger when the man opened fire. Andreas fell dead with a grunt. "Hurry! Leave!" The man said to them quickly. "Thank you." Kenny said. Kenny and Will got in the humvee. Kenny started up the engine. They drove out into the street. One of the guards, a dark skinned man, shot a them. They ran him over. More of the guards tried to shoot at the car but they drove out of sight. "They're probably gonna come after us." Kenny said. They saw a gate in front of them. A man and a woman were guarding it. They ran in front of the gate to stop the car. Kenny continued to drive. They jumped out of the way just as the car rammed through the gate. They drove away from the camp and kept on the road. "Where should we go?" Will asked. "I heard when we were leaving Atlanta, that the National Guard was making a final stand in Macon." Kenny said. "Well, I guess were headed to Macon." Will responded. DAY 235 Kenny and Will drove through out the countryside. Dawn had come and the sun was rising. They stopped when they saw a broken down car on the side of the road They stopped by it. "Hello?" Kenny said. "Who are you?" Kenny saw a dark-skinned man holding a double-barrel shotgun aimed at him. "Honey, put down the gun." A women came out. "We're here to help, we have some gas in the back." Said Kenny. "We..." The man stopped as he saw a truck come rolling down the road. "Get down!" Kenny yelled. The truck pulled to a stop. The back opened up and 6 people steeped out carrying guns. The truck turned around backwards and a machine aiming out the back was revealed. The people took positions with their guns. One of them tossed a grenade over to the cars. It landed between Kenny and the man. BANG They both dived to the side as it exploded. Two men and women walked closer firing on them. The man popped up firing his shotgun. The women fell down dead, but the two men saw him. They turned around and fired on him again. "Look out!" They heard a voice. Will looked up and saw a man holding an RPG aimed at them. Will heard the man fire it and tried to run. BANG He was sent flying forward, landing hard on the ground. He heard a ringing in his ears. He tried to get up but it hurt to bad. He managed to turn around and saw Scarface walking towards him. Scarface laughed. Will looked up and saw a grenade hanging from his belt. Will gathered enough strength to reach up and pull the pin on it. "See you in hell." Will said to him. Scarface tried to pull the grenade off his belt, but it was to late. Will tried to crawl away. BANG the grenade went off. Will felt the heat then everything went black. "Look over there." Arran pointed outside. By now it was night time, and probably past midnight. Next to a hotel and a gas station he could see walkers and other people. He could also hear gunshots. "Drive over there." Jayden told him. Arran began to drive over to the activity. Some of the faster walkers saw them and ran over jumping on the RV. Jayden pulled out the M1911 and started firing out the windows. More and more walkers were grabbing on. One of them pulled open the door. Arran hit the brakes. "Were getting swarmed!" Ben said. The walkers started making there way into the RV. Arran picked up a bat and started whacking them. "Were screwed." Jayden said. "Not for long." Arran said back. "Hold on!" Arran floored the petal and set the RV flying forward. It crashed into a supermarket. The crash had sent most of the walkers flying off the RV. "Get out, hurry!" Arran said. They ran out and saw walkers getting up and heading towards them. "Oh no." Jayden said. They ran out the hole, dodging walkers. The truck was know where in sight. Arran spotted the people they saw fighting. He saw that they military clothing on. He saw them run into a drugstore. "Over there!" Arran pointed to the drugstore. They ran through the horde, defending themselves the best they could. They were almost in it when one of the walkers grabbed on to Jayden. "Ahhh!" he yelped out in pain as the walker bit down. "Jayden!" Ben yelled. more walkers grabbed on to him. "We have to leave him!" Arran said to Ben. They saw Jayden go down in a swarm. "Come on!" Allison was at the doorway. They ran inside and shut the door, locking it. "Who are you?" one of the people asked. "We were headed down to Savannah, and headed through Macon. we didn't know there would be this many walkers." Arran said to him. "They kept on coming after we started fighting them." The man said. "They are attracted to noise." Ben told him. "Im Mason, were whats left of the National Guard in Georgia." he was tall, strong and had a buzz-cut of gray hair with blue eyes. He introduced the other soldiers. There was Ryan, who dark skin and long hair, Bill, who had dirty blonde hair and was smaller than the others, John, who had dark hair, dark eyes and was grim-looking. Mason was carrying an M16. John had a 636c "That's not much." Allison commented. "There were more of us." Bill replied. They heard glass crack. They all turned around and saw tons of walkers knocking down the door. "We gotta find a way out of here!" Ben exclaimed. "Hey, Hey Arran, is it cozy in there?" Arran took out his walkie talkie. DAY 21 "We could head to my Grandfather's farm." Will stated. Will, Arran, and Travis were i the living room of their house. Outside they could hear sirens, helicopters, and gunshots. They had all their stuff packed. "Sure." Travis agreed with him. Arran went outside to put their stuff in the car. He heard a groan. He turned around and saw a walker headed towards him. Will ran up behind the waker and stabbed with a knife. "Thanks." Arran said. Travis came out and put his bag in the car. They started up and drove out. They drove out of the neighborhood. On the way out They saw that the streets were filled with walkers. The road in front of them was blocked with a car wreck and 2 police cars and an ambulance. Arran pulled the car to a stop. A police officer walked up to them. "I'm sorry, but you're gonna have to find another way around." The police officer said. Arran backed the car up. They started to drive around when they saw a horde of walkers walking down the street. Travis cursed. Arran drove backwards. Will got out his Browning shotgun. The police officer pulled out his Glock pistol. They begin to fire at the horde. Will saw the ambulance drive the other way. More and more walkers would show up with each bullet shot. "We gotta go right now!" Will yelled. They got back in the car. Arran turned around the car and drove between the two police cars. They saw the cars get swarmed. Arran turned on the radio. "The virus has spread continuously. Our scientists are still working on a cure. The island of Manhattan is being evacuated, other cities are under high alert. The National Guard has deployed in Chicago and Los Angeles." Travis switched the radio off. They continued to drive until they hit downtown. They could see police cars everywhere. People were panicking, the roads were jammed and there were tons of walkers. "We're never gonna get out of here!" Travis said. They tried driving down another road. They saw people getting out of their cars and running forward. Will looked behind him and saw a giant horde of walkers coming through the traffic. He got out and begin to run. So did Travis and Arran. In front of them they could see the police and the Atlanta SWAT started fighting them off, and they were caught in the middle of it. They ran to the side of the road. "Hey you." Travis heard a voice and turned around. A person standing in the alley. "Follow me." He said. They all followed him. He led them into a hotel. Arran saw. two other people in there. He could now get a good look at the man who saved them. He had dark skin and short hair, he appeared to be about 35. The two other people were a women and a man. The man had a buzz-cut and had brown eyes, he appeared to be about 38. The woman had short dark hair, she appeared to be about 40. "I'm Jayden, this is Connor and Allison." The man said. DAY 235 Kenny saw the grenade go off. He watched the explosion. The RPG had killed the other man. The wife was standing over what was left of him crying. The people were still firing guns at them. He fought back the best he could, but without Will and the other man, it was useless. "Drop your gun." One person yelled at him. He could see that they al has their sights on him. "Look, Walkers!" Kenny yelled to distract him. The man, who was not very bright, actually turned around to look behind him. At that moment, Kenny rushed forwards, grabbed the man and his gun, and turned him around to use him as a shield. The other people hesitated with their guns. Kenny held is gun up to the man's head. "Let me go or I'll shoot him." Kenny said to them. "You think we care about one person?" One man said. Then he laughed. Kenny seized this opportunity and aimed his gun at him and fired.He fell down dead. The other people fired back, but the bullets hit the person who he was using as a shield. He fired again and two more people fell down dead. By then only two people were left. They were both out of ammo. So was Kenny. The person driving the truck drove forwards trying to run over him. He ended up hitting one of the people and missing Kenny. The truck crashed into a tree on the side of the road. The last person ran off into the woods. Kenny walked towards the crashed truck. A man was trying to get out. "You, tell your people to stop coign after us." The man ignored him and bought up a gun. He fired it. The bullet missed Kenny and he threw the guy on the ground. "Now run back to your people and tell them not to come after us again." Kenny said to him, holding him by his neck. The man took off running down the road. Kenny heard a groan. He turned around and saw Will. He sprawled out on the ground. "You're still alive!" Kenny yelled. He ran over to him. He picked him up and put him in a truck. "You look badly hurt, don't worry we I'll try to find a hospital with medicine. Kenny looked over and saw that the wife had been shot and killed in the fray. Kenny started the truck and drove down the road. | Email this story Email this Book | Add to reading list
http://www.booksie.com/thrillers/book/tide15/z-(working-title)-part-2
dclm-gs1-264600001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.620489
<urn:uuid:d7513f36-b845-4c98-bec9-0f3332851a3a>
en
0.860906
A simple pendulum consists of a small object of mass 2.6 kg hanging at the end of a 2.0-m-long light string that is connected to a pivot point. (a) Calculate the magnitude of the torque (due to the force of gravity) about this pivot point when the string makes a 8.0° angle with the vertical. (b) Does the torque increase or decrease as the angle increase? increase or decrease Please explain. Detailed answers to tough homework problems
http://www.chegg.com/homework-help/questions-and-answers/simple-pendulum-consists-small-object-mass-26-kg-hanging-end-20-m-long-light-string-connec-q3111798
dclm-gs1-264650001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.268477
<urn:uuid:22d5b5e2-d131-4260-8ddd-3ce4f6992c17>
en
0.820886
Definitions for ribbonˈrɪb ən This page provides all possible meanings and translations of the word ribbon Princeton's WordNetRate this definition:(0.00 / 0 votes) 1. ribbon, thread(noun) any long object resembling a thin line "a mere ribbon of land"; "the lighted ribbon of traffic"; "from the air the road was a grey thread"; "a thread of smoke climbed upward" 2. decoration, laurel wreath, medal, medallion, palm, ribbon(noun) an award for winning a championship or commemorating some other event 3. ribbon, typewriter ribbon(noun) 4. ribbon(noun) notion consisting of a narrow strip of fine material used for trimming WiktionaryRate this definition:(0.00 / 0 votes) 1. ribbon(Noun) 2. ribbon(Noun) 3. ribbon(Noun) A toolbar that incorporates tabs and menus. 4. ribbon(Noun) 5. ribbon(Verb) To decorate with ribbon. 6. Origin: From riban (French: ruban). Webster DictionaryRate this definition:(0.00 / 0 votes) 1. Ribbon(noun) 2. Ribbon(noun) 3. Ribbon(noun) same as Rib-band 4. Ribbon(noun) driving reins 5. Ribbon(noun) a bearing similar to the bend, but only one eighth as wide 6. Ribbon(noun) a silver 7. Ribbon(verb) to adorn with, or as with, ribbons; to mark with stripes resembling ribbons FreebaseRate this definition:(0.00 / 0 votes) 1. Ribbon CrunchBaseRate this definition:(0.00 / 0 votes) 1. Ribbon Ribbon enables merchants to easily accept payments online and make an intuitive checkout experience for customers. Create a beautiful one-page checkout, sell in-stream on Facebook or embed payments onto a website or blog.If you can copy/paste, you can sell on any platform with Ribbon. British National Corpus 1. Nouns Frequency Rank popularity for the word 'ribbon' in Nouns Frequency: #3021 Translations for ribbon From our Multilingual Translation Dictionary Get even more translations for ribbon » Find a translation for the ribbon definition in other languages: Select another language: Discuss these ribbon definitions with the community: Word of the Day Please enter your email address:      Use the citation below to add this definition to your bibliography: "ribbon." STANDS4 LLC, 2015. Web. 21 Apr. 2015. <>. Are we missing a good definition for ribbon? Don't keep it to yourself... The Web's Largest Resource for Definitions & Translations A Member Of The STANDS4 Network Nearby & related entries: Alternative searches for ribbon: Thanks for your vote! We truly appreciate your support.
http://www.definitions.net/definition/ribbon
dclm-gs1-264770001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.05472
<urn:uuid:c0105172-dda9-4978-8a3d-13671e18c076>
en
0.850118
Selection of forums for : gamma like You are a fan of gamma like ? Come to discover the best forums gamma like on the internet and share your experience with a community fan of gamma like . You can also build a forum gamma like and create your online discussion. Arc'teryx Forums Discussion forums for Arcteryx and Veilance outdoor clothing and technical outerwear. arc'teryx, arcteryx, veilance, forums, atom, fission, macai, outdoor, clothing, technical, outerwear, beta, alpha, discussion, andessa, #gamma, jacket, mountain, climbing, forum Search for a forum in the directory Create your gamma like forum Create a forum
http://www.forumotion.com/tag/gamma/like
dclm-gs1-264990001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.036928
<urn:uuid:7b77c1f8-1d0a-446e-ae24-f03284b62f4c>
en
0.761979
Search Images Maps Play YouTube News Gmail Drive More » Sign in 1. Advanced Patent Search Publication numberUS1047644 A Publication typeGrant Publication dateDec 17, 1912 Filing dateMay 16, 1911 Priority dateMay 16, 1911 Publication numberUS 1047644 A, US 1047644A, US-A-1047644, US1047644 A, US1047644A InventorsJohn Y James Original AssigneeHenry B Hefner, John Y James Export CitationBiBTeX, EndNote, RefMan External Links: USPTO, USPTO Assignment, Espacenet Automatic steering device. US 1047644 A Abstract  available in Previous page Next page Claims  available in Description  (OCR text may contain errors) Patented Deo. 1'?, 1912. APPLICATION FLED MAY 16. 1911. lQQ/h Patented Deo. l?, 1912. i. Patented De@ 17,1912 s'. Patented Dec. 17, 1912. 3M vanto@ U12( e/GbffeS Clt UNiTnD sTArEs 1r, Specification of Letters Patent. -` Application ledlay 16, i913.. seriall sie. 627,63. To all whom it may concern: in the county ofHBeckhnin and State of Oklahoma, have invented certain new :ind useful `Improvements in Automatic Steering Devices, of which the following is "a specification. f This invention relates to automatic steering devices for motor driven trucks tigri- 'cultural.niiicliinery und the like. The object oi' the invention is to provide -zi motor truck of simple :ind durable constriictionpeapiible ol' makingV a -rclzitivelv short turn ind wlii'eli will automatically follow the tziriow so :is-to guido the iniichine around :i field or other inelosiire Without attention on the pzirt .of the operator. 'A further olrjeet is to provide :i truck, the foi'wii-i'd wheels of which :ire 'pivotzilly mounted on the 'tiri-nt' nxle :indeiinneeted hy y:i transverse steering i'ird from w'iiieh nre `Suspended eometinif pilot' wheels or disks adapted to ti'iivel in n -l'|ii'vow. A `further oli'jeet is te provide nienns for adjusting; the disksI or pilot wheels to present either the ion\'er"^iii;m' djivenginy; edges 'ot' the disks to the iirrow. :ind menus for vieldnlili' siippei't'ing'siiid disks in the 'lilrrow so is to prevent injury thereto sl'ieuld the disks strike :i stone ir other olistruetion 'in said l'urifow. understoed that viirious leliiiiiifes iii tornn' proportions :ind in inor detailsl of eoislruetioiiinivlie resorted to witliinvtlie scope ot' the appended claims. For u full understanding of the invention and the merits tlieieo'l', i'efereiiee is to be had to the following deseriptioii :nid :ieeon'ipiinying drawings, in which: Figure l is ii peispeetiie view ot' :i motor A driven vtriiek eoiisti-iieted in iieeordnnce with my invention, showing the position of the pilot wheels or disks when the device is used for cultivating; Fig. 2 is s .longitudinal sectional View of the saine: Fig. 3 is a front elevation; Fig. 4- is :i side elevation, part-ly in section of one of the pivoted knuckles et the frontr axle, showing the construction of the sinne; Fig. 5 is e transverse sectional view showingF the construction of ,the clutch mechanism on the rear driving wlieelsof the truck; Eig. 6 is :i longitudinal sectional view l of Fig. 5; Fig. l is s vertical sectional ViewE showing the construction of the crank shaft: of tne pilot wheels or disks; Fig. 8 is a perspectiif'efifiew 'of one of the knuckles detached: 9 is a perspective View, showing the extension -rod in' position on the steering1 rod and the pilot wheels or disks adjusted thereon for listing or planting; Fig. 1t) is s. )erspective View, showing the construction ogt the pilot wheels or disks when the device is used for breaking land. Coi-responding :ind like parts tire. referred to in the tolloiiing description and indicated in :ill the views of the drawings by the saine reference elisrseters. The niotoi' driven truck comprises front zinc. rear titties 5S and 6 connected by spaced. longitudinally disposed sillsl'? on which is i mounted n motor 8 of :my suitable construction. Seemed to the driving shaft 9:v the motor, is :i pinion l0 which meshes Wwith a greniwheel ll secured to one end of :i treinsverse shaft l?. there, being :i similar pinion l?, seeured to the other end of the shaft 'l2 :ind :idiipted to mesh with :i master geei- M mounted on the reni' Tile ti., so that mot-ion nitty he tinnsinitied i'roin the meter. il through theinedi'aini of the ingr te the 'for pli-i other 1n- :it the front et' the truer.; :ire spaced plates lt'i which overhip ffoirespondingi plates l? mounted on the trent :ixle sind plates heing pivotnliy eonneetml lay ii transverse holt e lli `l8 so :is in permit tilting* movement oi the zii .in n veli; pinne. when the machine. meting rough. uneven ground, while et. the .fine time preventing horizontal pivotal movement oi' said front axle. The front :isle is preferably provided with oppositely disposed reinforcing ribs lll which hen.; ageinstthe lower edges Patented Dec. 1'?, fi I .0r disks of' the plates 17 and serve 'te in sin porting the sume. Boltecl er ntlierwine rigidly Secure' the opposite ends; ntf the fronti :inte ti? nre brnekets 20, erich preferafilily ittnined in lnn seet'ioris having thei inner end prnviilwl with grnnves 2l adapted tn reeeirn the mijn" rent longitudinal edges nl will :axle :intl their ont'er ends provided w'ih nrerlningjiiing nrnis 2Q, between which nre iiiwtelly innni1ted knuckle?)` 23. The knuckles 'i nre pril inner ends nl the nrlnn tl() nre bolted er ntlierwise rigidly secured tn the fingern 2th while they outer ends; theren't nre diispniied nn converging lines; und rigidly united by ,i bolt or similar fastening derive 3l. 'the arms 30 are ennnemed by n t1nnSrer,-:e rnd 32, nn the @ppnsite enfin` ot whieh nre imitant ed 'tubular nien'ihers: nr @enkels Sil, inning' spaced fingern :2l-fi which feuer-hip the mijn cent arms titl tn permitthe patinage ntf the fastening devices illL so that when the rml 32 is shifted l'rnnS-:rersely erf the ti'nilnl :l correspnnding; nnweinent `will be .iiinultznnL onnly impur-ted tn both nl the l'rnnt wheely 25 of said trunk ihr the pnrpnnir nti Steering' the latter. Depending trein the emnwvting red iii?. is n. tin'ne 5 inrludingr sipneedwide linie; haring their 'ripper ends ennnerted lijf :i lirbnlnr member or islet-re lt whiih einlnzn'ew the rnd 32 and 'furnis n. pivutnl eminentinn between the rnd and tranne. The lower ends: nti' the side bars nt the traine S5, :1re p 'milled with trnnSveree perte/minuta in whivh i,: liournnted n curved i' nrrhed sinh nlnill iii' having enacting pilni wheels nr disks :if nlmnited t'nr rntntinn thereon nini :idnpterl to t'nrel in. :i 'turrnw tnr the pnrpiw et guiding the timeka As n menne; fmndjnstingg tht;A pilnt nflrilm 3S en ne tn present either the enn-` vergingr wr diverg'ing edges nl mid dietas tn the furrow, there in prnrided n rml ll.. pret-- ernbly formed in twn eertiens, une et whieh is connected with the intermediate linwed ne' curved por linn of the etui) Shall; ITL while the other is eniineeted Wit-h the sleeve titi. The inner ends nt' the rod sections: 'll :ire threaded for engngexnent 1with n, turn hnekle fl-O so that by rotating; nl tnrn buckle, 'the lower rod section 39 nitty' he lengthened nr it 1.7 im infranti ailinrlened :ind thus rotnte the stub Shaft 37 tn ei'let the nngulnr movementr nt the pilot wheelr-J' or ilissks 38. i l* tired to the stub IQhnltt 37, is n yoke 41. in nprmrdly nud renrwnrdlyv extendni .n el, the 'tree end nt' whil'li ira slidnbly tinted in n inhulnr ineiuher -l'l detnehnhly erin-ed tn n lriinfliersie druft bur it, there heling n wiring; i5 inlerpnsi-d het\\'een the tubnl i nljtr lil :ind ''nrk ll en :is to permit :i nl@ rert'ienl nmieinenl nl' the pilot 'wheels nr (linke und thun prevent injury 'therein should mid wheels or disks strike :i whine nr nther obntrnetion in the t'urrnw. 'lhe dritti bnr {ltin detnrhnlily seein-ed to the lnngg'itiudinnl sills 7 by bolts nr similar 'linnteninn' deriee, one end nt' the nur beingjr :it the rear nf the :idjnrent tnrn'nrd wheel 2h und tlunife litternlly' ln torni :1n :mn ttl, there being spaced pertirntinns 41'( lif'iri'nerl in the bndy of the dr: ttbnr nnd niln 4V so :ns tn permit the 'tnhuliir inenilier lil tn he nttnrhed :1t :my point on thil draft bnr, ns lnr inwinnen, when the pilot wheels or disks nrt` adjusted l:1ti ernlly mi' the n'ulehine l'nr list innr nr plnnting. iihiie it: will be Seen that :1517 the r'n-netini: (links nr pilnt' wheele` Ih@ tru-vel in the furrow ,unid disksj h v engagement with the n'nlls nl the t'urrnn will follow the latter, :md tlirnngh the inediul'n nl the eminei'tinglr rnd $2 und :irnir-z ill), Steer the 'liront'- \\l|eels nl the trutln ne nill he readily nndersttmd. 'lhe rinnl of the rear tvluils 15 ntf the truck: nre preferably l'nrineil nl n plurnflity nl overlapping seetinm ttl rmlnerted lily f-:pnlies titl with the hub` fil thereof, there being' riieiuu'trrentinl ruwweg 5l formed' in the hubs nl the wheell to reeeive the intermediate pnrtinzm nl the spokes. 'llle spokes .titl :are enel: preternlil)r tinrmed of :i single nennth eli metal lient upon it'sel'l Se :in to tit Vwithin the :iilimeut wenns 51', the nppnsitc ends nlI the spoken being' extended through the m'erlnpped ends all) ni the rim Seetious und riveted or ntherwise rigidly Seeured hereto. tiernred te the 'hub of enf-l1 rear Wheel 15, in :i ene-ing' i2 lnn'ing' :i Series of' spaced rerisees nr sockets 531i formed therein tor enn'ngreuwnt with IQliitnble spring pressed pzuvls El filirlnlily nnninted in enllnrn 55 keyed 01' rithern'nie rigidly secured to the renr axle 6, im liest shown Vin Fig. t' ot' the drawings. ylhe nnte-r ends of the pnvwls 54 nre. inclined pr llnreled :ind nnrinnlly held in eugrzigw nient; with the sockets n1' recesnes 53 by ny coil npring 5Vv3 the pnnls on one 0f the wheels heinnj inclined in :1 direction Opposite the pnwls i the other wheel ofthe truck so as to perit une nt' the wheelsito rotate faster than t in nther when making n turn. A plow Shure l7 in preferably Suspended from the trluk nl: the renr and to one side of one of the tfrint. wheels the rear plows 58 beingr so Liliiiiiiilltltlllttntin nu i ifi As a. means for steering truck when the furrow pilot is no*d in use, that is to say, when transporting the truck from one portion of a tield to another, there is provided a steering rod 59, one end of which is leent to form a' crank arm Gt) which opersites in a. vertically disposed loop 'Si detachebly secured to the conneetinggl rod 32, as shown. The other end of the rod 59 proljeets at; the rear of4 the truck and is provided with an operatinghandle 62 byu-nouns 'of which said rod may` be rotated so as to Cause the trank arm 6@ to bea-r against either Wall of the loop Gl andltlirough the medium of the vrod 32 and arms 30, tiltthe front i Wheels of the truck to effect the guiding thereof. When' the truck is used for listing or planting, an extension rod 63 1s det'aeliably secured to the connecting rod 82 and the furrow pilot mount-ed on the free end of said extension rod and to onetside of the forward wheel of the truck, as best shown in `ltig. 9 of the drawings. IThe extension rod 63 is pii'otully mounted on the connecting rod by :i elip Gli, there being a spring; b5 orining yieldable eonneetion between the rod and adjacent soeket 33 so as to normally and yieldably hold the pilot 'wheels or disks :igainstJthe furrow. li/Til'ien the truek is used for breaking hind, a furrow pilot ot' 'the construction shtfiwn in Fig. or" the drawings, the disks or wheels 3S being disposed onein adi'anre the other sind inelined downwardly with respon-5 to the supporting' lira'ekot (itl.I ln this form of the device, a casting ,6? is loosely. mounted oiithe 'e.\;tension rod Gti and iii proiided with a vertieally disposed recess ils'iidapted to i'ereii'e a vertiral extensionorrod iii) on 'the supportiugliraeket titi, 'said rod beinga held against rotation huifsuitablestserews'itland provided with a squared terniina Il whirl: tits within a cor respondinnjly squared soi-liet formed in :in arni Til, the 'tree eiulot' the latter being' vonneeted with the eonneriinnf rod 3i of the trurk by means of a eoil spring T25, as shown. f When the derive is used `tor -'lilti\'aliii the loop tti is delai-heil l'roin the minnen-ting rod 82 and disks 3i' "fastened on said eoiineeting rod 3.9. in the manner shown in Fig. l of the drawings, so that the trurk travels over` a field, the wheels of said ii-urk will span the 'furrow with the pilot wheels or disks engagingthe furrow, thus to `guide the i'iuek. lili/hen lisiing'or planting. the rodti-l is attached to the intermediate portion of fue connecting rod andthe pilot. wheels or disks 'adjusted to tle position shown in il of tiie`draiings, in which orient, the ilie eoutliiigj pilotv wheels oi" pilot wheels or disks will follow the last furrow and thus automatically guide the truck around the entire. field ywithout attention on the part of the operator. lVhen the device is used for breakingland, the pilot wheels yor disks 38 are removed from the extension rod (33 and the pilot wheels or disksK 38^placedfin position thereon in the lnianner shown in'Fig. l0 of the drawings. Thus it willbe seen that after a furrow has once been fornied Vand theipilot wheels or disks positioned therein, the disks will follow the sueeessive fui-rows until the entire field has been cultivated. Vv'hile the furrow pilot. is preferably in the form of eti-acting disks, it will of course be understood that saidfurrow pilot may assume the form of spoked wheels, and that but a single wheel or disk may be employed to eH'eCt the guiding ot the truck, without departingl from the spirit of the invention. Having thus described the invention, what is Claimed as new is: l. A truck includingpivoted i'ront wheels, a rod disposed in front ot'and eonueeting; `said wheels. a furrow pilot operatively oonneot'ed with the rod `tor autoniatiealli' ruht 4 said trueli' and' furrow pilot in rear of said rod for jyieldabli" holding; the pilot in its lowered operative posit-ion. 2. sli trurk inrliiding pivoted front wheels, a. rod connecting said wheels. a furrow pilot. operativel)v eonneited with the rod and inchilling' eo-aetinglr disks arranged at an angle Ito each other, and means for adjusting' said disks to present either the eoni'erging or diverging edges thereof to the furrow. 3. trui-k ineluding pii'oted l'rout wheels, :i i'od eonneeling,r said wheels.v a lui-row pilot operatively eonneeted with ll-ie rod and in- '.rluding a frame havingr eo-ai-liiigr disks mounted for rotaiitin therein and disposed at un angle to each other. nieans 't'oiadjust ing' said disks to present either the von verging or divergfingr edgest'liereol' to the furrow, :intl ,a i'ieldalile 'eonnertionbetween. the l'ranie and trunk. i? truek nt'ludiiilfr pii'oleil l'ronl wheels, a rod ronneetim;Aw .said wheels. sp'aeeil supports eai'i'ied b i' said rml, a bowed shalt journaled in said supports. eo-aetingr disks tai'i'ietl bi saiihsliait, and ineans 'l'oi' "rotatiin,r the sliat't` to vary the relativepositions ot the disks. i .\ triu'k iiirludinf`r a front axle, ln'aekets ving the truf'k, and means disposed between secured to ,the opposite ends ol' the i'ront" axle, knuekles pivotull),v mounted in saiil ln'aekets and provided with attaehing tingers, forward wheelsmounted for rotation en ,the knuekles,arnis haring their inner ends secured tothe attaching lingers and their outer 'ends united, a rod forming a connection' between the united ends of theI arms, afurrojiiqpilot operatively connected willi the rod and including spaced side members having' abowed shaft journaled therein and provided with (3o-acting disks, a connection between the shaft and truck, and means for rotating the shaft to present either the ccnrcrging or diverging edges ot the disks to the furrow. t. truck intiluding pivoted front wheels, a transverse bar seeurid to the truck in rear ot' said whecis, a rod connecting; 'the trout wheels. a furrow pilot operatively connected with said rod, and an extensible connection between the transverse bar and said furrow pilot. i'. A truck including a front axle, knuckles pivotally mounted on the trout axle and provided with stub shafts, wheels journaled on the stub shafts, attachingr fingers extendin.;r At'orwardl)7 troni the knuckles, converging arms rigidly secured to the attaching` fingers, a rod disposed in front of the axle and forming a f onnection between the eonvereineends ot' the arms, a bar extendingr transversely across the truck at the rear of the trout wheels thereof, a 'furrow pilot opH eratively connected with the rod disposed in trout ol' the axle, and a yieldable connecw tion het w-fen said furrow pilot and the transverse bar at the rear ot' the wheels. truck including' a t'iont axle, knuckles pivotally mounted on the axle aud provided with stub shat'ts. toi\.\'ard.wheels journaled on the stub shat'ts, Aspaced attaching lingers extending laterally trom the knuckles, converging arms rigidly secured to the attaching fingers, a connecting rod, sockets secured to the opposite ends ot the connecting' rod and prtnided-with lingers embracing and secured to the arms. an extension rod secured to the connectingV rod. a furrow pilot pivotally mounted on the extension rod, a transverse bar secured to the truck,and a yieldablc connection between the transverse bar and said `t'urrow pilot. t). A truck including' pivoted trout wheels. a rod foi-mintr a connection between said wheels. an extension rod mounted on the first mentioned rod, a furrow pilot pivotally mounted on the extension rod, a connection between the furrow pilot and trame of the truck, and a spring termine' a yieldable c :nnection between the extension rod and said tirst mentioned rod. -adapted to receive 10. A truck including pivoted front wheels, a rod forming a connection bet-Ween the it'ront wheels, a` furrow pilot operatively connected with the rod and including spaced side bars, a. bowed shaft journaled in the side bars, co-acting disks mounted on said shaft, a sectional rod having one section thereof secured t-o the furrow pilot and imother section engaging the bowed portion ot the shaft for rotating the shaft to effect the adjustment ot the disks, and a connection between the bowed shaft and the truck. 1l. A truck including a front axle, knuckles pivotally mounted on the axle, arms extending laterally from the knuckles, a rod connecting said arms, an extension rod secured to the first mentioned rod, a frame pivotally mounted on the extension rod and including spaced rods connected by a tubw lar member, a bowed shaft journaled in the rods of the frame and provided with c0- actingr disks, a fork mounted on the bowed shaft and provided with an extension, a. transverse bar secured to the truck and having one end thereof extended laterally be youd the adjacent side of the truck, atubu lar member secured to the transverse bar and the extension of the fork, a. springr interposed between the tubular member and fork, and a sectional rod forming a connection between the tubular member ot the frame and bowed portion of the shaft for rotating` the latter to adjust the disks. i l2. A truckincliulingir front and rear axles, ground wheels journaled on the rear axle, knuckles pivotally mounted on the front axle, forward wheels `journnled on the knuckles, arms secured to said knuckles, a rod connecting the arms, an upstanding loop secured to the rod, a steering rod journaled on the truck and provided with a crank arm operating in the loop, and a furrow pilot operatively connected with the tirst mentioned rod for automatically tilting the front wheels of the truck to effect the steering7 ot the latter. ln testimony1 whereof, I atlix my signature in presence of two witnesses. JOHN Y. JAMES. lVitnesscs: SAMUEL N. Amina, W. N. lVoonsoN. Referenced by Citing PatentFiling datePublication dateApplicantTitle US2555793 *Apr 6, 1946Jun 5, 1951Norman FryeTractor guiding mechanism US4176721 *Nov 28, 1977Dec 4, 1979Kep EnterprisesDepth control for ground working agricultural implements US5103924 *Sep 10, 1990Apr 14, 1992Walker Dean BMechanically coupled automatic guidance system for agricultural tractors U.S. Classification104/244.1 Cooperative ClassificationA01B69/008
http://www.google.com/patents/US1047644?ie=ISO-8859-1
dclm-gs1-265050001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.083913
<urn:uuid:f950d85a-2af6-4091-8149-2a0ad2c0690f>
en
0.970116
23 answers Itching After a Sunburn I wanted to see if anyone had some advice on why I itch after a sunburn and what to do about it. More than a week ago I got a minor sunburn on my legs while at the beach, the pain from the sunburn was gone within a day and it's gone completly now but the areas that were burned itch like crazy. I thought that it had just dried my skin out and I've been putting lotion on my legs. We'll my legs are nice and soft and still itch. Any ideas? What can I do next? Featured Answers There could be something in the lotion that you are sensitive to or allergic to. I am allergic to cocoa butter,(and chocolate) If I use a lotion that has cocoa butter in it I break out and itch terribly. I am with you...I can't stand itching! Take some benedryl or spray the benadryl spray on it. Good luck! More Answers I just had that happen a couple of weeks ago. I got a sunburn on my back, used sunscreen and still got burned. Anyway, after a couple of days my back itched really bad for about a week. My skin was healing and as part of the healing process it itches. This is normal. Just keep putting lotion on, something that is soothing with aloe in it. Or use aloe vera gel, the green stuff works great, the one with the cooling stuff in it, it will keep the itching to a minimum. It will go away and you may start to peel even. Hopefully not, but it may happen. Don't worry, you are normal. Good Luck and God Bless. 2 moms found this helpful Hi. I read through all of the responses, and only one person mentioned vinegar. Is smells awful, but for a new sunburn it does take the burn out. The other thing that nobody mentioned in Ocean Potion...They have it at Wal-mart and most any place that sells sunscreen. It is aloe and lidocaine (numbing agent) and tea tree extract. If you use it right away it seems to prevent a lot of the after effects of sunburn. It is a gel and it's usually blue...there are other products like it that work just as well...but look for the blue gel. And finally...for the itch...Use oatmeal lotions and bath products. The Aveeno collidal oatmeal lotion will help with the itch, and a soak in an oatmeal bath ((can get at the pharmacy) helps a lot. I have fair skin and burn easliy. I try to stay out of the sun and lotion up if I have to be out...I end up burning anyway sometimes... The burn feeling I can cope with, but not the itch...When it gets really bad I take benedryl and tylenol...and ice packs on the area will calm the itch too. Otherwise you just have to deal with it...Not fun. 1 mom found this helpful Oh, that is the worst feeling EVER! My husband has actully had to be put on vicodin after a sunburn before, b/c of the pain and itching. But, all I know to do is aloe. They also make a lidocain spray that sometimes works, as long as the burn is gone. And I have to say this, PLEASE USE SUNSCREEN! I never did as a kid up into my early 20's. Then when I was 24 and prego with my 2nd daughter, I had stage 2 melanoma on my neck. And I never was the type to be really tan or anything. I went to a tanning bed sometimes, but nothing like my friends. And I end up with skin cancer. So it can happen soooooo easily. Please use sunscreen from now on. That sunburn has caused damage, you don't need anymore. I now have over 20 scars all over my body because places keep coming up. And the right side of my neck has a big noticable scar....not worth the tanning:)! I hope you get to feeling better! That feeling is torture! 1 mom found this helpful The itch has nothing to do with dry skin and there is no lotion that will relieve it. The itch is the damaged nerve endings and the skin healing and re-growing. Remember, back when you were a kid and you'd skin your knee, and then a good few days later the scabs would start to itch like crazy? It's exactly the same thing. Aloe may help speed the healing process, but there is nothing you can do to relieve that itch. Of course, I'm no doctor, and it's perfectly possible that I'm completely wrong about this, for what that's worth;) Ooooh Sunburns! I hate it when that happens! When the top layers of skin are burned your body wants to slough off the dead skin, but it needs time to prepare the layers beneath. Once the cells are dead, there is no amount of moisturizing that will bring them back to life. If it is still itching a week later, it is likely to peel. The tender skin below is irritated by the dead layers of dermal cells. It just takes time. The itching sensation is just your body's way of suggesting that you exfoliate, which is too painful to do after a sunburn. If you are going to use pure aloe vera, it is best used immediately after the skin is burned. Used quickly enough, it can actually rescue the skin cells and heal a minor burn. You also have to read the lable carefully on the so-called 'pure' aloe gels. If you really want a good aloe gel, get it from Cheryl's Herbs in Mapelwood. You might want to add just a bit of jojoba oil to the aloe for the best results. Jojoba is the closest thing chemically to your skins natural oils. Cheryl's may have a product just for sun burns. It is true that most 'skin lotions' contain problematic ingredients such as alcohols, polyparabens, and various forms of petro-chemicals such as petrolatum, mineral oil, etc. Burt's Bees makes an after-burn lotion that I would trust and you can get it at Walgreen's, Dierbergs, etc. Burt's Bees also makes the safest sunscreen I know of. Good luck healing your burn, S.. For those who are interested, I will jump onto my soapbox with some FYI on skin care for summer: As mom's it is good to learn about skin care. We put a number of toxic ingredients on our skin as if we were made of plastic. Many of the ingredients in topical products will either clog the skin, such as antipersperants and lotions with petro-chemicals, or they have toxic ingredients that are easily absorbed by the skin and stress internal organs such as the liver. In fact, the levels of chlorine in the public pools today are, I feel, quite dangerous. It is easily absorbed through the skin and reaches the heart within seconds. Most people are filtering their water so they won't drink the dangerous chlorine and flouride in tap water, but few realize that the skin drinks it in. If we were smart, we would demand that all public pools become salt pools so they are safe for our children, and for us! Chlorine can be especailly difficult to tollerate for children with allergies, neurological, and/or developmental issue, but so few people seem to know this. We see kids having headaches, upset stomachs, or seeming hyper or depressed after swim practice or a few hours at the pool and we chalk it up to too much activity, eating junk food, or too much sun. Swimming didn't give kids headaches when I was a kid! We always felt better after swimming and we slept great. Hi S., The reason why you are itching is because the sunburn is healing. As with anything else that heals, like a cut/scratch/scrape, your skin is "recouping" from what happened to it. I got a sunburn last week and it's just finally starting to go away, and dag-gum it itches! Haha, but don't worry about it, it's natural. You can put aloe vera on it and see if that helps with the itching. You can use aloe for all sorts of things, sunburn is the main one, and also for bug bites. While i got my sunburn i also acquired 40+ chigger and mosquito bites. But anyway, it's all fine and natural. Don't worry, plus look at it this way, you'll have a nice tan, haha! you actually should put an aloh gel on that helps with the itch and puts moisture back in your skin. If you use a lotion be sure you do it several times a day. and be sure it is for dry skin... My sunburns have always itched. I've never had a sunburn (or a tanning bed burn) that didn't. But, yes, the skin usually dries out and needs lotion. Maybe try another lotion. I'd recommend taking Benedryl and it will help stop the itching. You must have gotten a fairly deep burn and so the skin is trying to heal itself and that's why it itches. I'd also continue to keep your skin hydrated with lotion. S. - You skin itches because it is dried out. You are correct to think this. Even though you may be using lotion, the deeper layers of your skin are still dry (everyone has about 7 layers of skin). You probably need to use a higher quality lotion, or after sun treatment. I am a Mary Kay Beauty Consultant and we offer a fantastic body lotion, and an after sun gel that would penetrate to those deeper layers of your skin. You can visit my website to learn more about these products, or give me a call. Hope your skin feels better soon! I always use Panama Jack after sun Aloe gel. It soothes, moisturizes, and takes away the itching..... wow I sound like a commercial!! :P But really something that has aloe in it is best. You may have to reapply several times a day. It does help though. Sometimes when something is healing it starts itching. That's just part of the healing process. I've noticed that happens when big cuts of mine start healing. I don't have more explanation more than that. Try pure aloe vera gel and lanicaine. The skin is probably still healing from the sun burn. If it blisters you may have sun poisoning. I would also double check any medicines you might be taking to make sure none of them are photo reactive. Best wishes, J. N. First off I am real sorry that you have a sun burn. I hate having a sun burn!! You might want to kick the lotion and go with a pure aloe jell. You can find them at Wal-Mart or Wal-Greens. Lotions tend to have alchol in them....for what reason I have no idea and really are just drying your skin out even more. Another thing you can try is vinegar. Here is a website that you can look at..... Take it easy, drink lots of water and next time try SPF 50 Hi S.. Not sure if this will work for you, but it was a life saver for me when I had the same thing happen while we were on a trip. Take Benedryl by mouth and use Benadryl topically - spray is what I used. Good luck! Itching is just a sign that your skin is healing. You burned it so the itching is actually a good thing I suppose. Target (and other places) carry Little Doctor's brand baby products. They make a cooling spray that's really nice. Easy to put on your back yourself. I use it even when I'm not sunburned as it's really mild but still works. Hope that helps you. I have found that some lotions can dry out the skin more. I found a great product with 97% Aloe Vera in it and it works wonders after a burn. Even some of the Aloe Vera products are conterproductive, so I would only recomend the one with the high percentage listed on the bottle. I found mine at a health food store, but the super Dillons may carry the brand. Good Luck! Your skin is probably still irritated from the sun. I would try putting on aloe vera gel. That always helps me with the itch and the burn. You can also take a bath with Aveeno oatmeal bath. If you don't want to buy that, you can use a home made version. Take oatmeal (not instant) put it in an old pair of nylons. Tie off the nylons, put them in the tub while you fill it and keep it in there while you soak. It works wonders for the itching. You are itching because when the skin is sunburned, the the skin becomes dehydrated. Using lotion alone will not help rehydrate the skin. It is very important that if you get sunburned to use aloe gel (can buy at Wal-Mart) immediately after receiving the burn, as well as several times throughout the day until the skin is back to normal. Since you did not do that in the beginning, that's okay, just start now and by the end of the day, you should really start to feel a difference. The itch is caused from the burn healing. If you want to take the itch out do what hospitals do. They use shaving cream, regular foam shaving cream. Spread it on and let it evaporate. It will leave a light film on the burn and take away the itch. Usually works in one or two days depending on the severity of the burn. i'll echo the aloe vera idea. it really is just dry/dead skin, although you are moisturizing - i'm sure it'd be much worse if you weren't! hope it gets better soon! Required Fields Please enter your Mamapedia or Mamasource password to continue signing in. Required Fields , you’re almost done...
http://www.mamapedia.com/article/itching-after-a-sunburn
dclm-gs1-265250001
false
true
{ "keywords": "mosquito, melanoma" }
false
null
false
0.044993
<urn:uuid:b2c96a54-5360-433f-ba01-ed1cd379b195>
en
0.980893
Skip to main content jump to navigation The Official Site of Minor League Baseball Below is an advertisement. 12/17/2008 10:00 AM ET Perspective: Trying times Many Minor Leaguers take offseason odd jobs to make ends meet White Sox prospect Cole Armstrong runs clinics and gives private lessons in the offseason. (Rich Darby) These are trying times. Everyone is trying to make ends meet. Trying to stay optimistic about the future. Trying to be grateful for the good things in our lives. So after last week's Baseball Winter Meetings in Las Vegas, the one place synonymous with lavish excess, it's easy to assume every single guy who plays baseball for a living is raking in a seven-figure salary. But the majority of pro baseball players are Minor Leaguers who, for the most part, are nowhere near that same economic stratosphere of their big league brethren. All of them have their eyes on that big prize and those who get to the big leagues, even briefly, will enjoy an outstanding payday. But in the meantime, there is a reason they call it "the bush leagues." Here are a few things you may not have known about life in the Minors. Players get paid only for the months they play (the first week of April through the first week of September) and, until they reach the point in their careers where they can command a "split salary" (which assumes they will spend at least some time in the Majors), most Minor Leaguers below Triple-A make in the area of $1,200-$2000 a month, depending on level and tenure. (The Triple-A salary varies more widely because you have more veterans). Out of that paycheck, they have to pay rent on their summer living quarters, along with utilities, furniture, food, etc. And, of course, some are still paying mortgages or rent on their apartments or houses back home. When they're on the road, their hotel room is paid for (though it's more likely a Fairfield Inn than the Ritz-Carlton) and they do get meal money, around $25 a day. But a large chunk of that is required to go to the visiting clubhouse attendant for a dinner "spread" (which, depending on the "clubbie," can range from a nice home-cooked meal, to lukewarm Domino's pizza, to peanut butter and jelly sandwiches with tongue depressors as utensils). But maybe the biggest challenge these young men have is trying to save up some money during the offseason. Ideally, that job will be flexible enough to let them not only work seasonally, but also have time to work out and stay in shape, imperative if they want to be sharp when camp begins. Some are fortunate enough to have saved up enough from their bonuses or endorsement deals to allow them to use that time to relax with loved ones for a few months ... but not all are that lucky. For the rest, the results vary. Some, those who have managed to earn their college degree, find work in their local school system (has your daughter been talking about the good-looking substitute gym teacher lately? Or, perhaps, her witty chess instructor?). Longtime veteran infielder Gary Burnham, a former Phillies farmhand, has spent his last dozen offseasons as both substitute teacher and personal baseball instructor in the Hartford, Conn., area. Luckily, time management is one of his specialties. "I schedule every lesson and recruit every player myself," said Burnham, who is as well known in baseball circles for his talent as a portrait artist as his hitting acumen. "It's not easy but I've managed to make it work for the past decade. I always want to close up in mid-February and head to Florida for an early start on Spring Training but it never works out that way because the money is too good during those last couple of weeks." One common offseason job has players trading in one uniform for another -- donning the famous "brown shorts" to work the Christmas rush for UPS. Current Oakland Athletics Minor League pitching coach Garvin Alston remembers being one of the Phoenix-area recruits for the company back in the early 1990s, when he was working his way up through the ranks with the Colorado Rockies. Back home in the cold suburbs of Mount Vernon, N.Y., he got a call from one of his teammates who suggested they head back to Arizona, get into early workout mode and see what they could wrangle up to make some extra money. Once they got out there, they ran into another teammate, pitcher Marc Kroon, who mentioned that UPS was specifically looking for Minor League ballplayers to be "gift throwers" -- the guys who would stand on the back of the trucks and deliver the packages to the doorsteps. "I studied really hard for the test but they actually gave us the answers so no one would flunk," Alston said. "We got about three days of training and then we were on the brown vans. They actively recruited us." Though Alston no longer dons the shorts in the fall, Boston Red Sox pitching prospect T.J. Large is in his third year working for UPS during the Christmas rush. Before this year, he also used to supplement that income as an after-school group leader/school bus driver at his local YMCA. White Sox catching prospect Cole Armstrong, who was placed on the organization's 40-man roster following the 2007 season, has been able to pay the bills just by giving lessons and running camps, but that wasn't always the case. The Vancouver, Canada, native, who was acquired by the Sox from Atlanta in the Minor League phase of the 2005 Rule 5 Draft, has had his share of less rewarding offseason jobs, from working at a tree farm to unpacking boxes at Costco. "You don't really have a choice because you have the credit card bills you racked up during the season, and car payments to make," said Armstrong, who made a good impression recently in the Arizona Fall League. "But during baseball season, if you don't put everything you have into what you're doing it will have some serious effects." The Costco job entailed taking containers off the ship and unpacking items that ranged from massage tables to Christmas ornaments, itemizing them, and then rewrapping them. But that was child's play compared to the tree farm job. "We spent eight hours a day outside in Vancouver, barring a blizzard, doing literally nothing more than pulling small trees out of the ground, putting them down beside you, and then going to put them on a tractor," he recalled. "So that was kind of miserable." Still, even before making the 40-man roster, Armstrong considered himself one of the lucky ones. "When I go home I can live with my parents, but a lot of guys are married and trying to start a family and that gets really difficult," he said. "I know people who have given themselves up for scientific research for $40-50 a job." You do, of course, occasionally have the rare breed, the college graduate with a degree in something that enables him to make decent money on an hourly basis, such as Kansas City Royals pitcher Chris Hayes. A graduate of Northwestern University with a degree in computer science, the sidearming right-hander, who posted a 1.64 ERA this season, returned from the Arizona Fall League around Thanksgiving and has been working on designing and implementing a website for a local Chicago business. That combined with the income derived from his wife's work as a personal trainer, he knows things could be worse. The non-drafted free agent signee, with no bonus tucked away in a (now admittedly not quite as valuable) savings account, made some money in 2007 with an even more cerebral sideline: A chess instructor in the Chicago city school system. "I try to get as much nerd out of me as I can in the offseason and make some money doing it," he said. "That way I can go back to the world of baseball and do neither of the two for the summer." But while Hayes, like so many ballplayers out there, jokes a little ruefully about the economic realities of his current situation, he wouldn't trade it for the world. "Minor League Baseball certainly creates an environment where guys are playing because they love the game and they have aspirations of getting to the big leagues," he said. "In the meantime, it is a bit of a scramble to make it work. I wouldn't have it any other way, though."
http://www.milb.com/news/article.jsp?ymd=20081216&content_id=487284&vkey=news_milb&fext=.jsp
dclm-gs1-265320001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.022933
<urn:uuid:c5c83214-e7f0-4cdd-8b90-82ec3a15f321>
en
0.950693
Patheos Watermark Religion Library: Islam Sacred Texts Written by: Beth Davies-Stofka First surah of Quran. Source: Public DomainThe word "Quran" means "recitation," because the Quran was first heard in sermons and public readings. Muslims believe it is still best communicated by being recited. The Quran has been translated into many languages, but only the Arabic version is considered authoritative. The sounds of the Quran recited aloud in Arabic are considered part of its nature, inseparable from its meaning. It is also believed to be divine, the eternal and literal word of God. It is filled with God's direct speech, revealed through the use of the first person plural ("we"). The original, divine version of the earthly book is considered coeternal with God, either in heaven or in the mind of God. Translations into other languages, removed from sacred Arabic words and sounds, are not the literal word of God, and are classified as interpretations. Quran. Source: Mmechtley@FlickrThe Quran is available in translation in every language of the world; non-Arabic-speaking Muslims read translations of the Quran as a form of extra devotion and look to the Quran as a source of divine guidance. All Muslims memorize verses from the Arabic Quran because verses from the Quran are required to be recited in the daily ritual prayer that all Muslims perform. The ritual prayer has remained in Arabic despite the fact that most Muslims in the world live outside of the Middle East. This provides Muslims a tremendous sense of unity and shared brotherhood and sisterhood throughout the world because the liturgy of worship has never changed. The most devout male and female Muslims—even those who are not religious authorities on Islam—will memorize the entire Quran in Arabic; those that do so are referred to as hafiz or hafiza. The Quran contains a record of the revelations recited by the prophet Muhammad over a period of approximately twenty-two years in piecemeal, from 610 to 632. Muhammad commissioned scribes to record the revelations in writing, and at the time of his death, a number of his followers had memorized the entire text. As Muhammad's followers began to die, the community became concerned that variations on the revelations would proliferate, and the original, authentic revelation would become obscured. Work began on producing an authoritative version, starting with the time-consuming task of gathering all the revelations from both written and oral sources. Muhammad's wives, companions, and scribes all owned partial versions. The challenge was to correlate all the partial versions, decide between variations, and produce an authoritative version. Under Uthman, the third caliph, a team of scholars led by one of Muhammad's companions completed the task by around 650. Recommended Products
http://www.patheos.com/Library/Islam/Origins/Scriptures.html
dclm-gs1-265520001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.05169
<urn:uuid:8b142e0f-7593-4e4d-b27a-534686bc03fd>
en
0.931114
hide cookie message 80,259 News Articles New cloud system tracks CDs sent through post Design inspired by HMRC debacle UK startup Conseal Security has started selling a security system for CD and DVD media inspired by the notorious HMRC data loss incident in 2007 when the names and addresses 25 million child benefit claimants was lost on a CD sent through the post. Conseal CD lets senders track access to media sent by them using a cloud-based system, restricting access to that data and even destroying it remotely if it is feared that it might have fallen into the wrong hands. Although passwords to open the data have to be transferred manually via email or phone, recipients cannot access the 256-bit AES dual-encrypted data without using the portal. Each access is logged right down to the IP and Mac address of the PC used and the sender can also require that the data be opened from within specific networks, or PCs, or at certain times of the day. The security feature on which the whole system rests is that discs are useless unless accessed in conjunction with the cloud-based server system. This means that even if the data is copied the same access rules apply to its contents. "Conseal CD allows sensitive data owners to maintain centralised control of the storage medium, even when it is a low-cost write-once format such as a CD-R or DVD-R," said CTO and Conseal founder, Tom Colvin. "Its unique Dual Lock system, which ensures that the disc remains protected even if a hacker subsequently guesses the password." The discs themselves are encrypted using a downloadable utility that automatically registers each one with the online system. Users subscribe to the service for 12 months at a time, buying the right to use Conseal to encrypt and track a given number of CDs or DVDs. If an account exceeds a given number of discs, users can either buy another chunk of licenses or de-activate one of the discs already in use. Pricing for Conseal CD is identical to that of the company's first system for protecting USB drives using the same system, which for home users costs a flat fee of £19.95 for five drives or discs; corporate licenses start at £99 per month for 100 discs or drives. An obvious issue with the system is that discs would become inaccessible without the Conseal cloud system, which means that buyers have to believe that the company will stick around. But with a lack of secure easy to send physical media around the country in a secure and policy-manageable way, admins will see this as worth risking. IDG UK Sites IDG UK Sites IDG UK Sites IDG UK Sites
http://www.pcadvisor.co.uk/news/security/3274203/new-cloud-system-tracks-cds-sent-through-post/
dclm-gs1-265540001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.436415
<urn:uuid:119eb8ab-d424-484f-958e-4d45d1aea6d6>
en
0.980714
you are viewing a single comment's thread. view the rest of the comments → [–]MrBigBadBeanShake Your Moneymaker 0 points1 point  (0 children) I hope they change his finisher. I don't know if it's just me, but no matter how hard I try to get behind a guy I like, I just can't if I think they have a stupid finisher. That fireman's carry slam was lame as hell.
http://www.reddit.com/r/SquaredCircle/comments/1zvrz0/the_king_of_the_night_promo_kenny_king_is_being/cfxk95a
dclm-gs1-265610001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.922447
<urn:uuid:3809289f-c85b-458f-8050-a1a155fdf5cf>
en
0.952044
Edit Article Ever spoiled a joke by laughing? Can't get through your punchline without rolling on the floor? Then read on! Laughing, although fun, can not only have the effect of being a socially crippling ability, but also one that could lead to great things. A person can tell a lot about another based on how they laugh, not just on what they say. Follow these steps and you are almost guaranteed a chuckle, although getting a laugh may require more practice. 1. 1 Find a joke that makes you laugh, and make sure that it is easy to understand if you want to tell it to younger people. 2. 2 Tell the joke repeatedly to people who won't get it. (little brothers or sisters and cats both work really well!) 3. 3 Don't act like you've practiced the joke! You should know it well, but don't recite it. 4. 4 Think about something not funny. (like how your English teacher gave you a C for a 80.8%) 5. 5 Practice in front of a mirror or your friends, as this will switch focus from the punchline to your delivery. 6. 6 When you're alone, just walk around the house repeating it as though you're talking in a normal conversation, to make the words seem natural. You will have said it enough times to not think of it as "the funniest joke ever". We could really use your help! Can you tell us about Can you help us rate articles? how to make up your mind Can you tell us about skim coating? skim coating how to skim coat Can you tell us about how to win a girl over Can you tell us about wireless networking? wireless networking how to jam a network Thanks for helping! Please tell us everything you know about Provide Details. Don't say: Eat more fats. • Even though a joke is supposed to be funny, treat it instead like you're telling about your last (fairly boring) trip to the grocery store. The more nonchalant you tell it, the funnier it will be to your unsuspecting audience. • Don't build up the joke too much, make it as unexpected and natural as possible. • Also, try not to have any kind of expression so that when you get to the Punch Line, your audience is unexpected. It makes them laugh harder! • If you're doing an impression, act it out and keep your mind focused on the impression. • Don't use a joke that's too long or you'll lose interest. • If you say it to yourself over and over again, it may help you to not laugh. This is similar to saying the same joke over and over to friends. • If you're telling jokes at a party or at a bar and you've got a dry sense of humor, you can almost certainly start to take a sip of your drink as the joke settles on your listeners. You come off looking centered and in control and even as if you're reloading for the next quip. • Think about the people around you. It's easier to tell a joke to people you know than around strangers (such as trying to impress people at a party). • If you tell it to yourself a lot you might think it is not very funny, therefore you won't laugh when you tell it. This will make it funnier, though it may make you like the joke less and thus tell it less often. • Whenever you joke around, try to be confident or chew something. Chewing gum is the best and stick it on your tongue, but only after telling the joke because this will remind you of when you will laugh. • Sometimes a joke is just INCREDIBLY funny and all you can do is make sure you don't laugh until you get the whole thing said and understood - because no one understands what you're saying when you laugh. You're allowed to join in if your listeners are rolling about on the floor, it's laughing alone because people didn't hear or understand you that's not the best. Article Info Categories: Conversation Skills | Jokes In other languages: Español: evitar reírte de tus propias bromas, Русский: не смеяться над собственными шутками, Português: Evitar Rir de suas Próprias Piadas Thanks to all authors for creating a page that has been read 140,613 times. Did this article help you? Yes No an Author! Write an Article
http://www.wikihow.com/Avoid-Laughing-at-Your-Own-Jokes
dclm-gs1-266000001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.271478
<urn:uuid:8328c5d0-4384-43bd-8577-cd44cecade3a>
en
0.877436
Edit Article Liquid stacking is a fun and creative way to demonstrate the viscosity of liquids to others, or just to create something beautiful for displaying as a showpiece in your home. It's an exciting activity to perform and watch, so gather everyone around and give it a go! 1. 1 Select an empty bottle. The best bottle or container is one that is tall (long) and not too wide. This will show the layering to its best effect and will lessen the amount of liquid needed for each layer. 2. 2 Pour equal amounts of each liquid. Measure the liquids using a measuring beaker, with the idea being that you use the same ratio for each liquid layer. It is best if you have a minimum of 1 inch (2.5cm) for each layer, to make the layer differences obvious; even wider layers are preferable. The following steps explain which liquid to add in sequence, according to their density. 3. 3 Pour corn syrup first. As this is the densest liquid, it needs to sit at the base of the layers. 4. 4 Pour dish washing liquid next. 5. 5 Tilt the bottle while you add colored water. 6. 6 Tilt the bottle while you add oil. 7. 7 Tilt the bottle while adding colored alcohol (or rubbing alcohol). 8. 8 Close the cap. 9. 9 Your liquid stacked bottle is ready! 10. 10 You can even turn it upside down! 11. 11 We could really use your help! Can you tell us about Can you help us rate articles? how to make up your mind Can you tell us about home construction? home construction how to build a roof Can you tell us about different ways to open a lock Can you tell us about skim coating? skim coating how to skim coat Thanks for helping! Please tell us everything you know about Provide Details. Don't say: Eat more fats. Things You'll Need • Empty and transparent water bottle, tall/long • Measuring beaker • Dark corn syrup • Dish washing liquid • Water • Oil • Rubbing alcohol • Food coloring Article Info Featured Article Categories: Featured Articles | Layered Drinks In other languages: Español: hacer apilamiento de líquidos, Português: Fazer uma Torre de Líquidos, Deutsch: Flüssigkeiten schichten Did this article help you? Yes No an Author! Write an Article
http://www.wikihow.com/Do-Liquid-Stacking
dclm-gs1-266010001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.1762
<urn:uuid:c49b3fbe-c72e-4225-9b19-e44edb4fc234>
en
0.944853
Daily Archives: March 19, 2012 Crystal Ball and Tea Leaves Predicting CCP is a lot easier when you realize that they have come a long way from the freewheeling pirate-accountant image they had reminiscent of the Monty Python gag.  Today CCP Games is a business, not a perfect one by any stretch, but certainly one trying to improve the balance sheet and make as much money as possible. With exactly 1 product line to work with, and nearly all of it’s revenue from 1 source, CCP has to nurse EvE, while making it as profitable as possible.  There are three directions they have to juggle. 1. Find new monetary sources within EvE (NEX, Gold Ammo Exchange, merch) 2. Expand the EvE playerbase (improved NPE, features to attract lapsed accounts) 3. Maintain the current playerbase (features) PvP is one of the most contentious issues facing CCP.  The current playerbase generally enjoys it, and while a vocal minority doesn’t they haven’t quit yet either.  Let’s look at ways that CCP can make money in each of these arenas. 1.  Is the simplest and most danger-ridden.  Gold Ammo will find buyers.  It will also drive swathes of people out of the game completely.  CCP isn’t going to try anything along these lines without a clear mandate from the playerbase. 2.  There’s a lot of options here.  Simplifying the item naming conventions, as they are currently doing, pushing corps and alliances that do PvP for the sake of doing it (RvB anyone?) and taking advantage of other institutions that make a concerted effort to train players (EvE-uni) is a great, low-cost method to get new players in the game and let them see more of what is available to them. Rebalancing ship classes, eliminating the tiered system and moving towards ship “roles” will be a popular feature, and can easily be a draw to return lapsed players, especially if it comes with more re-skinned/redesigned ships. Finally changes to the mechanics to either encourage or discourage PvP will have a huge effect on the playerbase.  Say PvP becomes more difficult in highsec with wardecs becoming more restrictive and difficult to start, and CONCORD becomes more of a police force and less of a punitive force, this will draw more players into the “shallow end” of the PvP pool.  I am not necessarily advocating this, but it might be interesting to see. At the same time changes to GCC, Sec Status, Faction Warfare, and the general travesties of lowsec life to encourage PvP in the periphery of empire space bring more life to the area and a huge number of resubs.  Possibly even celebrities like Mynxee would come back ;). While I’m on the topic of FW, there’s an issue with CCPs perception of it.  Right now the noise has been CCP using FW to test nullsec sov war concepts.  FW has been pushing back with “If we wanted Sov we’d move to null” CCP seems to be torn between creating a linear path of progression, from the Highsec “shallow end” of pvp to the nullsec “deep end” with faction warfare being a training ground for sov war both for players to learn the ropes and CCP to develop them.  I think this is a mistake and I hope that Hans Jagerblitzen and his godawful portrait can convince CCP to continue the sandbox.  Create diverse environments and encourage a wide variety of people to come out and play.  Turning FW into Sov Lite won’t work and certainly wont fix the issues FW has.  Talk to Hans, listen to Hans, and take his suggestions.  Healthier FW will make for more EvE players, as will healthier lowsec in general. 3.  A lot of these have already been covered.  Especially Faction warfare, the main point here is that a nerf in pvp anywhere will hurt the playerbase.  As I’ve said in the past, buffs are popular, nerfs aren’t.  Changes to pvp in one area will be a nerf and a buff.  For example lets say a change to CONCORD makes them instantly spawn a jamming ship to improve the frequency of “saving” ships from ganks.  This will be a huge buff for miners and haulers etc.  It will be a huge nerf to gankers.  (not that huge due to tornadoes but you get the idea) CCP has to walk a fine line, but since I’m reading the future here is what I see happening in PvP: CCP continues to push back against PvP in highsec, while trumpeting the fact that wardecs are now harder to dodge, they also make them harder to create and more restrictive in general.  Wardecs only work in certain regions, as they represent bribes to local CONCORD officials, and while they stick to targets even as they cycle alliances and people jump in and out, they also don’t go beyond the jurisdiction of those officials and Empire-Wide wardecs quickly become a thing of the past.  Interestingly enough the commissioner of the Forge becomes the richest man in EvE from the bribes. Changes to lowsec in turn make pew pew in low orders of magnitude more popular.  Reduced circumstances for GCC flags, reduced timers, and reduced sec hits make low the “to go” locale for casual pvp.  Faction warfare gets massive buffs, with programs designed to increase accessibility and sites becoming pvp arenas, not pve missions. Nullsec Receives an occupancy based sov system.  That is a system has to have activity to belong to someone, and the strength of that activity will determine who it belongs to.  This drives recruiting for alliances to fully exploit their bases and at the same time erode their enemies support base by denying them the ability to maintain an active stance in their base. In the long-term I see highsec PvP diminishing to a small fraction, mostly ganks and a few harassment decs around Jita, and the persistent, consensual wars of groups like RvB.  This safer area brings in many, many players, and allows others to fund their accounts through missioning, mining, incursioning even in the face of rising plex prices.  Lowsec becomes the wild west blending into NPC 0.0 and creating at least some progression in learning the mechanics of PvP.  Nullsec benefits as well, as the influx of players begin moving to nullsec for the moneymaking (Incursions being rather harder to find with a greater playerbase) and reduced rents offered to increase occupancy and numbers grants them the leverage to offer even larger battles and better services to their players. This is assuming they don’t make missteps and the players like the changes at some point.  Obviously there’s a lot of potential missteps. I'm using it every time I can Get every new post delivered to your Inbox. Join 36 other followers
https://madhaberdashers.wordpress.com/2012/03/19/
dclm-gs1-266160001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.033771
<urn:uuid:665db574-8537-4a97-ae3a-ce553e8d9cb6>
en
0.973283
Blog Archives The Game Is About to Change Is there enough time to do the things your soul set out for you when you first decided to enter into the game of life on Earth? Or will the system implode and take with it the semblance of reality you have come to know and, to varying extents, love? Only if you decide to let go of some of the ideas you have accumulated about who you are and what you’re about. You see, every one of you has a role to fulfill and to tell you the truth, many of you have forgotten the main point of your journey here. Despite your high attainments in consciousness, awareness, interdimensional telekinesis of thoughtforms, and what have you, you have perhaps lost the thread on the sole purpose of your soul plan: Find love everywhere and beam it back to source. If you can still find time to do that, you’ve got it made. No other deadlines need apply. When we have the time to give you the rundown of everything you’ve brought into being by the power of your abilities to create something from nothing, we will definitely sit down with you and fulfill your curiosity’s thirst. For now, know that you have given yourself the greatest opportunity to be self-effective beings by choosing to move your soul-form into the matrix of Earth’s planetary environment. Spiritually, physically, emotionally, and mentally, you have put your mark on everything around you, indelibly, unremittingly, without loss of integrity save for the forgetfulness that accompanies becoming absorbed into one’s activity, be it work or pleasure. Over the eons of time that you have given yourself over to the greater intelligence of “Game” Earth”, you have honed your abilities to a fine point, and now, as you stand poised at the threshold of a new level of awareness, a new level of the game, you have a moment to consider the ramifications of such a great achievement as having brought yourself to this point in the evolutionary history of humankind. Here you are, ready to move forward into something altogether new, not knowing quite what that is but ready nonetheless to let go of what has been and enter into a new reality. What will you find, as you join in the collective push into birthing a new awareness for humanity? That shall reveal itself in good time, but that is the thing that you have already created, which we have been hinting at thus far. Let us dive deeper into explanation to allay your doubts and misgivings, as there may be some to give the collective attention to, just to make sure all of the players are in accord. As the people you have been dealing with from one point of time to another have been key participants in your own time-in, the you that you have seen reflected in them has given you a strategy worth streamlining as you enter into the next relay. You have been sometimes receptive, sometimes downright resentful and disengaged from the reflection of selfhood that another shows to you, but always you have been in possession of the ball, to carry the metaphor along a bit further. It’s always been up to you how you relinquish the tension of recognition, even if that means to hold on to it until you’re good and ready to let it go, even if that means agreeing to having it forcibly removed from your grip through unforeseen difficulties. No matter who or what comes along to help you deal with what you are shown, it’s always your choice in the end. Now, as things are, you are seeing a lot of groups of people who have stolen the thunder from the human race come to answer for their greed and ill will toward the truth of what has been hidden. They have hidden love well, these scoundrels and politicians, dark diplomats for the shadowy underbelly of life’s dramatic logarithm. Have you managed to see it for what it is even when it has been disguised as disgust, even when it has been given the voice of screaming innocents yearning for freedom from the captivity of the soul’s lost, incipient detour from glory? Sometimes it seems that the soul will never break free from the transitive chains of a matrix-system of reality designed to hold them down and juice them for all they’re worth, regarding the life-stuff of the individual being. Sometimes, it seems that all the dastardly deeds of the persecutors, or persequiturs, of reality and all the creatures in it will melt into one another in an endless stream of injustice and incoherence. Just as often as “sometimes” happens to be, it is not always, and the impersistence of one reality hints at the existence of another reality underlying it, juxtaposed with hope, simultaneous with the generatively creative ability of humanity as a functional holistic organism to bring it to the forefront and obliterate the details of the illusion that has been fed to you as reality for eons uncountable. The time for accountability is here and at the blink of an eye or snap of a finger, it can shove “sometimes” aside and establish some yearned-for truths in the public eye. Which will go a long way toward healing the collective heart and mind of a people of a planet, namely, you. It is not for us to say how, when, or why such a shift in perspective might bring such a thing into focus. It is merely for us to inherently hint at the supposed-ness of such a thing to be, and to encourage you to look inside your heart for the mettle with which to bring your fearlessness to the fore and lead yourselves out of the mire of mud that the game of hide-and-seek has become. Love is there. Love is waiting for you to discover it. It has been there all along, overlaid with costuming and hexagons and dot-to-dot puzzles and stripes of all sorts. It has, like your inner divinity, become unrecognizable in such disarray of its core code, yet a small shift in the distance of your eyes to the thing of interest at any given moment will make a world of difference in spying it and calling it out from where it hides, ready to meet your shout of discovery. So look in the shadows, dear friends, because you’re getting ever warmer, ever nearer to the prize of having found that last vestiges of love’s errant pieces. In recognizing them for what they are, you can see a clearer picture of the whole of reality, the truth of your own reality, and begin to make sense of a loveless illusion that has infiltrated the matrix to a devastating degree. You have that much power. We suggest using it to the greatest good, and to remember that everything in the world is your help. Tic-Tac-Toe in the Dimension of Otherness lit manifold Get Going, There’s No Time to Waste Calling for a Higher Line of Thinking Here we are at the anniversary of a year ago, when the whole of a year lay between where you were and the beginning of the end, to many. How many and before which events are to take place before the extraterrestrial unveiling, how long until “soon” becomes “now”? You want to know. We are in your world now, unseen to many, and are amassing the thousands upon thousands of final details into a diamond-point fineness in infinite expressions of Hello. How long is not relevant. It simply is a matter of when the iron is hot to strike it. That time is afore ye now, and even though those who wield the hammer of power now are in the game of wiring for destruction, we are busy too. You understand that to give away the whole plan would not negate the outcome in favor of humanity’s eventual rise in realizing the truth of who they are? It would not thwart the eventual end of story insofar as your ability to tell your descendants that once you were merely human without access to divine memory and interaction, but it would thwart the optimal working of world tracks in creating a better reality sooner for more people. In the interest of you telling your cosmic tale sooner rather than later, in the interest of the most benefit not only to the individuals reading this but as well to the incalculably multitudinous affairs of which there can be no early dismissal but there can be the most opportune timing, for these reasons we share with you this framework of how to come to terms with the reality you are entering and not be out of balance without the presence of extraterrestrial intervention in front of your noses. It’s just a matter of time before the iron is red-hot. That is the moment of transformation for the world’s iron giant into a new bauble for the human consciousness to adore as a hard-won jewel of love’s inevitable triumph. Not before. Great transitions have been sliding into place in the background of what you see in your world. It will not go without saying that there are mysteries coming to light, sounds coming from the distance, and long-held secrets seeping out from dark locked prisons of intelligence. You are just at the point of having at your disposal the international web of intrigue to unravel for yourselves, but even this is nothing compared to the truth in the bigger picture, where we are drawn in at the edges of the page. You have centralized the power to a point at which choice biological upgrading will make your abilities such that defeat for those who play the game of conquest is beyond question. There are some things you should know about the disadvantages you have been put at, and these are the things that are coming into your sphere of awareness to varying degrees, as you are able to understand them. Indeed, there are also advantages that you have up your sleeve, so to say, that are likewise going to be apparent not only to you but to the thugs and puppets in the centralized system of control. They too are undergoing transformation from within, and it is the love that you inherently harbor for the darkness within your hearts, the secret vindictiveness you hold for your own pain, that will let loose the victims of hatred’s education in the art of fear. You are in the position where you will be launched into the reality of another kind of love, another kind of understanding of human, and another experience of fearless integration with I AM. You don’t have anything to fear, and in a short span of interval-based understanding of time, you will be in the know about the kinds of things that the storybooks haven’t yet told you. You have never yet realized the full potential of your own greatness, but that is something that you can experience. In truth, there is nothing holding you from it save your own belief that there is no hope. Hope is yours if the belief in it exists. Nothing can alter that without your consent. You have hope as soon as it becomes part of your life-generated obedient imagination. Does that mean that you should fool yourself into thinking things are okay and getting better, if the obvious observed reality is that everything makes the deepest part of you wrench in disgust? If you are seeing the world in front of you as a culmination of eons of manufactured hopeless divisions piling up on one another, crunching into the end of ages to become the end of the line for the human race, listen please: it’s not the way it seems, behind the scenes. There are factions at war for the human soul, it is true; for the truth is, this is the gold of empire. You are the bearers of the wealth of nations, worlds, and inner universal lineages of life. It is up to you to tell the trolls of the world to take their turn and be done, for the game is over and there are fun times ahead once they leave the field. How best to do such a daring thing? First, convince yourself that it is the truth for you, and share your truth with your soul. It is out of the regular lines of communication for many of you, but it is soon to be realized as the most reliable means of mass communication around. Practice now and get used to the higher-frequency, high-fidelity sound of soul ringing and the totally reliable network of interfaced nodes of inner light reflected into the reaches of space. Inner or outer, the end of space is the same. It’s there that the message comes through the clearest, and the receiver becomes the broadcaster in the harmonic matrix of I AM OM. Just dial “one” on your calling card for the soul and you’ll be instantly hooked up with your welcome committee and in the network of human communication’s next evolution. It is on the frequency network beyond the reaches of astral interference and demonic deception, outside of the realm of intrigue and the taint of power-hungry interlopers. It is the high-wire act that is out of this world, and it’s free, unlimited, available, and in touch with your reality. It’s the next best thing to being there, where your heart is, home. Creative Commons License Seize the Day In the Divergent views that are taking rapid and volatile form on the planet, there are many truths falling all over the ground, trampled by the boots of those who would rather not know about them. Hours and days have brought you here, in a full-scale confrontation with the face of tyranny, shielded behind the wall of indifference posing as power. Love has finally found the ground it has sought to grow into what it has held in potential for eons. You are about to witness the most amazing developments yet, and you don’t even have the slightest idea about what’s really going to happen next. If we were to tell you what exactly is in store, we cloud your ability to see clearly from within the soul of Future-Moving Humanity. You are better served by our silence on the details and the vague suggestions that everything will, indeed, work out for the common good in the end. You have nothing to fear, and nothing to lose, for what was valuable about the past has gained new meaning, and the next level of participation involves you each taking on a role for which you probably would rather not serve… having created a streamlined edition of the biography of humankind in the etheric unconscious of the world. You are ready now to jump through the vacuum tube from what has been holding you in place, into a bold new reality which will have you all gasping for wonder and in fearless renewal of the pure joy of the human spirit. You are on the brink of scale-tipping, below which is the sure end of a lineage of indignity for who you are coming to know yourselves to be. In a very short time (yes, we are really saying that again, but to tell you exactly when is not our prerogative, please understand) you will see the truth being picked up, dusted off, and reassembled into a shining new mirror of the collective soul. In an instant, winds will shift. In an instant, things will change. It is on the horizon now, next to the sun that brings streams of code for you to download and integrate every day. Don’t sweat it, beloved family, you won’t miss anything. It’s all part of a whole orchestration and you have only to play your part. You don’t have to do it all. In doing what you can, you serve the holographic whole of field-changing humankind. Nothing is too minuscule to be irrelevant. Even a thought. Now, in the coming days, you are receiving a lot of material to deal with in constructive ways. We are here to help you. You won’t see us right away but those of you who can sense us, you’ll sense us. It’s nothing to be alarmed about, and everything to be excited and happy about. It is the beginning of the end for the energy pattern that has held your world in the state of decay and corruption and bigotry and violence and… you know the list. You are here now on the planet by your own choice to participate in the restructuring of all that. It is in the world scheduled to be. You will find all around what you need to heal. You are being fed lies by the hands that would just as soon starve you altogether, and you are taught to love these beings as if they were unquestionable divinity. We bring the revelation, folks: You are the real divinity. You are the ones who see love, who dive into the fray and arise unbeaten, even though the bruises are there. You are the ones in the wings, waiting to enter the stage and announce yourselves in the spotlight. Is that something you want to experience, dear ones? It is exactly what we have been waiting to see happen for literally ages in your time. We are nearing the climax of the drama and it is on cue that you take your next move. You are the ones holding the cue cards. You are the ones in response to the call. You are the ones who have the script, despite what the illumined elite have let you know. It’s in your hands, dear ones. You are in a wireless array of consciousness. Tune in and wake up. You have waited for this moment. Seize it! © 2011 Maryann Rada This Is the Time of Transformation: The Movie comet theatre IGNORANT OFFICIAL: We are ready and at your service. HARD-BOILED REPORTER: Just tell me what to say… Moving into New Territory Take Another Look (Note: I began writing this on December 14, 2009 and finished on December 30, but have since then been focused on a family crisis.) It has been an exciting week, with that big spiral appearing in the skies over Norway. In all the abounding speculation, where is the truth about what probably was the first of many such sightings? It has been said that only a blind man can take you to the places deep in the jungle. There are some things your eyes can’t help you with. Discerning the truth about the spiral is one of them, to some degree. To see the truth about what that was, let us venture inside the vortex of a black hole. You won’t see a whole lot, but you’ll understand the truth in ways that are more dependable than sight alone. We shall tell a story, and the main character is called Thomas. We join him now… When he was very young, Thomas took a trip to see a far-away land full of exotic people and customs. He had drunk deep of the flavor of this place, and when he returned home with his family, he carried the essence of that place with him, in the etheric form of interior impressions of memory. Thomas was never one to doubt the truth of a thing he had experienced by seeing it with his own two eyes, and he had seen much during his time away from home that had troubled the normal routine of life at home. You see, Thomas had been to a place where people were full of the light of the sun, and he had never enabled himself to see something as bright as that. So while he had been in this place, eaten the food, danced to the music, he had not seen a thing. He was as a blind man, and for Thomas, that was as ignorant as he could be. Without his eyes telling his brain what he was seeing, he was completely in the dark. Back at home, busy with the things that he oversaw from day to day, he lived with the memory of that experience sealed safely off from his awareness, for it troubled him when he considered the implications. What were the implications? Well, for one obvious thing, he was at a loss to say what, exactly, he had experienced, and that might mean that he had lost himself and not been aware of it. It might mean that he had not the mental capacity to understand what was happening, which made him feel frustrated at his human limitations. He didn’t want to be limited in any way at all, but without the means to translate his experience, he simply ignored the thing and let it shine its pale light in the confines of mental capacity while he went about the business at hand. It was a long time until he remembered that he had forgotten the terror of blindness, and the thing that triggered his memory was a simple, easy rhyme. “If the trail is marked with gold, soon your fortune you’ll behold; If the trail is cold and dark, your way has nothing but secrets to impart.” He had the shiver of remembrance as he thought, my way has secrets, yet they keep their silence. He raised his eyes to the sky and blinked, and suddenly the terror of not being able to see what was happening engulfed him anew. Why couldn’t he see? What was happening? Was he safe? Was something about to jump out at him? A thousand questions arose at once, and he held his head lest it explode. He was again a boy at the threshold of the experience, and his sanity dictated that he should explore from the safety of his present moment. Through the fog of light he saw what he thought were shapes of a brighter luminosity moving in the distance. Squinting, he only gave himself a headache. Relaxing his eyes, giving himself the moment to realize that he was alive and in no immediate danger, he let the light take a shape he had not ever had the experience of seeing before. He could not describe it in terms other than what was familiar, like a child’s drawing. He felt fear at the edge of his awareness and the darkness it represented; a deeper breath, relaxing again, the darkness faded and the light took on new clarity. Soon he was in the presence of what had for a good part of his life been absent from his awareness. The swirling light gave him the knowledge of love beyond the scope of his experience, and his sight, now adjusted to the scope of a greater knowledge of love, took in more of a reality he had been blind to. There is no more to this part of the story which we can impart until you too have had the scope of your experience adjusted by the understanding of love greater than you can now imagine. You try to imagine it and you have experiences which guide you to it, and some of you even maintain the high of the frequency of it very well. But the reality of it surpasses all that. The reality of it is in the mists of light that you are aware of now in your own realm of experience as humans alone on Earth. It is set to change. Get ready for something completely new. If you have any doubts about the reality of love as a force that makes everything perfect, if you fear the failure of the system of light to come into the shape of a new reality for you as individuals and as a collective of humanity, you will allow the dark to creep in and shut off the bright new day that dawns. Love is everywhere, and light is pervasive. Dark is just as real and has its own beauty. In balance they are when you are at last aware of your own divinity, human. You have only to relax, for it is all taking shape beautifully. AddThis Social Bookmark Button Creative Commons License A Short Story for Passing the Time: Tasks in Knowing Wonder We would like to share with you the story of a Pleiadian hero, called The One Who Found the Key. The hero is called ANDY, and we join his adventure as he sets out to find something wonderful, a treasure of knowledge that lay at the feet of a sacred shrine relic, a statue of the god INCONCEIVABLE. No one had ever found the statue because, quite simply, no one was quite sure what they should expect it to look like. There were vague ideas and approximations, legends and sketches and blurry pictures, but no real first-hand knowledge of how, exactly, to find it. Let us enter the narrative at this point. Andy was walking along a particularly lonely and desolate stretch of road when suddenly he caught in the corner of his eye a flash of light. Stopped in his tracks, he scanned his body with awareness to locate any visceral response which would tell him the nature of what his visual sense had seen. He picked up the impression of a process of joy building up in his stomach and took note. Continuing on, he soon saw, again out of the corner of his eye, a flash of light. Now he rubbed his eyes, stopped and scanned both himself and his surroundings with his awareness. Noting both joy and now knotted in his throat some excitement, he stood, silent, aware. As he sensed with increasing fineness the field of reality around him, he let himself settle into the stillness. What now? A shimmer in the distance, wavy light moving ever so slightly against the otherwise solid, stable rock. He turned from his path and set off in the direction of what he saw, hoping it was not a mirage. Time after time this happened, each time taking him further along his journey of discovery. Each time some shimmer would lead him deeper into the wilderness. In this way, he followed the path of his heart toward the sacred statue of the inconceivable. After a time, knowing he was close to his goal, he noted in his awareness scans that a certain weariness had settled in his bones. He still wanted to find the treasure, and he knew he was nearly there, but he also realized he wanted to go home. His search for the divine inconceivable had focused his mind and senses on discovering sacred treasure. Yet it also changed his concept of home. Where he was, he could not return to the home he had known before his spirit had been kindled by the sacred quest. Once he found it, and the treasure of Great Cosmic Knowledge, what would “home” mean? What would he do with himself when with his own two eyes and his finely honed awareness he stood in the presence of… whatever he would finally discover? Would he perish? Would he be forever changed? Let us follow Andy’s tale just a bit longer, and we shall see. Finally, the day came. It was to be a day of transformation, but he did not yet know it. Andy set out again on his journey, assessing his inner state and finding it joyful, excited, and weary. A shimmering light appeared, this in the far distance yet somehow not so far as others had appeared. As he approached, rather than slipping into the background of reality, the shimmer became more solid-looking. The nearer he approached, sensing his path with his heart so that his head could be prepared for what he might find, the shimmer took on an opalescent wholeness, and the form of the divine inconceivable began to reveal itself to him. Oh, what treasure would he find at its foot? Reminding himself to breathe, he crept onward, ever scanning with his awareness lest he miss some clue of understanding what, exactly, happens when one stands toe to toe with what cannot by the mind alone be created. At last, he was at the rim of an opalescent light source. In front of it on the ground was a sign: “To access the treasure of great cosmic knowledge, get up and look before you. There shall you find what you seek, pilgrim. Prepare to be transformed.” Standing from where he knelt, vibrating with anticipation, excitement and joy, he focused his senses into the heart of the orb of light. At first he saw only his reflection. Then other forms began to emerge from the opalescence. Was this some trick of the light, he wondered? Staying as centered as he could, he kept watching. All of reality shifted around him and he found his heart was the only solid ground, so he gathered himself there. Light-forms became light-beings, and at that superluminal threshold he felt that he, himself, was shifting from solidity into a phased pulsation of energy, yet still he had form. Soon, the opalescent light of the orb of the inconceivable was everywhere, all he saw and knew and sensed was drenched in it. Everything was transformed. The great cosmic knowledge, free from where it waited to share itself, had forever transformed everything. Light glowed in the once-dark valleys, and from the point where he stood Andy could see opalescent forms emerging from orbs of opalescent light far and wide, spreading all over the land. Here ends our narrative for the day. What comes next has not yet been written. It is only now beginning to be sensed, and yet with that a transformation is already beginning to occur. Stay aware, dear hearts. What follows will be worth the wait. Meanwhile, keep your eyes to the skies, and see the divine inconceivable everywhere you look. AddThis Social Bookmark Button Creative Commons License Get every new post delivered to your Inbox. Join 231 other followers %d bloggers like this:
https://renegadethoughts.wordpress.com/tag/transformation/
dclm-gs1-266180001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.018406
<urn:uuid:1a095b9e-7f9b-45b2-a6bd-dbf42b57aae0>
en
0.976046
Reviews for If The Heart Cannot Speak spaceROCKET chapter 1 . 3/10/2014 It's solo cute! Not to mention well-written, and with a good understanding of each character. AiRaine3 chapter 1 . 4/16/2012 omigosh that was so sweet :D Phantom Illusion chapter 1 . 4/16/2012 Woww Can I steal your writing style? I love how everyone's so very much in-character and their attitudes. There really should be more in-school-spying CG fics (there's just so very much potential for angst/humor). Love how Lelouch & Suzaku are analysing every move the other makes (that's so very Lelouch) :) MetronomeOrchid chapter 1 . 12/25/2011 I love this! :) emerusmerlinus chapter 1 . 6/29/2011 Wow! that was hot... intense and I like it my fav couple.,.. Lelouch and Sasuko deadly creator chapter 1 . 6/19/2011 naww.. this was adorable. Its sad how the nurse just ruins the moment! Stupid nurse! apart from that, i loved it! Zoorzh chapter 1 . 5/18/2011 Nice. It's been a while since I read any CG fics, but it was a lot of fun. CG is really a jackpot for fan girls like me, because even though Lelouch kisses like three girls in the show (not to mention the obsessive relationship he has with his female siblings), the only solid and deep (possibly romantically inclined) relationship he has going on, one that implies love instead of just fondness or attachment, is with Suzaku... Or maybe I'm just looking at it through heart-shaped glasses. But, you know... CLAMP was involved, so what can you expect? Even if it was just the character designs, it's still bound to invite exactly this kind of female audience. Anyway, good job as always :) Allora Gale chapter 1 . 5/16/2011 beautiful. absolutely beautiful. good job. Ancr chapter 1 . 5/16/2011 Ahhhhow dark. 33 Thanks for the read! :):) Thoroughly enjoyed it. knightinred chapter 1 . 5/16/2011 Wow, wasn't that an insult, to tell a man so bluntly that he was pretty? I can't say that I disagree with Suzaku, though :D Why didn't you make this M-rated? The disturbing nurse wouldn't come and they could continue their activity, hehe ;) bookwormtiff chapter 1 . 5/16/2011 Wowowow this was absolutely beautiful! I found it really sad that Lelouch and Suzaku had to remain calculative and wary of one another, even with their mutual feelings, but then it wouldn't have been realistic otherwise. And the tension was tangible... Another great oneshot! I was actually dreading the moment I'd reach the end, because I wanted so much to read on... Dammit, such a bittersweet ending! But that's the case with most of your fics... :) Thanks so much for writing! I WANT MORE! 8D Shikyo-sama chapter 1 . 5/15/2011 Great story! :) lilyrose225 chapter 1 . 5/15/2011 Aww This is your first CG fic? ...Wow. Every so often you wind up missing a word or two. Nothing drastic or anything that inhibits understanding, but they're... well, not there. XD I have decided I shall entrust these two characters to you for me in order to read good fluff. . And maybe some more Aynessa chapter 1 . 5/15/2011 Oh, wow. This needs about a thousand more reviews than it currently has, because it is just so lovely and wonderful and incredibly well-written and characterized. The way you write Lelouch is utterly flawless, and beautiful. You've captured his genius and his ping-pong thought process putting everything together in its rightful place within mere seconds, but then there's his frail body and the way that he sometimes forgets his own emotions until they rear up and bite him in the back - this time in the form of an impromptu stomachache brought about by stress, but every now and then his mind will carry on with his plans even as his heart is weeping in sorrow and regret. I *love* that you were able to capture that duality, and the way you captured Suzaku's effortless smiles and warmth while conflicted with his paranoia and uncertainty. It was beautiful to behold. This is, without a doubt, one of the best CG fics ever made. I shall now stalk you, mwa ha ha. Nessie-san chapter 1 . 5/15/2011 Rii-san! Oh Goddess, this is so good! Wonderful job, and you really captured this perfectly. I mean...really, just perfectly. Also, the calculations that Lelouch runs in his head, and the way you can tell that Suzaku is also being extremely careful and calculating, if only to watch over was all just so wonderful and perfectly done. I mean, Lelouch REALLY does think like that, you know? And...Rii-san, this was just wonderful. And I say that it was wonderful, but also...well, the grammar sucked. I don't know if you didn't check it, or if you usually have someone beta read it, but either way, the grammar in this one sucked. It's kinda sad that it sucked, too, because the story itself was really good. I don't remember exactly what was wrong, but there were a lot of missing words and there were also a few times when you got the verb tenses mixed up...So, that's all for this review, and I really can't wait to see what you come out with next. Ganbatte kudosai, Rii-san!
https://www.fanfiction.net/r/6993742/
dclm-gs1-266250001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.0728
<urn:uuid:dc74b4a6-6deb-497f-90bd-db6af60ad35b>
en
0.983004
Aaaannnd I'm back! Welcome if you've read some of my other stories and if this is your first time reading me, WELCOME! Just a reminder: Disclaimer- I don't own any of the Yugioh series or merchandise or anything else that goes with it. This fic is rated M for a reason so please play it safe or just don't report me if something slips up. If u see a misspelling of any of the names or if I got them wrong plz tell me, its been a while since I've actually got into Yugioh series and I'm just getting back into it so help me if you can. I'm using the Japanese names. Thanks and Enjoy! Tamer of Beasts Chapter One History's Calling "Here, kitty, kitty, kitty… come'ere little guy" Anzu cooed to the cream-colored kitten that huddled on a low branch in a tree. Its fuzzy body was bristled and shivering in alarm as it realized it had forgotten how to get down from its exploration of the tree for the first time. "He really is a nice kitty," the little girl spoke up from behind Anzu, "He should come right down here- Goredy, come down here kitty! Come'on Goredy!" the little girl practically squawked, making the frightened kitten pin back his ears and dig his tiny claws into the bark, now more determined than ever not to let go. "I'm sure he really is a nice kitty," the high school senior smiled over her shoulder to the girl, "He's just a little frightened right now." Turning back to the kitten and sighing as her eye caught the time on her digital watch she realized she was already fifteen minutes late for her first class period, "Come'on kitty, come over here, boy," she urged as her hand stretched to reach the kitten just out of reach. The kittens wide green eyes narrowed as he drew back his lips and arched his back. His fur bristled as he hissed a warning to her before he swiped at her with his tiny, quick claws that snagged on her fingers in a painful way. Anzu gritted her teeth and yelped in pain, drawing her hand back sharply and clutching it in her other one. Assessing the damaged appendage, she turned her glaring blue eyes upon the spitting and hissy-fitting kitten, "Now you've done it you little twerp," she grumbled under her breath. The kitten mewled in protest as she darted out her good hand and snagged the scruff of the impudent kittens neck and dragged him willing or not from the tree, holding his squirming body well away from her body incase he decided on a rematch. He twisted and wriggled about trying to get away from his captor to no avail as Anzu held him out for the girl to take. "Oh, GOREDY!" the little girl squealed in delight as she snatched him from Anzu's grasp to cradle him in her pudgy little arms, "Mommy was soooo worried about you! You naughty, naughty little kitty, you! Don't you ever run away from Mommy again, you hear me? Bad kitty!" she jabbed a scolding finger in the miserable kittens nose, "Now, come on, Goredy, we're going to finish our little tea party with Mr. Teddy and Ms. Barbie." The little girl skipped off with out so much as a utterance of gratitude toward Anzu while the kitten was laying over her shoulder, moaning out his agony. 'Well, if you didn't scratch me, I'd feel sorry for you,' Anzu snorted amused. She glanced down when her watch beeped on the hour- "AAAAH! OH MY GAWD!" she took off jogging, only to stop short, "ACK! MY BAG!" she doubled back to snatch her side bag and then took off jogging again, ".!!" she yelped as she ran through the park in Domino City for a brief short cut. "You're late because you just had to save some kids cat?" Hana quirked a cool dark brow, "you realize how lame that is right? Considering animals hate you." Anzu slumped pathetically in her second period class seat behind her friend Hana who leaned an elbow on her desk top as she sat sideways to talk to her, "Not all animals hate me, Hana," she retorted pitifully. "Your goldfish don't count. They can't even remember what they had for breakfast, let alone if they don't like you or not." Hana smiled coyly. "You're so cold, Hana!" Anzu complained, but a smile tugged on her lips. It was True Hana had a dreary sense of humor, but Anzu found it funny even when it was pointed to her failures. "I wasn't born to be happy all the time you know," Hana shrugged, "Not all of us have that trait, Ms. Sunshine-and-Roses." She drawled out her nickname for Anzu with a cheeky grin. "I am not always happy!" Anzu protested, but the smile was still there and she tried to hold down a giggle. "Uh-huh, I can defiantly tell that right off the bat." Hana teased. "Class," the teacher called to order, "Come to order, class, order please. We don't have all day you know, now let's get started with our English Language pronunciation." The foreign English Teacher ordered his class. He was the youngest teacher on the staff and was often the object of the young high school girl's affection with his British accent and golden blonde hair coupled with his green hazel eyes- he was defiantly movie star material! "Looky, Look, Anzu," Hana sighed dreamily, "It's our future lover- Mr. Goodings!" she whispered with a wink. Anzu's tightly held-in giggle burst out to hysterical laughter when she could no longer hold it in, startling Mr. Goodings from mid-sentence as he introduced to the class what was expected of the day. "Ms. Mazaki," he spoke in his native tongue, knowing his senior students should be able to understand him by now as he quirked an inquisitive brow, "Am I interrupting something." "No, nothing Mr. Goodings!" Anzu clapped a hand over her mouth to hold in her giggles as her face turned red in embarrassment, but her blue eyes started to water from trying to hold in her lustrous giggles. Hana looked back to their teacher over her shoulder as she still turned in her seat toward Anzu behind her. She flipped her long dark hair over her shoulder flirtatiously, catching the eye of all the senior boys in the class. It was no secrete that Hana was a wild thing and tended to be a loose vixen around the boys. It was often a questionable topic why such a harlot hung around sweet, innocent, never-had-a-boy-friend Anzu Mazaki. "Why, Mr. Goodings," Hana drawled in a throaty voice she used to flirt with as she batted her black eyes at him, "We were discussing our plans to dual-marry you soon as we're both legal. You're not opposed to the Mormon-way of marriage are you? Taking more than one wife?" Mr. Goodings ignored Hana's flirt, "Ms. Ureno, please kindly turn to the proper sitting position of your desk and absorb something I teach you about the most-used language in the world so you can grow up to have the knowledge to communicate properly with half the world." The class snickered and giggled at Hana's expense, but she paid no mind, turning in her chair to the proper position, crossing her legs at the ankles and her arms over her chest as she tilted her head slightly in boredom, "Oh, I'll absorb something alright…," Hana mumbled under breath as Anzu noticed her head wasn't tilted towards the board, but Mr. Goodings backside. "Hana!" Anzu hissed scoldingly. "A girl can window shop, can't she?" Hana smirked back. Anzu sighed in mock-forlorn as she jotted down some notes Mr. Goodings was scribbling on the board for the up and coming exams next week, "You're a hopeless flirt." "And you're a hopeless virgin." Hana shot back. "Anzu, you realize that school is over, right?" Hana groaned as she followed her friend to the library on their way home from school. "I know, but I need to check-in a few books I finished reading, then check a few out I saw last time I didn't have time to read this time. And then I need to go online and check up on some-," "I don't speak book-worm, Anzu." Hana groaned, cutting off her friends ranting, "Why do you read so much anyways. We just have tests coming up, no projects or research papers. And the tests are all open note- no extra book-researching needed." Anzu rolled her eyes, "You know I always keep a book on me to read." She defended. "A book? More like three books so you can practice your feminine-given multitasking skills." Hana scrunched her nose as she prodded at Anzu's passion, "Never really heard of an animal-loving, yet animals-repealing, book adoring, history obsessed, Dancer, musician. You don't even do ballet like most goodie goodies do- you're an erotic hip-hop, belly dancer." "Hey, I don't belly dance! It's an ancient form of Egyptian ceremonial dance that I happen to like." Anzu blushed. "Still involves jiggling what little belly fat you have." Hana pointed out as they approached the library door, "Alright, girl, this is as far as I go. Books and me mix about as well as you and your oh-so adored animals you naturally repeal somehow." "Hana!" Anzu nudged her friend with her elbow since her hands were occupied with a stack of books to check in. Hana laughed at Anzu's attempt to pay her retribution, "Do you want me to wait around and walk you home? I know you live by yourself now…," Hana looked down momentarily, silently apologizing for brining up the death of Anzu's parents. "No I'll be fine, besides, you were so excited about that rave you heard about tonight. You should go and get ready for it." Anzu plastered a smile to her face. "Anzu..," Hana said uncertainly. "Go on, Hana. I've been on my own for a year now, and it wasn't like they were home much before they died. Nothing's gonna happen, just go." Anzu urged. "If you say so." Hana shrugged, still unconvinced, "Meet me bright and early tomorrow so I can copy your Algebra II homework?" "Sure." Anzu smiled with a roll of her eyes as her flamboyant friend sauntered off, drawing the eye of a few college guys as she sashayed her hips. Anzu watched with mild interest as the guys rubber-necked so their eyes could follow the swaying ass that was Hana and sighed hopelessly as said Hana winked flirtatiously back at the guys, "Does she ever stop her incessant 'Window-shopping'?" she shook her head at the thought and walked into the library. A young man just out of his college years looked up from the book he was reading behind the check-out counter. His bright silver-green eyes shined vibrantly when he recognized Anzu behind her mountain of books she set on his counter to check-in. "Done already?" the black haired boy half-grinned in his charming way. "D-Don??" Anzu started behind her books and leaned around them to see the freshly-graduated young man she'd known since grade-school practically, "I didn't know you'd be back in the library," Don scratched the back of his neck sheepishly, his spiked black hair bobbing as his hand ran through it, "Yeah, Uncle needed some help around here, and I'm a history major anyways, so I decided to take some time off from career-pressuring and work around here for awhile till he can find a good few hired hands." He dropped his hand and looked over the mountain of books on his counter, "Spring-reading or something?" he looked the stack of eight books up and down curiously and mildly amused. Anzu blushed and looked away, "I-I guess y-you could say th-that." She stuttered as her heart beat quickly in her chest. Don Deiangelo was twenty-five years old, much older than her measly eighteen-years old, but she had always had a little-girls stardom-crush on him since Mr. Deiangelo first introduced them when she was only nine and in grade school and he was sixteen and a sophomore in high school. He was her 'Edward Cullen' to put it in new-age terms… Well, she couldn't call him her 'Edward' since she really went for the wolf-boy, 'Jacob Black' in the famous vampire series… Wait, but 'Edward' was still hot too… She couldn't decide… she loved them both! 'I suddenly know how Bella Swan must fell in the Twilight series.. Shoot!' she thought. "Anzu..? Hello? You in there?" Don waved a hand in front of her eyes. "Whaa…?" CRAP! She spaced out! "Bookworms," Don sighed, "Always have their head in a book or up in the clouds." He joked, "I asked if you wanted help finding some other Egyptian legends and mythology books. I've noticed that's the only subjects you checked-out last time." Don offered again, grinning at the young girls' blush. "Oh yes! Egypt!" she nodded to herself, "I don't know if the library has any more books I haven't gone through about Egypt. I've been reading about it from the books here for a while." "Indeed she has." An old wise voice commented as Mr. Deiangelo, Don's Uncle hobbled out of the book cases with his old-world Greek-decorated cane. The white ivory of the cane was etched with ancient Greek murals tinier than a persons thumb, but the whole cane was covered with mythological gods and heroes of the Greek culture, displaying half of the Deiangelo culture, the other half was a mix between Japanese and Egyptian. Anzu had always found Mr. Deiangelo and his abroad-studying nephew, Donatello (Don) fascinating. They always had stories to share with her and worldly knowledge for her to learn from them. "She's been here just about every other three or four days. Comes back soon as her batch of books is finished and gets more." Mr., Deiangelo grinned toothily at the pair around the counter. "Sorry, Mr. Deiangelo, but its just that I can't stop thinking about the ancient Egyptians with the legends and myths and pharaohs and-," Mr. Deiangelo laughed heartily as he hobbled up to them and placed his free, old withered hand on Anzu's shoulder, "It's good to see that there's still some youth out there who turn to the books of the library and not the computers and instant internet and such." He sighed, "Think nothing of it, Anzu." He reassured, sharing a smile with the blue-eyed young woman while his nephew started to check-in her mountain of books, "Come, this way to the back, I have a book I saved just for you!" the old, willowy man who hadn't lost his impressive height with his age brightened. His silvery eyes twinkled behind his spectacles as his long white and silver beard twitched as his face tugged into an excited smile. Anzu let the old man eagerly tug her through the enchantingly old cheery-oak bookcases to the back where a small stair case hid in a narrow hallway with the bathrooms, water fountain and two extra rooms for the library's use. He took her up the stairs to his apartment that was above the library, he literally lived at his work! Anzu sat down at the small kitchen bar that served as the penthouses' kitchen table while Mr. Deiangelo rummaged through his own personal bookcase and made a sound of victory, chuckling much like the whinny the pooh character, Tigger. She couldn't suppress a giggle of her own; the man simply was amusing in everything he did! Grinning like a proud old cat with a mouse-prize, Mr. Deiangelo set a good-sized book down in front of Anzu on the counter. The cover appeared to have once been white and made from some kind of plant, but it was now yellowish with old-age and the plant-like material acting as its covering was stitched together in haphazard patches. The spine seemed to have been redone with a tough leather that seemed paradoxical, with how it seemed so out of place with the ancient-covering of the book yet also seemed to fit it just fine. There was no title on the cover, just an Egyptian eye. Anzu looked down at the book then up to Mr. Deiangelo, "What's this?" she tilted her head curiously, never in her life had she seen such a peculiar book like this. She was almost afraid to open it for fear of damaging something so ancient. "It's an old Egyptian spell book filled with old records and legends of the great pharaoh's magicians and prophecies." Mr. Deiangelo replied with pride as he recognized Anzu's insatiable curiosity latch onto the book he set in front of her, "I don't plan on displaying it for public use, but you may borrow it if it will help appease your sudden hunger for ancient Egypt?" "Really? Can I?" he could practically imagine the brunette spouting puppy ears and a wagging tail, she looked so excited. "Really, really. You don't even have to check it out." He nodded as he leaned on the kitchen breakfast bar across from her on his elbows. "Wow, thank you! I've always wanted to read something like this! And its written in English too!" thank god she could read English fairly well… well, good enough to get the basic meaning, "Where'd you get it? It looks like it's supposed to be in a museum or something." She ran her hands over the book with new fascination. Mr. Deiangelo smiled, "It was written by an English mercenary long ago when he traveled to Egypt in search for the Promise Land in the ancient writings of the Old Testament in the Bible, but he ended up finding ancient Egypt instead. He studied with the priests there for fifteen years, or so it was said, and rewrote their ancient teachings in English so he could show his own country the wonders of the land sand." The old man recited as if he were teaching her a history lesson, "You do know your English enough to read it, don't you?" "You're looking at Best In Class," Anzu puffed her chest out proudly. 'No matter that the teacher happens to be one of my favorites I've ever had and is a total sweet-heart when it comes to explaining things..' she thought. "Well, then its all yours for now, Anzu," Mr. Deiangelo smiled as he glanced at his old coo-coo clock when the little bird annoyingly popped out and squawked the time, "Shouldn't you be at work about now, Anzu? It's nearly five." "FIVE!" Anzu shot up, "Ah, crap, I'm gonna be late for work too!" she quickly dashed off down the stairs, completely forgetting about the book until she made it half way, "NOT AGAIN!" she dashed back up the stairs, snatched the book and bolted down stairs once more and towards the door. "Don't you need to check it out first?" Don called to her as she ran past the check-out counter. "Your Uncle said it wasn't a library book," Anzu said in a rush as she ran by. The bells of the doors dinged as she shot out of the library at top speed and headed for Juicy Hungry Burger for her job. Don shook his head, "Some times I worry about that girl." He sighed. "I do not," Mr. Deiangelo replied as he emerged from the back of the Library again. His nephew turned to him, a black brow raised in question, "Did you tell her just what that book was?" "It is not always the way to tell ones destiny before one finds out on their own." His Uncle replied stubbornly in his old cryptic tone. Don gave him a blank stare, "You realize she's only eighteen don't you. Are you sure the ancient spirits claim her?" His Uncle glared at the boy, "You dare impugn the spirits of Egypt on their choice in Anzu?!" he gruffed. "You are more than forty-five-thousand years old, Uncle, that's more than enough time to develop memory loss." The younger immortal joked. "We are merely messengers of the gods and spirits of this world. Who they chose we cannot argue over. We can merely show the way to the chosen one." Don sighed, "You realize that animals hate her right? Have you ever seen her when she crosses a stray dog? The dog runs away with its tail between its legs and the GODS chose HER as their Beast Tamer that will tame the ancient Beast gods those fools released?" "Stop questioning the gods, boy!" Mr. Deiangelo grumbled, "We'll see soon enough what the gods have in plan for little Anzu. She now is of age and has the book, it's only a matter of time before our past selves meet her in ancient Egypt, we'll guide her in the right direction." "You were a drunk in ancient Egypt, Uncle…" "Then I shall dream that I am sobering up," "Soon as I get home, I'm taking a nice looong shower." Anzu growled as she breathed through her mouth on her march home. As always her burger-joint job had left her frustrated with picky customers, flirtatious jerks that tried to cop a feel, her ears ringing from her managers barking unnecessary orders and her nose burning with burning grease and hamburger scum. She could still smell it if she breathed through her nose and even with her mouth open to block the smell as she breathed, her tongue started to get tastes of the repulsive greasy fumes. She had put her little treasure of an ancient book in her book bag to protect it from the hazards of the greasy burger joint, and she was impatient to get started reading it. Once her house was in sight, Anzu jogged the rest of the way toward it, opening and closing the small front gate of the tiny front yard and striding up the walkway toward her porch. She jiggled her key into the lock a few times before the key hit home and clicked open the door. She stepped inside and closed the door behind her back, relocking it and sighing in relief to be home. "Finally!" she hummed as she tugged off her jacket and tossed it over into the coat closet in the entry way. She passed by the old piano with her goldfish bowl on it. Two Goldfish and one Beta-fish swirled around excitedly inside the medium-sized bowl. "Hey, guys. miss me?" she grinned as she bent over to peer inside the bowl while she took the fish food from beside the bowl and twisted open the top, "Eat up," she gently shook the small container until a few fish flakes toppled out and into the water. The three fish gobbled at them greedily, dashing and dodging around one another in a dance to catch the flakes that slowly sunk to the bottom, few actually made it before being engorged by the little aquatic animals- the only animals that actually liked Anzu. Sighing once again, Anzu realized fish really didn't count as an animal that liked her. She doubted her fish even cared, but it was nice to personify them as much. She turned down the hall and preceded down to the bathroom, stripping off her clothes carelessly as she went- she would pick them up later, right now she wanted out of them and into that promising hot shower. She set her book bag in her bedroom just inside her door on her way to the bathroom, grabbing a fresh towel from the towel and blanket closet that was between her bedroom and bathroom down the hall, the only other room down this hallway was her mother and father's old room they used rarely even before they died, and she never went pass the bathroom, so it was blocked off by a small shrine she made for her parents out of respect. She paused by the shrine and bowed in her underwear, murmuring a silent prayer for them before closing the bathroom door behind her and starting the shower… -Ancient Egypt- "My Lord, Malik, are you sure you know what you are doing?" the dark tanned servant hidden beneath dark robes questioned his young master. "Enough of you, my brother!" Malik quipped sharply, glancing around with violet eyes from under his own thick hood, "Do you want us to get caught out here?" "No, Master Malik." The deep voice whispered obediently quieting down, "But do you think it wise to release forbidden beast for the sake of defeating another one?" pale, sky eyes peeked back at his younger adopted brother as the large man crowded the younger ones back protectively. "That bastard Marik was born from my own spirit and intends to over though all of Egypt, and while I have no loyalties personally to that dumbass of a pharaoh, Atem, I'd rather him on a thrown of Egypt than Marik on the thrown of the world, Rishid." The young man snorted, "He intends to release Obelisk the Tormentor only, just so he can over throw the Pharaohs power, but if we release all three Ancient forbidden beasts, it will at least buy us some time." "But we don't have a Beast tamer to appease the three forbidden ones, milord, what if the dragon and Ra turn against Egypt's favor for Marik as well?" Rishid was hesitant; sometimes his younger brother didn't always think-through things like their elder sister, priestess Ishizu. "Then we'll find the Beast Tamer of this time." Malik quipped sharply, not liking how many questions his usually silent and faithful brother was hailing on him, "now silence about you!" he shushed him and they silently slipped through the shadows of the Nile out of Egypt to the Temple of the Beasts. All the while, unawares of the tagalong thief behind them that followed with mild amusement of a board thief. Red eyes gleamed in the moonlight as silver, wild hair tossed in the wind while the thief urged his camel onward to follow at a distance. 'There's loot to be had when a Tomb-Keeper wanders away from his den to visit a temple at night.' The thief thought with a wicked grin. -Present Day- "Ah, that's better," Anzu preened happily as she stepped out of the bathroom, fluffing her shoulder-length brunette hair with her fluffy towel while a healthy fog of steam rolled out to the bathroom behind her. A white plush bathrobe covered her being to stave-off the cool air of the house as she padded her way bare-foot back up the hallway and into her room, "No more grease in my hair, no more burger and sweat-smell and absolutely no more tensed muscles," Anzu stretched her arms above her head and arched her back backwards, wincing and then letting out a content sigh as a few good pops spiked up her spine as she completely released the tension hiding there, "Life is good…" she purred, plopping down on the bed in her room. The book cover peaked out at her beside the door in the side bag she'd tossed in earlier, "Oh yeah, the Spell and Mythology book!" she hopped right up from her bed and crossed the room eagerly, scooping up the book, "Finally! A moment to ourselves!" she joked as if the book were her long lost lover or something. She then stopped herself and rolled her eyes heavenward as Hana's words mocked her in her thoughts, "Hana was right, I really am a bookworm…" She retreated back to her bed and fluffed up the pillows to support her back before plopping back on them and cuddling up in her covers. She bent her knees to support the back of the book and set the treasured item in her propped-up lap. The Egyptian eye gazing up at her ominously as she once again took time to admire the ancient coverings. "Let's see what we have here Mr. Old English Scholar," she grinned as she gently opened the book. The first page she found was created out of rice paper- that confused her. Wasn't rice paper native to the Asian range? China, Japan and all the other eastern countries? Why was an ancient English Scholar-written book made out of rice paper if it were about Egyptians? 'Well Mr. Deiangelo did say the man was a mercenary. Maybe he also traveled to the Eastern Countries and learned how to make Rice Paper?" she thought. The inked in English writings were elegantly written as if the writer's hand were graceful and passionate about what he put onto the paper. She found it slightly difficult since she wasn't completely fluent in English, let alone OLD English, but the first line seemed easy enough. "I bring you knowledge from a land beyond the Sands of Time. Where Heaven meets with both Earth and Hell in one City of Egypt. With the Will of Rah and the Grace of our God, I beseech your destiny…," As Anzu read out loud the first few lines, she noticed something strange, the book felt lighter than before and the words were clearer to her. It didn't just look like some pretty old writings of an Englishman, but she understood the words and characters on the page. "I must be getting better at this than I thought! Mr. Goodings is a miracle worker!" she thought aloud. "This book will take he who is of the spirit of the tongues. Man and beast understand and understood by he…" Anzu recognized the startings of a legend when she heard read one! Shifting more comfortably, she eagerly read on, "I bid you with the Grace of the Gods and that of your own, good luck, for the world your lead to demands great presence in you. mesneh- rek…" Anzu tilted her head at the new language. Something told her what it meant deep with in her, "Reverse time..?" she repeated in her own language, "But how did I know that..?" The lights suddenly shut off all around her, "Black out??" she squeaked. Her stomach started to churn in knots that tightened around and into her muscles. Her heart began to race and her breathing labored as a draft of light wind played with the strands of her hair, "I never opened my … window…" she gulped. She could see nothing- not the light of the moon she knew was out side her window, not her window, room or even her own hand as she frantically checked if she could by waving it in front of her own face and promptly bopping herself on the nose. "Wha-What's going on here??" the wind picked up and swirled around her in an alarming rate. Her hair lifted off her neck and waved above her head as the tornado of wind encircled her. She couldn't feel the covers of her bed covering her legs anymore as she clutched onto her plush bathrobe frantically- it was the only thing she knew she could sense around her as she clenched her eyes shut tightly. That's when things got really FREAKY! She felt water lapping at her ankles and slowly engulfing her body as if she were slowly being placed in water by the wind itself, "SOMEBODY, HELP MEEEEEEEE!" she cried out, but got a mouthful of cool water instead, and then suddenly, the wind was gone and she felt like she had been plunged into a swimming pool as her weightless body slowly fell down deeper in the water. Her consciousness was leaving her as she fought instinctively to regain the right to breathe air and not liquid. She scrambled with her legs for some sort of leverage until her feet brushed against some sort of bottom to this pool, it was only slightly solid, as if a layer of sand were on the bottom of this pool! She didn't care at the moment as she used the new-found base as a push-off and scrambled upward, hoping there was air there. Her torso sprang from the water with the force of her struggles as she breached the air and took a mighty gulp of precious oxygen. Her eyesight failing her as she felt her consciousness start to slip away faster and her muscles go lax at having succeeded in surviving suffocation. She only distantly heard startled screams nearby before she tilted backwards, face up in the water and fell unconscious…
https://www.fanfiction.net/s/4900388/1/Tamer-of-Beasts
dclm-gs1-266280001
false
true
{ "keywords": "spike, mouse" }
false
null
false
0.19166
<urn:uuid:d1cc03f2-6d76-4d12-afa8-80784728f074>
en
0.989283
Christmas Eve, 1879 It was a bitterly cold night in London. The darkness seemed to ensnare the world in a glass globe of icy air and cold pavements. Jack rubbed his hands together, despite them being covered in thick woollen gloves, and sighed out a cloud of white breath. The frost stung his cheeks raw, and he was shivering all over. It was late, and around him young women in their bonnets and crinolines held onto the arms of dashing men who were helping them into Hackney cabs. Jack loved London, but right now he was loath to be back in Cardiff. The ice on the cobblestones was almost too much to bear, and the warm lights of houses filled him with a deep longing for that warm glow of comfort. He was only here for the night, anyhow. Jack wrapped his arms around himself, and barrelled headfirst down an alleyway. The smoky smell in the damp bricks filled him with nostalgia for the future. In forty or so years, this place would be bombed to the ground and he would be here. The thought was tantalising; the man he'd waited for for so long, back at last and yet so out of reach because their timelines hadn't crossed yet and he wouldn't know what to do. He would have to stay in Cardiff on the day he and the Doctor met, on the day that for just once, everybody lives and by God, it would be so hard. Jack stopped, and looked up at the starless sky. He was up there, somewhere, and one day he'd find him. Jack needed to be in London tonight, and every other Christmas night. He'd heard stories of 1951, before he'd even been here: a Cyberman in the Thames. He'd nearly destroyed his home in Cardiff with his anger and tattered hope. He was not going to let that ever happen again. Christmas in London it was. He continued on, his black boots protecting his feet from the chill. He turned the corner, and then another, down the Labyrinth streets until finally he came out onto a dark and silent main road. He looked up at the street-sign, and then pulled a scrap of paper from his coat pocket. He unfolded it, and tapped on the small circled dot where his hostel was marked. He studied the map for a moment, then muttered "Chrissakes…" under his breath and stuffed it back into his coat again. For a moment he stood frozen in the middle of the void street. Then he heard a cough. Jack wheeled around at the sudden noise. A little way down the road, he could see someone sitting on the pavement, and he frowned. It was a young man in his mid-twenties, with tousled sandy hair. He was sitting on the curb, clad only in a thin jacket, white shirt and cotton trousers, his hands clasped in front of him, staring into the distance. Jack frowned, and then shook his head and carried on up the road. After a short while the American came across a pub, The King's Head, which was still open and raucous, spilling light out into the street. Jack grinned, and pushed his way into the tavern. Instantly he was surrounded by light and colour; bawdy laughter. A young girl in a revealing dress bumped into him and giggled: "Sorry, Mister," He shoved his way through the crowds to the bar, and managed to grab the attention of the flustered young barkeep. Over in the corner, a buxom older woman started up a chorus of "Good King Wenceslas" with ruder lyrics, and then promptly fell off her chair. Jack laughed. "I'll have two of whatever she's having." The young man quickly poured out two glasses of mulled wine from the large stew-pot, and passed them over. Jack winked at him, and he blushed. Jack turned and smiled suavely at the girl who had bumped into him he walked in, and she gave him a wave with her fingers. Jack started towards her, glasses in hand, but then paused. Then he pushed his way out of the crowd and back into the night air, leaving the girl huffing behind him. The night seemed eerily quiet in comparison to the loud clamour of the pub, and Jack felt the warm liquor warm his hands as he carried them down the roads. His heels clicked against the stones, and as he drew nearer, the mysterious man looked up. As Jack drew closer the man wrapped his arms protectively around himself, eying him warily, looking as if he might flee at any moment. He was quite good-looking, Jack mused to himself; a slightly hawkish face, but a kind-natured one. He was sitting in front of a boarded-up shop, with the words Closed for Renovation painted over the darkened door. "Hey!" Jack called, and the man frowned up at him as their shadows crossed over. Jack stopped in front of him, and grinned in what he hoped was a reassuring way. "Thought you might want a little company. Whatcha doing out here?" "Waiting," the man replied shortly. "You look a little underdressed," Jack said. The man looked down at himself, as if he hadn't even noticed how cold it was, and shrugged. Jack handed over one of the glasses. "Here. It'll warm you up." The man took it, but didn't place it to his lips. He stared down into the dark liquid. "I…can't. Sorry." "One of those guys, are ya? Well hey, more for me!" said Jack, and he sat down on the curb next to the man, grabbed the glass of mulled wine back, and sipped at it, sighing as the spiced alcohol burned inside him like a furnace. The man watched him tensely. "So what's your name, comrade?" asked Jack. "Nice to meet you, Rory. I'm Captain Jack Harkness." "Not much of a talker, are you? Wanna tell me what you're doing out here on Christmas Eve, Rory?" Rory shrugged and looked down at his scuffed shoes. "Insomnia. I couldn't sleep." "What, so you decided to come and sit out in the cold?" Jack raised his eyebrows and sipped his drink. "You'll miss Santa." Rory laughed quietly. "I think I can live with that." "But, seriously, a suit and no coat? You'll catch your death out here." "I don't feel it," said Rory. He fiddled with the buttons on his jacket. Jack shrugged. "Suit yourself. But what's with the outfit?" "I'm getting married," was Rory's reply. Jack raised his eyebrows. "A Christmas wedding, huh? Congratulations." They sat in companionable silence for a moment as the American wore down the remnants of his drink. The cold seeped in through the seat of his trousers and froze his blood; shut down his nerves. At least it wasn't snowing. "So…are you from around here?" asked Jack after a moment's hesitation. "Me? No, I'm from Leadworth." Jack raised his eyebrows, and Rory sighed. "It's near Gloucester." "Oh. What brings you down to London, then?" Rory shrugged. "I just needed a change of scenery. I've been down here for a while, but I'll be moving on soon." "Won't your fiancée mind?" "I wouldn't have though so," said Rory, with a secretive smile. "Anyway, it's not Amy's choice." Jack laughed. "Spoken like a true Victorian gentleman, my friend." "What about you? I suppose you're not a native." "How did you guess?" replied Jack wryly. "No. I live in Cardiff, mostly, but I used to spend a lot of time here." "What made you come back, then?" "Oh, I dunno," said Jack. He looked up to the sky, and the blinding stars above. "Maybe I'm just looking for the right kind of Doctor." As the American searched the skies for a glimpse of a Christmas miracle, unbeknownst to him, Rory winced and cast a backwards glance at the boarded-up shop. He coughed. "I wouldn't put too much stock in modern medicine, if I were you." Jack turned back to him. "No?" "Doctors don't know everything. I mean, who knows what we might be able to accomplish in the future. One day we could have a whole civilisation living right beneath our feet or…or time machines!" Jack felt the breath stick in his throat. "That doesn't excite you?" Rory shrugged. "It scares me. Doctors can be so miraculous they become dangerous. They can do so much, but they can't save everyone. Sometimes it's out of their hands." Jack frowned. "They never give up on you." "No," Rory admitted. "But they keep you waiting. Like I say, sometimes they just don't know. They should, but they don't." Jack had the distinct impression that he and Rory were having completely different conversations. Rory sighed. "I just want to keep her safe." "Yes. However long it takes." Jack looked down at his almost-empty second glass. Then he forced a laugh. "Oh, man, cheer up! It's Christmas Eve. You're getting married in the morning." "That's a long time away," said Rory, and he smiled a smile that made Jack feel like he was excluded from some private joke. "Oh, trust me," he replied, "It's no time at all." "Maybe not," Rory said. "I suppose I'll just keep waiting." "Waiting for eternity," Jack agreed, and he tipped the sickly, cooling dregs of mulled wine down his throat and wiped his lips with the back of his hand. He gazed momentarily at the closed-down shop. "You ever wonder what they're keeping in there?" Rory shook his head. "Maybe they just don't want anyone to know." "Huh." A cold wind swept past, and Jack involuntarily shivered, trying not to think too much on why Rory didn't even seem to notice it. He stood up with a sigh. "I guess I'll see you round, Rory," he said. Rory shrugged. "Maybe." Jack held out his hand. "Good luck with your wedding." Rory looked at the offering for a moment before tentatively stretching out his own hand in return and taking it. Jack's eyes widened a little – there was something strange about the skin he was in contact with – but Rory's face remained as impassive as ever. Jack dropped his hand. "You too, Jack. I hope you find whatever it is you're looking for." Jack grinned broadly. "I got all the time in the world, baby." The two men laughed, and Jack thrust his hands in his pockets and began to wander off back up the street. He didn't look back, but if he had, he would have seen the young man stand up, and slip silently into the wrecked shop. All the while, London slept on, all witnesses of this improbable meeting curled up tightly, waiting for the dawn to break.
https://www.fanfiction.net/s/7407195/1/Waiting-For-Godot
dclm-gs1-266310001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.070929
<urn:uuid:8c17c690-5266-494f-a0cb-abae426fa7f6>
en
0.944877
Back to Woods Hole Oceanographic Institution's Homepage • Connect with WHOI: true expositive en-US Lonny Lippsett WHOI What Other Tales Can Coral Skeletons Tell? SHARE THIS:   TOOLS: print this page In 2003, we traveled by ship to the New England Seamounts—a chain of extinct, undersea volcanoes about 500 miles off the East Coast of North America—to help collect dead corals that have been on the bottom of the ocean for thousands of years. For scientists, these corals are like deep-sea time machines. As they grew, the skeletons of these long-living corals incorporated trace chemicals from surrounding seawater. By analyzing chemical variations in the corals’ annual growth bands, our colleagues, geochemist Jess Adkins of the California Institute of Technology and Laura Robinson of Woods Hole Oceanographic Institution, are reconstructing the history of how ocean and climate conditions have changed over Earth’s history. (See “The Coral-Climate Connection.”) But as we pulled corals from the sea, we began to wonder if we could go one step further and unlock the genetic makeup of these fossil coral species. Perhaps they could tell us the story of how deep-sea coral populations evolved over thousands of years—in response to the ocean and climate shifts that their skeletons are recording. Accomplishing this, however, means achieving something never done before: extracting DNA from these long-dead organisms. A new line of inquiry Tapping into the corals’ ancient genetic record could let us see how populations adapted to changes in their environment over time. We would be able to determine if, and when, they moved among different seamounts at specific periods in history. We could also learn if populations preferred living at one depth or another at different times in history. By matching genetic information with the dates of climate events recorded in their skeletons, we would determine whether populations migrated away from particular seamounts at times when the climate and ocean warmed or cooled, or if the populations were vastly reduced to a few survivors. All of this would give us the first insights into how corals were reacting to climate changes as far back as 100,000 years ago. Unlocking genetic data from coral skeletons opens up a completely new avenue of coral and climate research. If successful, it would be possible to use these methods to extract genetic data from other dead coral populations worldwide. These techniques could be used, for example, to advance understanding of shallow-water coral reefs that died because of periodic ocean water warming associated with El Niño events. It could also be possible to apply these techniques to other fossilized marine species, including clams, mussels, and snails from hydrothermal vents, to determine how they evolved through time. (See "The Evolutionary  Puzzle of Seafloor Life.") Coral collecting on the seafloor The corals we study, called scleractinians or stony corals, have been living for about 250 million years throughout the world’s oceans, from polar to tropical regions. We’re interested in two species, Desmophyllum dianthus and Lophelia pertusa, which survive in sunless areas of the ocean up to 4,000 meters (2.5 miles) deep by filtering krill, copepods, and other tiny food particles drifting through the water column. During three expeditions—one in 2003 with Adkins, and two more in 2005—we gathered several thousand dead scleractinian corals from 15 different seamounts. On two expeditions, we collected corals using the WHOI-operated submersible Alvin; on one, we used the remotely operated vehicle Hercules, operated by University of Rhode Island. Operators of both vehicles gathered the samples by placing nets in the vehicles’ robotic claws and sweeping them over the seafloor. They collected hundreds of fossil corals, ranging in size from tennis balls to volleyballs, in each sweep of the net. In other areas of the seafloor, dozens of dead corals were stuck together on overhangs, so the vehicles could simply snap off large pieces and bring them back to the surface. Onboard the research vessels, we made detailed notes about the corals’ appearances, took photographs, and then sorted, cleaned, and froze them. We also assembled digital data—maps, photo, and video documentation, and information about environmental conditions in which we found them, such as temperature, salinity, and current speed. Avoiding contamination Sensitive methods are required for analysis in long-dead coral samples, because DNA doesn’t stick around forever. Unless samples are kept at a constant cold temperature, or are preserved properly, DNA degrades very quickly over time. Fortunately, the corals we study lived and died in deep, cold water—and were protected by sediments—so we theorized that there would be a high likelihood that DNA remained within the skeleton. We were right. Still, challenges remain. Familiar methods used routinely to extract genetic information are not sensitive enough for the small amounts of DNA left in dead coral skeletons. Also, not all the corals we collected will still contain DNA; some will have degraded. So we have to try a variety of methods to determine what works best. Even the most accomplished ancient DNA studies have only a 25 percent success rate with their samples. There are few marine population studies using ancient DNA, and this project is among the first studies of ancient marine invertebrates. However, we are not the first scientists to extract ancient DNA from long-dead organisms. Scientists have extracted DNA from extinct land-dwelling animals, such as bison, woolly mammoths, and musk ox, some dating back 30,000 years. Researchers have also revealed how genetic populations have changed through time for species of trees, shrubs, mosses, and herbs, some as old as 400,000 years. Work by these scientists has shown us that the DNA extraction methods must be exact, because the risk of contamination is huge. A random strand of hair or a stray speck of skin could throw off the results. Even paper is not allowed in ancient DNA laboratories, because the DNA contained in paper—previously living trees—could ruin samples undergoing analyses. Trial and error In April 2006, Rhian spent two weeks at the Paleo-DNA Laboratory at Lakehead University in Thunder Bay, Canada, which specializes in pinpointing methods for this type of specialized work. They had never done work on corals, so they were excited to help us refine our methods. Getting the optimal mix of chemicals and processes has been the result of time-consuming trial and error. All the testing has been worth it, though. We now have ever-improving methods to extract DNA and can concentrate on the project’s larger goals. The genetic data from the corals will be combined with Adkins’ coral age and climate data to make correlations between the two. Then we will draw conclusions about what happened deep in the oceans, during past climate changes, and even make predictions about the future, including what will happen to deep-water corals (and the many animals that live on them) if the climate changes. This project was funded by the WHOI Ocean Life and Ocean Climate Change Institutes. Research cruises were supported by the National Science Foundation and the NOAA Ocean Exploration Program. Article images (4) The Importance of Deep-sea Corals With WHOI deep-sea biologist Tim Shank. Articles Featuring Biology Dept.
https://www.whoi.edu/oceanus/viewArticle.do?id=17266
dclm-gs1-266370001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.018142
<urn:uuid:c65b7b86-fa43-4b9d-8492-122164956ca6>
en
0.977515
I'm a 35 yr old single male with no ties to anyone, totally alone and miserable. I need friends but I'm too untalkative and I can't change.. March 25, 2009 6:27 PM   Subscribe I'm in a real tough spot. I'll just give a rundown of the current situation. I'm 35.. I look a lot younger though. I make a good buddy.. like the steve buscemi character in big lebowski. I known a few guys who were like the dude. Actually, more like john goodman's character. Older, big fat guys who still check out hot 21 year olds, who are perpetual losers, but lovable guys. I got a friend like that..not a loser though.. but you know, kinda a manly man kind of guy. Big, chunky balding, has a med. marijuana card, that kind of guy.. I'm like this short, youngish looking.. minority.. totally random. I usually make odd-couple friendships. Like those old cartoons.. the big dog, and the little dog hopping around him. I'm the little dog, only quiet. I usually pair up with the talkative big dog who talks a wee bit too much to repel everyone around him, so he turns to me and because I don't talk much, I pay attention. So I wind up in that tough spot because I too become sort of annoyed, but then he's the only friend I got. I got no confidence to be friends with the people I think I really should be with. I'm just not talkative, and I can't help it. That's how I am. I never thought early on.. hmm, I should talk more. No, I just do my thing.. I had friends before.. I'm fine how I am. When I try to force myself to be more talkative in that way you need to be to make friends, it just doesn't go good. I become unfunny.. or just awkward. I relate more to guys like robert deniro who become really awkward when interacting with really normal social kind of people.. and sometimes you think they're better off as quiet.. It's hard. I don't got any friends anymore and finding new ones is.. not only difficult, but it's making me sink further into this isolation, depression, you name it. What can I do??? What?? I'm also bad at making small talk and being talkative in general. The easiest way for me to make friends is to get involved in a cause or volunteer. That way when I talk to people it's about the job at hand and it breaks through the initial getting-to-know-you awkwardness. Having contact with other people, even if it is just quietly working together to get a project done, might also lessen your dependence on your one big dog friend. Good luck. posted by christinetheslp at 6:35 PM on March 25, 2009 [2 favorites] I can't change. I beg to differ. I suggest "Feeling Good" by Dr. David Burns. Therapy in a book and you can do it alone. Apply yourself to the exercises in it. posted by Ironmouth at 6:39 PM on March 25, 2009 Volunteering (as christinetheslp already suggested), joining a basketball or volleyball or dodgeball or kickball or whatever league, joining a sailing or rowing or skiing or bicycling club, doing tech crew for the local theater club... Making friends through goal-directed activities is a lot easier for shy/taciturn folks than is just sitting around shooting the breeze. posted by Sidhedevil at 6:46 PM on March 25, 2009 This is all about self-esteem. Get therapy. posted by mpls2 at 6:48 PM on March 25, 2009 I am not sure you need to change to make friends. Talkative people do not have a monopoly on friendship. I agree with chsristinetheslp that you should join a group of some sort that puts you in contact with people who have at least one common interest and who are there for the group and not under pressure to become friends. It will happen. I do think you should learn to accept yourself for who you are which sounds like a really decent guy. posted by JohnnyGunn at 6:50 PM on March 25, 2009 Yeah, this is about self esteem. You can't go through life thinking of yourself as a hoppy dog. Go tell a therapist all of this, and a good one will guide you to the right activities. posted by sweetkid at 6:52 PM on March 25, 2009 Volunteer with several organizations. Then start asking questions about the organizations and their mission, outlook, problems etc. Don't be too prying, but if an employee or long time volunteer brings and issue up in front of you, ask a simple question about it. Bam! You're asking questions about an organization or mission that the people you're talking to believe in strongly. A great way to start conversations as long as you're not confrontational. As an outlier, the worst thing that happens is you ask a non-profit's director why they suck at what they do. That will burn bridges but you don't work for them and you can learn and not ask those same kind of questions at other places. But on the plus side you've still given that organization good work hours. You will learn and adapt faster than you think. posted by Science! at 7:05 PM on March 25, 2009 Are you living in a movie? Robert Deniro is an actor, as are John Goodman and Steve Buscemi. These are actors who are acting out roles. This is not real life. The key to most things that don't come naturally to people is practice. As suggested earlier, join clubs. Obviously toastmasters isn't for you yet, so I suggest clubs where talking isn't really on the agenda, such as chess or bushwalking. The beauty of this approach is that it supplies the participants with a shared experience, which then becomes the basis of conversation - and the more this happens the more comfortable you will feel comfortable with conversing. posted by mattoxic at 7:25 PM on March 25, 2009 [2 favorites] I noticed just one sentence with your activities and lifestyle, and about 20 describing self-image, so I am redirecting the spotlight to your activities and lifestyle. Being a 35 yo single male is part of the problem, I think. I've noticed at that age, unless you're around a large circle of other single similar age people (like presumably what's common in vibrant inner cities like Manhattan), it's extremely difficult to make new friendships. Most of us are still carrying forward mostly high school and college friendships. Being 30s-40s and single puts you between 30s-40s married people and 20s single people. That's between a rock and a hard place. So I don't think this is a problem completely specific to you. I think you should do whatever it takes to force yourself OUT of the house and into activities. I would scour meetup and other venues like that for slightly geeky/green/alternate activities, that said because they presumably have less involvement from conservative, traditional folks who tend to be solidly married and with kids -- that said because it's much harder to make/maintain friends across the marital status divide. Nothing is going to happen overnight, but you have to force yourself to stay involved socially and busy with group activities. The rest of it you can control, which I suspect is mostly just not worrying so much about things and going with the flow. If you fixate on trying to get friends and worrying about the social ladder rather than get in the mindset of enjoying being around people and just enjoying new experiences, it will work against you. posted by crapmatic at 7:28 PM on March 25, 2009 [2 favorites] What are you interested in? Start there. If you are into juggling, I am sure you can wax poetic about juggling. I hate small talk, but get me started on medieval weaponry, and I can go for hours. Find people who share those interests. The internet is your friend. There are groups of people who share your interests. Those interests are the seeds to nurturing friendships. If you are not a people person, then embrace it. Sounds like you might be into movies. Run with that as a starting point. Don't be afraid to acknowledge your awkwardness as a conversation piece. posted by kaizen at 7:29 PM on March 25, 2009 'Friend' is not something you have, 'friend' is something you do. I think it's mistaken to look at it as acquiring friends in the way you acquire possessions. If you behave as a friend and do the things that friends do for other people, they will become your friends. Garrulousness isn't required. posted by stavrosthewonderchicken at 7:47 PM on March 25, 2009 [2 favorites] I know this sounds weird... but join a roleplaying game club/group. Find a local hobby-shop and then look for a bulletin board. All they (we) do is banter, talk, chat and make nerdy jokes all the time. I dunno - I generally suck at "small talk", but give me a good geek, tech or nerdly topic and I'm off to the races. Therefore, I hang with geeky, nerdy or tech-type people. Find a group of people who share a common interest. posted by jkaczor at 8:09 PM on March 25, 2009 [2 favorites] You are over analyzing everything, it is annoying to be around people like that. Just smoke some of your friends medical pot and relax. posted by BobbyDigital at 8:13 PM on March 25, 2009 You sound like you've decided upon a pattern, and you're going to confirmation-bias yourself into it because it's a sort of identity for you. On one hand, you're being too hard on yourself. On the other, you're making this all about you. Volunteer, join groups, do something. You just may have other roles to play, eh? posted by desuetude at 8:24 PM on March 25, 2009 Is there anything you feel you especially enjoy or are good at? I ask because I've felt myself to be in pretty much the exact same position before, and the single biggest thing that helped was stumbling into a situation where I actually did know a little something and actually could hold my own. Specifically, I ended up in a new job where some of my coworkers staged a weekly, informal "Board Games Night;" before I started to attend these things I felt like the most inferior, unnoticed, awkward 'yappy little dog' in a yard full of big dogs that you could possibly imagine - to me the other people in the group were in another league when it came to social status. I really had to FORCE myself to go to those Board Games Nights - I can remember so many times, early on, where I'd ring the doorbell and then have to clench every muscle in my body to keep from running back home before anybody answered ... but I really LIKE board games, so I kept on going and eventually got to the point where I could focus more on the game than on telling myself how 'inadequate' I was compared to the others. And from there, suddenly I was more than "that quiet, awkward girl at the corner desk at work," suddenly I was also "that person who made a really good move in that game last night," or even "that person who blew the lead like crazy, but was a good sport about it" - and in turn, suddenly to ME those people went from being "those big dogs I'm too intimidated to talk to" to "that woman who got insanely worked up over the interpretation of a rule on a blasted board game," or "that bastard who tried to pull a fast one and move his piece when he thought we weren't looking" - it helped give me and them more 'dimensions,' somehow; it made us all the more human to one another ... Looking back on that, what I realize is that whenever I dwell on my inadequacies I only amplify them, both to me and to others, and in turn I amplify others' superiority in my own mind. Finding some activity where you can contribute a little - or at least get so involved that for a few brief moments you forget to focus on castigating yourself - can really make a world of difference. Heck, if it helps, maybe you could remind yourself that feeling inadequate is very human and not just something you do - watch carefully and you might see that many people are so focused on themselves that they either don't notice you being awkward, or else give you the benefit of the doubt by assuming the fault lies with them(!) Seems to me that nearly everybody has an internal critic of their own telling them that THEY are the one who doesn't belong and that YOU are the one who realizes this and are acting accordingly ... it's easy to forget, but even those "big dogs" probably see themselves as "the yappy little dog" at times ... somehow it helps me to remember that. posted by DingoMutt at 8:29 PM on March 25, 2009 [3 favorites] The way you described your situation was actually quite creative, and entertaining. Sounds like you have a great imagination - so don't worry about being a bore. Doesn't matter that you're quiet. I'm the quiet dog as well, but every once in a while I bust out with a wickedly subversive and funny comment. Quiet dogs have their place. Most people will tell you just "relax", but it's not like you can turn "relaxedness" on an off like a switch. So, I'd just recommend that you throw yourself into situations. What are you interested in? Do that. With others. If you're uncomfortable, that's fine. In fact, that's preferred. If you feel like you live in a movie, then ham it up. Become a character... give yourself little missions. "Today I will infiltrate a book club" "Today I will talk to a stranger on a bus" The more you put yourself into unexpected and uncomfortable situations, the sooner they become comfortable, and familiar (which has its own set of problems, but you can deal with them later.) posted by baxter_ilion at 8:39 PM on March 25, 2009 I'm kinda like you in that I'm a pretty quiet minority that looks a lot younger. I'm about to grad from college but get carded like a champ for cigarettes and probably will continue to be carded for years. I second volunteering, but also agree that you might be overanalyzing a little bit. You're right that it's perfectly fine to be on the quiet side. It's good that there are quiet people to balance out all the loud ones out there. I don't like to make small talk with people I just meet a lot either because it usually just feels kind of fake. But once I get to know people that I actually like, I'm a lot more open. Nothing wrong with that. On the bright side, while things don't look great right now, your problem is definitely solvable with some effort. Don't worry about it too much and take your time. When you meet people don't feel like you have to impress everyone or that they are all judging you, just try to be confident and satisfied that you are a good person and say what comes naturally. If I were you I would get a golden retriever puppy or a kitten. Also, Dale Carnegie's "How to Stop Worrying and Start Living" is a fun read. posted by some idealist at 8:46 PM on March 25, 2009 You know what the therapist is going to tell you? He's going to parse you through his filters, find one that seems to fit as a label, run his/her particular brand of help therapy, collect his fee and see you next week/month. Okay, if you have been traumatized about something, by all means see a therapist. You can't get to what you want by complaining about what you don't want. The more you think about what a loser you are, how depressed you are, the more you focus your energy on those very things. Think of your subconscious like a big ocean liner. It has one hell of a lot of kinetic energy going forward in one direction and takes a while to turn anywhere else. At the moment, you're stoking your liner's engine with lots of negative thoughts about what you can't do, what you can't have, what you don't like about yourself. That's going to take some doing to turn around to a new direction. The good part is that you can start right away. The 'muscles' you need to be social are unused. They've gone flabby or inert. You can start exercising them by imagining yourself in social situations. Your body/subconscious can't really tell the difference between imagined behavior and the real deal. So imagine your perfect outcome with people. Do it at least twice a day, when you wake up and before you go to sleep. Get a perfect picture in your head and live it as if it were really happening to you. Practice positive speech. It's not something that will just happen. You have to consciously state the positive in your mind instead of the negative and you have to keep doing it. And remember it's going to take awhile to turn that ship around. You have to be consistent and determined to get results. There's a little more to it than this. It's good to have a role model for making these types of changes. You can find this kind of information all around if you look for it. And, anything you do that you are new at is awkward at first. First you crawl, then walk, then run. Reward yourself mentally. Be okay with having to learn and make mistakes. Good luck. I know you are going to find new good friends and have a stellar social life. posted by diode at 8:54 PM on March 25, 2009 [3 favorites] You sound like you're in a bit of a rut. I hope things turn around for you soon. However, do you always have these feelings or are they fleeting? Therapy's all fine and good but it can cost a lot of money and you aren't guaranteed to find the right therapist on the first go around. Are you good at anything? Have any interests or passions? Know lots of stuff about something in particular? Depending on where you live, there may or may not be clubs or organizations that you're interested in for you to get involved with. However, have you considered hanging out at a bar/tavern with trivia night? You don't have to be social or garrulous unless you want to be. Watching other people can be fun, and if a topic comes up where you're good at - hey! Why not speak up and answer it? Alternatively, in Canada, there is the Canadian Legion - you don't have to be a veteran to join, and I've heard anecdotes of girls who like to go to bars to read/study/quitey-hang-out but don't want to be hit on or whatever who join Legions. Bonus - lots of interesting older people who have tons of interesting stories to tell. Legions also host events (swing dancing, trivia nights, lot of other stuff). Again, not all members of Legions are old vets; there's a reasonable contingent of people of all other ages (and both genders). jkaczor makes a good point; gamers tend not to be very exclusive. Also, pretending to be someone else can be good practice for... pretending to be someone else. It's also a situation where you can work out your own feelings/problems cathartically from a different point of view (subconciously, or whatever). Are you into team sports at all? Beer league baseball, softball, ice hockey, dodgeball (srsly), volleyball, ultimate are also possibilities that you can explore. There are even distinctions between beer leagues; there are ones where it's ultra competitive (for beer leagues) to those that are 'just for fun' and those in-between. From subbing and hanging out at my friends' sports leagues, the range in age, ability, and sociality is vast. Vast. Good luck! You sound like to want some (positive) change in your life and for most people, most of the time, it takes action to get those (positive) changes. posted by porpoise at 8:55 PM on March 25, 2009 1) What are you good at, or interested in? 2) Ask yourself what you like *about* 1). 3) Repeat 2); come up with a longer, more detailed answer this time. 4) Repeat 2); toss in some analogies now-- and, since you seem into this-- movie references. 5) Go to meetup.com, and look up your various interests. 6) Attend the meetings based around these interests, and recite your various answers to 2). Don't be surprised if comparatively quiet Steve Buscemi types start hanging around as your pals, and don't be too offended when they seem somewhat amused at your newfound tendency to start flirting with the youngest women in the group. posted by darth_tedious at 8:55 PM on March 25, 2009 Go to the gym or learn a martial art, then punch loneliness in the dick. posted by GooseOnTheLoose at 9:22 PM on March 25, 2009 You've GOT to stop putting labels and boxes on yourself. You are not living in a cartoon or a Coen bros movie. You are not a weirdo sidekick. The only people you "should" be with are people that you find interesting and appealing and who like you. These really should be the only criteria. People who make you nervous or feel lousy are not friends - unless everyone makes you feel like that. Then you are doing something wrong. You should realize that most everyone is nervous socially and hoping to make a good impression and wanting to be liked. posted by CunningLinguist at 9:25 PM on March 25, 2009 Get a hobby. Get two, actually. And listen to the great advice in this thread so far. posted by gnutron at 10:38 PM on March 25, 2009 While I absolutely second all the suggestions to develop your interests and pursue activities that provide plenty of opportunity for social interaction, I would also encourage you to do some reading on the topic. If you feel you're simply not a talkative person, then you may be surprised to learn something about the particular mechanics of conversation-making - - thus demystifying what it is that socializing, and small talk specifically, actually entail. I'd recommend such books as The Art of Conversation by Catherine Blyth, How to be a People Magnet by Leil Lowndes, and How to Start a Conversation and Make Friends by Don Gabor. Books which break conversation down into manageable & comprehensible components may mean the difference between you being insecure and you being bold and confident in your dealings with people. Also, did anyone yet mention the importance of smiling or expressing a genuine interest in other people? Check out some of these books and I promise that things will start becoming a whole lot clearer. posted by afabulousbeing at 12:36 AM on March 26, 2009 [1 favorite] It was in the book Eat, Pray, Love that had this great quote: *You gotta stop wearing your wishbone where your backbone oughtta be.* Read the book. It's written by a woman - but you know - women do tend to have a whole lot of wisdom. Give it a read. It's going to change your way of thinking. posted by watercarrier at 3:14 AM on March 26, 2009 I've been reading through all the above suggestions, and I am so impressed at how good most of them are. i would agree to try to start finding groups of people that you share a particular interest with -- and it doesn't have to be cool or hip, it just has to be interesting to you. If you like pickup-basketball-in-the-park, great, but I suspect if you did you wouldn't be in this dilemma. Maybe your interest is balsa-wood gliders, or collecting 19th century newspapers, or making miles of paper-chains to drape around your room. Whatever. The point it is it should be something *you* like, so you'll be comfortable around other people who are into it. And like someone else said above, the internet is your friend. Name an interest, no matter how obscure, you can find a community of other enthusiasts online, and then go from there. The one thing I would also add to this plan is that it would seem to me that if you're not a talkative person by nature, the problem would be amplified if you're hanging around with just one person all the time . Because then it has to be either someone who just loves to talk and dominate the conversation and doesn't care that you don't talk (because it just gives *him* more time and space to talk) -- and you could see how this could easily be attractive to real egotistical types who turn out to be not so nice in the end -- OR, you find someone else who is just like you, and then you both wind up being silent all the time, and not really sharing anything, and then that's not really a solution either. So what I think makes seeking out groups especially a good idea for you is that you can hang out with a bunch of likeminded people while really reducing the pressure to talk much. It's ok to be "the quiet one" in a group. You can have fun while not talking much, especially if there are a few other people around powering the conversational engine around. You can still laugh at their jokes (if they're funny ;o) and contribute to the good times without having to talk much yourself. And then, like others, I think that over time, as you got more comfortable and friendly with folks, you would just naturally wind up contributing more conversation, even if you never became the big talker of the group. good luck with it! posted by leticia at 4:20 AM on March 26, 2009 Find a social activity that you enjoy. For some reason, bowling comes to mind. posted by GPF at 6:37 AM on March 26, 2009 Put an ad on Craigslist looking for friends/platonic relationships/activity partners. State what you said here, including what kind of activities you'd like to engage in. Specify that you are not gay and not looking to meet any who is. Unfortunately that last one is important, as otherwise many gay men WILL start writing to you, trying to start something that is decidedly not platonic. posted by eas98 at 7:23 AM on March 26, 2009 You're going to need to practice small talk to become comfortable with it and stop being so awkward. I found that starting out making a point of talking to strangers in your everyday life really helps. For instance, when you're at the store say something to the person in line behind you. Older people are good to practice small talk with and are more likely to answer back and keep up the conversation. It will eventually become easier for you and should help addressing some of the other issues you mention. posted by Bunglegirl at 7:39 AM on March 26, 2009 I agree with the above that therapy would be helpful. But besides that, let me tell some things that I have done recently to feel less lonely. I am different than you because I am pretty talkative, but I did find myself with fewer friends last fall because I had been working so hard I hadn't had time for making new friends, and many of my old friends had moved away. I tend to feel some social anxiety about making friends. I am okay at making small talk with new people, but when it comes to turning that into a friendship where you do stuff together, I get insecure. But I convinced myself to really put myself out there, be open to friendship even when it felt scary. Some things that have helped me making friends recently: 1. I live in a cooperative house with 13 other people. Not only have I built friendships with many of them, but also with many of their friends. It's a good place for the non-talkative because you have enough time with other people to get comfortable with them and get to know them, even without small talk. 2. I went to burning man. Everyone there is unbelievably friendly. 3. I took the dog for a walk in the park. Other dog owners will always talk to you. 4. I volunteer at a school and talk to the other adults there. 5. I went to a dance class at a local church, a very friendly group. There are also: 6. Metafilter meetups. At first, these attempts to reach out to others may not work - you might still feel awkward and have trouble talking. But don't give up, keep at it, it will get easier. posted by mai at 9:53 AM on March 26, 2009 Get out of your comfort zone now and make a list of actionable things that can improve your current situation. Act on the list today until you see good results. You don't have to who you are but you need to change your approach. If you're not happy, do something. Make yourself interesting and your life will be less miserable. posted by mchow at 10:02 PM on March 26, 2009 « Older What would happen if the Unite...   |  Any good libraries for transco... Newer » This thread is closed to new comments.
http://ask.metafilter.com/117758/Im-a-35-yr-old-single-male-with-no-ties-to-anyone-totally-alone-and-miserable-I-need-friends-but-Im-too-untalkative-and-I-cant-change
dclm-gs1-266430001
false
false
{ "keywords": "blast" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.076067
<urn:uuid:2d88b3d1-523e-4066-8e36-aed4ae160e82>
en
0.954064
HOME > Chowhound > Greater Boston Area > Feb 14, 2007 11:48 AM Good "turrón" in the North End? 1. Click to Upload a photo (10 MB limit) 1. It's called Torroni in Italian and Modern is the place to buy it. Also can find it at Dairy Fresh Candies. 1. I've also seen it spelled Torrone. 1. Bob, I think you are right. Torrone is the correct spelling. 1. Now that I see it written, I do recall seeing "Torrone". Thanks, y'all. Where is Dairy Fresh Candies? 3 Replies 1. re: Alcachofa On Salem Street just off of Cross Street (next to Neptune Oysters) 1. re: Alcachofa Woah, alca ... you've walked past it a gazillion times, I'm sure. I find it creepy that I know where a candy store is before YOU do..... 1. re: Alcachofa Dairy Fresh is the place to go for many sweet and savory items, but Modern Pastry is THE place for Torrone! In fact, it's so good that even Italians take it back to Italy with them. 2. I don't really have a big sweet tooth. :-[ Across from Neptune's... how convenient. ;-) 1 Reply 1. re: Alcachofa Actually, next door, way too convenient! I buy Christmas candies and fresh nuts at Dairy Fresh, but I still think the Torrone at Modern is better.
http://chowhound.chow.com/topics/371174
dclm-gs1-266500001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.033119
<urn:uuid:23a6e737-2b2c-4a4c-b60e-3ad1e7b26816>
en
0.830932
Why was clemency trending last week? any language or symbolic system used to discuss, describe, or analyze another language or symbolic system. Origin of metalanguage 1935-40; meta- + language Unabridged Cite This Source Examples from the web for metalanguage • The teachers also seem to believe that metalanguage should be used for learners of all proficiency levels. • metalanguage, for example, is a language used to describe another language. • The case appears to be that learners learn language as one thing and metalanguage as another. • The teaching method relied heavily on explicit instruction and essential metalanguage. British Dictionary definitions for metalanguage Collins English Dictionary - Complete & Unabridged 2012 Digital Edition Cite This Source metalanguage in Technology 1. [theorem proving] A language in which proofs are manipulated and tactics are programmed, as opposed to the logic itself (the "object language"). The first ML was the metalanguage for the Edinburgh LCF proof assistant. 2. [logic] A language in which to discuss the truth of statements in another language. Cite This Source Word of the Day Difficulty index for metalanguage Few English speakers likely know this word Word Value for metalanguage Scrabble Words With Friends
http://dictionary.reference.com/browse/metalanguage
dclm-gs1-266580001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.020641
<urn:uuid:cbc5580c-fc48-4a9f-832e-4c98567ea06f>
en
0.886023
Internet Shakespeare Editions Author: William Shakespeare Not Peer Reviewed Hamlet (Quarto 1, 1603) Enter Leartes and Ofelia. Leart. My necessaries are inbarkt, I must aboord, 462.1But ere I part, marke what I say to thee: I see Prince Hamlet makes a shew of loue Beware Ofelia, do not trust his vowes, Perhaps he loues you now, and now his tongue, Speakes from his heart, but yet take heed my sister, The Chariest maide is prodigall enough, 500If she vnmaske hir beautie to the Moone. Vertue it selfe scapes not calumnious thoughts, Belieu't Ofelia, therefore keepe a loofe 496.1Lest that he trip thy honor and thy fame. Ofel. Brother, to this I haue lent attentiue eare, And doubt not but to keepe my honour firme, But my deere brother, do not you 510Like to a cunning Sophister, Teach me the path and ready way to heauen, 511.1While you forgetting what is said to me, Your selfe, like to a carelesse libertine 512.1Doth giue his heart, his appetite at ful, And little recks how that his honour dies. 515Lear. No, feare it not my deere Ofelia, Here comes my father, occasion smiles vpon a second leaue. Enter Corambis. The winde sits in the shoulder of your saile, And you are staid for, there my blessing with thee And these few precepts in thy memory. "Be thou familiar, but by no meanes vulgare; "Those friends thou hast, and their adoptions tried, "Graple them to thee with a hoope of steele, "But do not dull the palme with entertaine, 530"Of euery new vnfleg'd courage, 530"Beware of entrance into a quarrell; but being in, "Beare it that the opposed may beware of thee, 535"Costly thy apparrell, as thy purse can buy. "But not exprest in fashion, "For the apparrell oft proclaimes the man. And they of France of the chiefe rancke and station Are of a most select and generall chiefe in that: "This aboue all, to thy owne selfe be true, And it must follow as the night the day, 545Thou canst not then be false to any one, Farewel, my blessing with thee. Lear. I humbly take my leaue, farewell Ofelia, And remember well what I haue said to you. Ofel. It is already lock't within my hart, And you your selfe shall keepe the key of it. Cor. What i'st Ofelia he hath saide to you? 555Ofel. Somthing touching the prince Hamlet. That you haue bin too prodigall of your maiden presence 560Vnto Prince Hamlet, if it be so, 560As so tis giuen to mee, and that in waie of caution I must tell you; you do not vnderstand your selfe So well as befits my honor, and your credite. to me. 580Ofel. And withall, such earnest vowes. Cor. Springes to catch woodcocks, What, do not I know when the blood doth burne, How prodigall the tongue lends the heart vowes, In briefe, be more scanter of your maiden presence, 575Or tendring thus you'l tender mee a foole. Ofel. I shall obay my lord in all I may. 602.1Cor. Ofelia, receiue none of his letters, "For louers lines are snares to intrap the heart; "Refuse his tokens, both of them are keyes To vnlocke Chastitie vnto Desire; Come in Ofelia, such men often proue, Ofel. I will my lord.
http://internetshakespeare.uvic.ca/Annex/Texts/Ham/Q1/scene/3
dclm-gs1-266740001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.42127
<urn:uuid:a6ffca97-b741-47bf-98b1-fc183731e396>
en
0.862472
Take the 2-minute tour × Let $\mathscr{F}$ be a presheaf and $\mathscr{F}^+$ its sheafification, with the universal morphism $\theta:\mathscr{F}\rightarrow\mathscr{F}^+$. Question is: is $\theta$ always an inclusion? I'm pretty sure it isn't, but in many cases it seems that it is. For example, if $\phi:\mathscr{F}\rightarrow\mathscr{G}$ is a morphism of sheaves, then $\operatorname{ker}\phi$, $\operatorname{im}\phi$, $\operatorname{cok}\phi$ all seem to have this property. If it isn't always the case, then is there any characterization of such presheaves? A "subpresheaf" of a sheaf certainly has this property (e.g., $\operatorname{im}\phi$), but what about $\operatorname{cok}\phi$? share|improve this question Just to make sure, you are asking if the kernel of $\theta$ is always trivial? –  M Turgeon Jun 3 '12 at 15:06 @M Turgeon: Yes. –  ashpool Jun 3 '12 at 15:07 Dual question here. –  Zhen Lin Jun 3 '12 at 16:56 3 Answers 3 up vote 9 down vote accepted No, $\mathcal F \to \mathcal F^+$ is not injective in general. Consider the sheaf $\mathcal C$ of continuous functions on $\mathbb R$, its subpresheaf $\mathcal C_b\subset \mathcal C$ of bounded continuous functions and the quotient presheaf $\mathcal F$, characterized by $\mathcal F(U)= \mathcal C (U)/\mathcal C_b(U)$. For every open subset $U\subset \mathbb R$, we have $\mathcal F(U)\neq 0$ but the associated sheaf is $\mathcal F^+=0$, so that the morphism $\mathcal F \to \mathcal F^+=0$ is definitely not injective. Injectivity of $\mathcal F \to \mathcal F^+$ is equivalent to requesting that whenever you have compatible gluing data $s_i\in \mathcal F(U_i)$ on an open covering $(U_i)$ of an open $U$ of your space, they can glue to at most one $s\in \mathcal F(U)$ : one half of the conditions for a presheaf to be a sheaf must be satisfied (the other half is to require that $s$ always exist) share|improve this answer Cokernels do not have this property. The example to look at is the exponential map from the sheaf of holomorphic functions on $\mathbf C \setminus \{0\}$ to the sheaf of non vanishing holomorphic functions on that same domain. This is not surjective on global sections, since for example the identity map does not have a logarithm, but it is surjective as a morphism of sheaves, so the sheaf cokernel is trivial. What distinguishes the kernel and image sheaves, I think, is that they satisfy the identity axiom [I think this is Hartshorne's (5)] because they sit inside of sheaves. share|improve this answer Ah, sorry, I was thinking of $\mathscr{F}/\mathscr{G}$, where $\mathscr{F}\subset\mathscr{G}$ is a subsheaf. –  ashpool Jun 3 '12 at 15:44 The answer to the question is NO since the global information about a presheaf can not be determined by its local information. In fact, this is the essential point of the definition of a sheaf. In above, Georges Elencwajg has given a nice counter-example which is quite natural. We can also contruct a counter-example directly as follows. Take a topological space $X$ which is not empty, define a presheaf $\mathcal{F}$ of abelian groups in the following way: for any proper open subset $U$ define $\mathcal{F}(U)$ to be zero while define $\mathcal{F}(X)$ to be any nontrival abelian group, say $\mathbb{Z}$. Then the sheafication $\mathcal{F}^+$ is zero. Consider the global sections we will find it is not an inclusion. share|improve this answer Your Answer
http://math.stackexchange.com/questions/153287/is-sheafification-always-an-inclusion
dclm-gs1-266810001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.941633
<urn:uuid:80b53e74-f743-4088-8809-0450d39d4c9e>
en
0.957581
What is meta? × share|improve this question 8 Answers 8 What I look up is: • Links to methods, types etc • Making sure the code compiles and runs appropriately • Adding links • Adding caveats for corner cases share|improve this answer It really depends on the question, of course. share|improve this answer +1 I definitely love the occasional challenge and learning. –  David Rönnqvist Feb 13 '14 at 22:12 So I would say most of the time. My Thoughts share|improve this answer share|improve this answer share|improve this answer share|improve this answer share|improve this answer It depends on the question. For most stuff I know more or less what to do, I just have to double check the API / documentation or write it up in an IDE that gives me code completion. For a small set of questions I'm able to write up an answer from a mobile device, even getting those long Objective-C names and constants right. That said, I don't think having to look up information, try things out, write some code, etc. to figure out an answer it a bad thing. It's the opportunity for you to not only share your knowledge but to learn something new yourself. At the very least you are refreshing your memory. On the topic of learning, not all learning is about reading the documentation or googling for other existing solutions out there. Sometimes when you see a question out there you have a crazy idea of how to solve it and for your own sake, want to try and implement it to see if it works. These questions are very rare but they can result in some crazy answers that the OP probably wasn't expecting. Keep looking up information, that means that you are learning. The more you have to look up or try out, the more you are challenging yourself ;) share|improve this answer You must log in to answer this question. Not the answer you're looking for? Browse other questions tagged .
http://meta.stackexchange.com/questions/22513/when-answering-questions-how-much-do-you-have-to-look-up
dclm-gs1-266850001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.027753
<urn:uuid:cebfece9-8fbb-462f-b301-1c39fc729126>
en
0.960573
Review of “The Age of Abundance: How Prosperity Transformed America’s Politics and Culture” I just finished one of the best books I’ve read in a long time, so even though it’s been out since 2007 I’m going to review it: “The Age of Abundance: How Prosperity Transformed America’s Politics and Culture” by Brink Lindsey.  A second subtitle reads, “Why the Culture Wars Made Us More Libertarian.” It would be a shame if that subtitle put off some potential readers because the book isn’t a libertarian tract, not by a long shot. It’s a fine piece of sociological analysis, rigorous yet readable. I lived through the post-war transformation of America but that doesn’t mean I really understood what was going on. I understand a whole lot better now thanks to Lindsey’s book. My mother struggled through the Great Depression, by necessity developing a scarcity mentality, some of which rubbed off on me. But as postwar abundance spread, overcoming scarcity was the driving motivation for fewer and fewer people. Instead, mass affluence became the norm. My cousin in Ohio, for example, spent his entire working life as a diesel mechanic for Ford Motor Co. Over the years he and his wife acquired a nice house, a boat, three cars, and took cruises abroad. He worked very hard, but so did his forebears, and they never had what he had. Mass affluence gave people free time and energy to explore the meaning of life. The New Age, or the Aquarian movement as Lindsey calls it, burst forth in the 1970’s. Having participated peripherally in some of the “personal growth” movements of the time, I can attest to two things. First, most of it was nonsense. I’m chagrined to look back on some of the groups I got into, and glad that I never went overboard with any of them. Second, I’m grateful for some of the genuine growth I experienced during those times. Crucially, I never questioned the work ethic that I inherited from my mother. I grew a beard, but otherwise dressed conventionally and held a steady job. Almost nobody in the personal growth movements of the time understood that they owed their newfound freedom to mass affluence and that that affluence resulted from the capitalist system which many of them liked to deride. (An exception would be the tiny libertarian movement of the time which for some people was allied with the personal growth movement.) Most participants looked down their noses at hard workers like my cousin. As it happens, the capitalist system not only survived the Aquarian onslaught but found ways to make a buck from it, adapting and softening its revolutionary fashions, music, and entertainment for a mass market. Capitalism, far from keeling over, co-opted the movement and moved on. Then came the evangelical backlash, a movement I never had any truck with. The system survived the evangelicals’ attacks on personal liberties.  The upshot, says Lindsey, is that while these two forces pulled at the capitalist center (or the free-market center as I prefer to call it), the system survived and has actually thrived. Out of it all, we are learning to balance liberation and responsibility. Here’s how he puts it on p. 316 of the hardcover edition: Out of the antitheses of the Aquarian awakening and the evangelical revival came the synthesis that is emerging today. At the heart of that synthesis is a new version of the middle-class morality—more sober, to be sure, than the wild and crazy days of “if it feels good, do it,” but far removed from old-style bourgeois starchiness or even the genial conformism of the early postwar years. Core commitments to family, work, and country remain strong, but the are tempered by broad-minded tolerance of the country’s diversity and a deep humility about telling others how they should live. As you can tell, Lindsey is a masterful story teller. He adds statistics occasionally; more would have been welcome. I doubt that he will ever get his material published in a sociology journal. Not only is he “politically incorrect” but his writing is too clear and too compelling. By the way, do you see the dialectics in this passage? Lindsey never uses the word, but there it is: Aquarian thesis, evangelical antithesis, libertarian synthesis. Fascinating. Fifty Years of Voting What is social justice? Since only individuals act, only individual actions can be judged.  Groups, governments, corporations, etc. are not acting entities and therefore cannot be judged.  The individuals who act under the aegis of such groups can, of course, be judged.  So what could social justice possibly mean? Along comes the redoubtable Wendy McElroy with an answer.  It is “forced distribution of ‘privileges’ across society with an emphasis on providing wealth and opportunity to classes of people who are considered to be disadvantaged.”  It matters not whether a particular set of circumstances is the result of voluntary interactions.  Individuals who are female, have dark skin, low income, etc. qualify automatically as victims.  Examples of redress include affirmative action and progressive taxation. Enough from me.  Please go read Wendy’s post. Measles Vaccine? Not Me! That’s because the vaccine didn’t exist when I was a kid. I got the disease instead, leaving me with natural immunity. I think my chums all got it too and it amounted to a few days of discomfort, no big deal. But there must have been some who got it and suffered serious consequences, even death. News just didn’t get around in those days (ca. 1950) like it does today. It’s terrific that a vaccine now exists, but like all vaccines it entails perverse incentives. When nearly everyone is vaccinated, there is little incentive for an individual parent to get it for his child because the disease can’t spread through a vaccinated population, and at least some incentive not to get it: cost, bother, and a remote chance of ill effects. And if enough parents skip the vaccine, the percentage of vaccinated children may fall low enough to permit the disease to propagate as, in fact, it has begun to do lately in some areas. The solution for public schools is simple: require vaccination for all entering school children. As long as we have public schools, there have to be rules and this would be a quite sensible rule. For private schools the situation is trickier. Should the government require private schools to require vaccination? I think not. Most parents would have sense enough to keep their kids away from such schools. A no-measles policy would be a selling point for private schools. The Gold Standard is Not Without its Costs News from the department of “life is bigger than art:” A few days ago I posted a fictitious account of a future Wells Fargo Bank operating on a revived gold standard. Turns out the real Wells Fargo, now a regular large commercial bank with its roots in the California gold rush, has a branch in downtown San Francisco at the site where the bank was first opened in 1852. The branch had an exhibit of historic artifacts, including gold nuggets from the gold rush era. I say had, because last night thieves rammed an SUV into the lobby and made off with the nuggets! All of which underscores the fact that security is among the real costs associated with a gold standard. There is no law of nature that says free banking has to be based on gold, as I pointed out in my post. The market would, if free to do so, sort out costs and benefits and find the sort of system or systems that best satisfies consumers. I love Wells Fargo; They Hate Me. While I have this blog window open I’ll add some unrelated comments about Wells Fargo. I am a happy customer and I credit this to the stiff competition among banks at the retail level. I regularly get solicitations from banks offering $100 bonus to open an account, with strings attached, of course but I stick with Wells Fargo. At the macro level our current banking system is gravely flawed but it works well for us retail customers. I get free checking, a handy web site, and ATMs all over the place. When my credit card was hacked recently, they replaced it promptly and took my claims about false charges at face value. My average credit card balance last year was nearly $4,000 and I paid zero interest. That’s because I pay it off at the last possible date, which is 25 days after billing. I pay an $18 annual fee but got $300 in cash rebates last year. I never pay late fees or penalties of any kind. I do not have a savings account with Wells Fargo because those accounts are a joke. Their most popular savings account yields (drum roll) 0.01%. Not one percent, but one hundredth of one percent. For every thousand dollars I might keep in a savings account, I would get ten cents in annual interest, taxable. I do, however, hold shares of Wells Fargo preferred stock which pay 6.8% current yield (for you experts, a somewhat lower yield to call). The shares appreciated about 70% since I bought them at the bottom of the Great Recession. So I am a money loser for Wells Fargo. They earn merchant fees from my credit card use and that’s about it. They count on their average customer’s ignorance and lack of financial discipline to generate fee income and to carry high-interest balances on their credit cards. Dear reader, if that describes you, don’t despair. You can get out in front of the wave and let the banks work for you, not the other way around. It just takes a little knowledge and some discipline. Most important: if you can’t pay cash for a purchase (or use a credit card paid off before interest kicks in), you can’t afford it! That includes cars. Save up your money and buy a junker. Mortgages are OK for home purchases because of tax breaks, but even there, start with a healthy down payment. Here endeth today’s sermon. Go in peace and freedom! A Tale of Free Banking Herewith we visit an imaginary future where free banking prevails. Government regulation of banks is a thing of the past. Banks have the freedom and the responsibility that they lacked under government regulation. In particular, private banks are free to print money, either literally, in the form of paper banknotes for the shrinking number of customers who want them, but in electronic form for most. Print money? Horrors, you say! Fraud! Runaway inflation! Not so fast. Come with me on a fantasy visit to the local branch of my bank, a future incarnation of Wells Fargo to be specific. The first thing we notice is a display case showing a number of gold coins and a placard that says, “available here for 1,000 Wells Fargo Dollars each, now and forever.” I have in my wallet a number of Wells Fargo banknotes in various denominations. I could walk up to a teller and plunk down 1,000 of them and the smiling young lady would hand over one of these coins. More likely I would whip out my smartphone and hold it up to the near-field reader, validate my thumbprint, and complete the transaction without paper. I have a few of these beautiful gold coins socked away at home but I don’t want any more today nor do I want to carry them around. Electronic money is ever so much safer and more convenient. Still, I am reassured by the knowledge that I could get the gold any time I wanted it. That is the basis for my confidence in this bank, not the FDIC sticker we used to see in the bank’s window. Confidence? What about inflation? Wells Fargo can create as many of these dollars as they want, out of thin air. Without government regulation, who will stop them from creating and spending as many dollars as they want? The market will stop them, that’s who. In my scenario, Consumer Reports and a number of lesser known organizations track Wells Fargo and other banks. These organizations post daily figures online showing the number of Wells Fargo dollars (WF$) outstanding and the amount of gold holdings that the bank keeps in reserve to back these dollars. Premium subscribers, I imagine, can get an email alert any time a bank’s reserves fall below some specified levels. Large depositors will notify Wells Fargo of their intention to begin withdrawing deposits and/or demanding physical gold. Small depositors piggyback on the vigilance efforts of big depositors. They know it is not necessary for them to pester the bank when the big guys are doing it for everybody. Wells Fargo practices fractional reserve banking. They cannot redeem all their banknote liabilities and demand deposit liabilities at the stated rate of one ounce of gold per thousand WF$. This situation is clearly outlined in the contract that depositors sign and is printed on their banknotes. Let’s assume Wells Fargo backs just 40% of its banknotes and deposits with physical gold. How is this figure arrived at? By trial and error. Managers believe that if they let the reserve ratio slip much below 40% they will start getting flak from the monitoring websites and their big depositors. If they let it rise much above that figure their stockholders will begin complaining about missed profit opportunities. Under fractional reserve banking, bank runs are possible. A bank run is a situation where a few depositors lose confidence in a bank and demand redemption of their deposits in gold or in notes of another bank. Seeing this, other depositors line up to get their money out, and if left unchecked, the bank is wiped out along with the depositors who were last in line. Bank runs are not a pretty sight. Wells Fargo has a number of strategies for heading off a bank run. They have an agreement with the private clearing house of which they are a member that allows the bank to draw on a line of credit under certain circumstances. There is a clause, clearly indicated in the agreement with their depositors, allowing them to delay gold redemption for up to 60 days under special circumstances. They can reduce the supply of WF$ by calling in loans as permitted by loan agreements. Most important, though, is Wells Fargo’s reputation. Not once in their long history has Wells Fargo been subject to a bank run. Management is keenly aware of the value of their reputation and will move heaven and earth to preserve it. To sum up, Wells Fargo’s ability to create unbacked money is limited by the public’s willingness to hold that money. The bank can respond to changes in the demand to hold WF$ whether those changes are seasonal in nature or secular.  They have strategies in place to head off runs should one appear imminent or actually begin. What about competing banks, you may ask. Does Bank of America issue its own money? If so, there must be chaos with several different brands of money in the market. Are there floating exchange rates? Is a BofA$ worth WF$1.05 one day and WF$0.95 the next? What else but government regulation could put an end to such chaos? The market, that’s what else. Competing suppliers of all sorts of products have an incentive to adhere to standards even as they compete vigorously. If we were in a classroom right now I would point to the fluorescent lights overhead. The tubes are all four feet long and 1.5 inches in diameter, with standard connectors. They run on 110 volt 60 Hz AC current. Suppliers all adhere to this standard while competing vigorously with one another. If they don’t adhere to the standards people won’t buy their light bulbs. So it is that competing banks in my fantasy world have all converged on a gold standard. They all adhere to the standard one ounce of gold per thousand dollars. (I trust it’s obvious that I just made up this number. Any number would do.) Why gold? Gold has physical properties that have endeared it to people over the ages—durability, divisibility, scarcity to name a few. But other standards might have evolved such as a basket of commodities—gold, silver, copper, whatever. You may raise another objection. All this gold sitting in vaults detracts from the supply available for jewelry, electronics, etc. That’s a real cost to these industries and their customers. Yes, it is. It’s called the “resource cost” of commodity-backed money. To get a handle on this cost we must recognize that gold sitting in vaults is not really idle, but is actively providing a service. It is ensuring a stable monetary system immune from political meddling. How valuable is that? The market will balance the benefits of stability against the resource costs of a gold standard. Furthermore we can expect resource costs to decline slowly as confidence in the banking system increases and people are comfortable with declining reserve ratios. Wells Fargo may find that a 30% reserve ratio rather 40% will be enough to maintain confidence. Other things equal, this development would boost profits temporarily, but those profits would soon be competed away, to the benefit of depositors and the economy as a whole. Let’s go back to bank runs. Aren’t they something horrible, to be avoided at all costs? Actually an occasional bank run is something to be celebrated. Not for those involved, of course, but to remind depositors and bank managers alike that they need to be careful. The same is true of the recent Radio Shack bankruptcy. Bad news for stockholders, suppliers and employees but an opportunity for competitors to learn from this bankruptcy. Under my free banking scenario, depositors must take some responsibility for their actions. That doesn’t mean they have to become professional examiners. They just have to take some care to check with Consumer Reports or other rating organizations before signing on with a bank. Have I sketched out a perfect situation? There’s no such thing as perfection in human affairs but I submit that this situation would be vastly superior to what we have now, where the Federal Reserve’s policy of printing money to finance government deficits will end badly. Furthermore, relatively free banking has existed in the past and worked well. To learn more, start with Larry White’s “Free Banking in Britain.” What’s up with Oil and the Saudis? In case you haven’t noticed, the price of oil has dropped dramatically and has not rebounded as yet. As I write, the price of the most common form of crude oil is under $54 per barrel, about half of what it was in mid-2014. What’s going on? Several factors contributed to the fall. One was increased U.S. production, much of it shale oil. Also, U.S. consumption has not been rising apace with GDP in part because of higher fuel efficiency. Demand in Europe and Japan is muted due to low growth or recession. Those things did not happen suddenly, however, so the drop would appear to be overdone. Large producers, who have a lot of pricing power, would normally cut production in this circumstance. (Pricing power means a change in their production has a noticeable effect on the world price.) The Saudis have considerable pricing power and their production decisions are controlled by their government. Why have they not cut production? I believe they are engaging in predatory pricing. Predatory pricing is illegal in the U.S. and elsewhere, under anti-trust law. Predatory pricing occurs when a supplier cuts his prices for the purpose of bankrupting a competitor, or at least driving the competitor out of the market. The predator is willing to suffer losses or reduced profits temporarily, while holding the prices low. Once the competitor is gone, the predator’s pricing power will have increased enough that he can raise prices a lot and make up for losses suffered during the period of predation. Predatory pricing is definitely possible in free markets but is very risky for several reasons: (1) the predator can’t be sure how long it will take to ruin his competitor, (2) he can’t be sure how long he can maintain low prices without sustaining ruinous losses or perhaps face a shareholder rebellion, (3) it’s possible the competitor, or someone who has bought his assets in bankruptcy, will come back to life and start competing as before. For these reasons (and others, such as the difficulty facing regulators who are supposed to distinguish predatory motives from “innocent” business strategy), I believe there is no reason to outlaw predatory pricing. The situation is a little different in the international oil market because the Saudis and many other major players are government controlled. They are not constrained (much) by the market forces outlined above. They are not accountable to shareholders and are only vaguely responsible to the population of Saudi Arabia. They have substantial latitude to pursue political motives even if their profits suffer.  And anti-trust law does not operate across national borders. What might the Saudis want to accomplish politically? They hate Russia and Iran, both of which rely heavily on oil exports. They don’t hate the U.S., at least not openly, but they surely wouldn’t mind sticking it to U.S. and Canadian shale oil producers. Those producers are largely market-driven and thus have limited ability to withstand predatory pricing. The Saudis could indeed drive smaller firms out of the market, and also less profitable operations of larger firms. That might not be such a bad thing. There has been a huge land rush into shale oil and fracking. In any such boom, whether in energy, mining, or computers, many small firms fall by the wayside. If the Saudis ruin some marginal firms or projects, that’s not such a bad thing. We little guys are sitting pretty. We’re paying a lot less for gasoline. If we hold shares of the major oil firms we’re probably OK, as their share prices have held up and their dividends look solid. The same is true of the pipeline operators. Only if we hold shares of marginal energy firms or oilfield service companies are we in any trouble. So – go for it, Saudis! Stick it to the evil governments of Russia and Iran and help us clean out some of our marginal energy operations.
http://notesonliberty.com/author/warrengibson/
dclm-gs1-266880001
false
true
{ "keywords": "vaccine, natural immunity" }
false
null
false
0.040155
<urn:uuid:2a35b1e9-bb18-46a7-a5c3-9531e346a1d9>
en
0.968203
Don't Be A Boob And Let Theatrical Opponents Rope-A-Dope You Print This Post You may also like... 13 Responses 1. Scott Jacobs says: I'm afraid I have to see a picture of the paralegal before I can comment further… 2. Ken says: I'm not your Google-bitch. 3. Chuck says: Even better, per Above the Law, she's Feofanov's wife (who handles paralegal, receptionist, and bill-paying duties in his solo office). Gooch looks worse and worse with every new detail that comes out. 4. PeeDub says: I couldn't find a decent picture of her, but surprisingly, I found several pictures of boobs. 5. Nancy says: There's a picture of her on Above the Law. She's an attractive woman, but she's not stunning enough to disrupt the trial. 6. Brian Dunbar says: She’s an attractive woman, but she’s not stunning enough to disrupt the trial. It's all in the presentation. I sat on a jury. Civil thing, a redneck hit a mexican's truck, the mexican hired (I am not making this up) Matlock. The redneck's goose was fried: he was going up against _Matlock_. Plus he oozed 'bigot' and 'liar'. It's boring as all get out and I couldn't even pull out a book to read. They wouldn't let me bring my laptop in, the heathens. It wouldn't take Miss America to distract me, just a well-dressed female with generous proportions. 7. mojo says: Does Feofanov get a notation in the "Annals of Table Pounding"? 8. Assman says: You have the parties backwards in the Bill-Bone-hole-in-the-shoes thing. Bill Bone was the plaintiff's lawyer and he's fairly well-known in South Florida. Michael Robb was the defense lawyer. 9. David T says: So what *is* a good strategy, when opposing counsel is distracting the jury with some theater? Just ignore it? Joke about it? Use counter-theater? 10. MOG says: Since when are law clerks or paralegals permitted to be at counsel table. She can sit in the audience along with everyone else who hasn't passed the bar. 11. Ken says: I'm starting to lean much more strongly towards the sexist narcissistic prick theory. 1. May 28, 2011 […] Claims Buxom Woman with Opposing Counsel Is Intended as Jury Distraction" [ABA Journal] More: Ken at Popehat, Lowering The Bar, Above the […] 2. May 29, 2011 […] So was the "large-breasted woman" at counsel's table an unethical distraction? Even by my minority view of 3.5 violations, it is hard for me to see why. I know of attractive female trial lawyers who employ their pulchritudinous assets to  entrance male judges and juries, and that is no more unethical than a male lawyer with a sonorous speaking voice using it to his best advantage. I have a hard time understanding Gooch's point, in fact: if the woman was that so spectacular, wouldn't she distract the jury from the presentations of both sides of the case? As Ken points out over at Popehat, even if having the voluptuous woman at counsel's table was a stunt, it was the kind of stunt that it doesn't pay to object to. "Protip: if your conduct of your client’s affairs requires you to make a statement reassuring the media that you are not per se opposed to large breasts, you’re doing it wrong," he writes. […]
http://popehat.com/2011/05/27/dont-be-a-boob-and-let-theatrical-opponents-rope-a-dope-you/
dclm-gs1-266920001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.02994
<urn:uuid:005f4315-9840-4d82-ac69-9d86b673062b>
en
0.968776
Wednesday, March 19, 2008 Ruling on celebrating the Propphet PBUH birthday Praise be to Allaah the Lord of the Worlds, and blessings and peace be upon our Prophet Muhammad and all his family and companions. The commands mentioned in the Qur'aan and Sunnah to follow the laws of Allaah and His Messenger, and the prohibitions on introducing innovations into the religion are quite clear. Allaah says (interpretation of the meaning): "Say (O Muhammad to mankind): 'If you (really) love Allaah, then follow me (i.e. accept Islamic Monotheism, follow the Qur'aan and the Sunnah), Allaah will love you and forgive you your sins'" [Aal 'Imraan 3:31] "Follow what has been sent down unto you from your Lord (the Qur'aan and Prophet Muhammad's Sunnah), and follow not any Awliyaa' (protectors and helpers who order you to associate partners in worship with Allaah), besides Him (Allaah). Little do you remember!" [al-A'raaf 7:3] [al-A'naam 6:153] And the Prophet (peace and blessings of Allaah be upon him) said: "The most truthful of speech is the Book of Allaah and the best of guidance is the guidance of Muhammad, and the most evil of things are those which are newly-invented." And he (peace and blessings of Allaah be upon him) said: "Whoever innovates anything in this matter of ours (i.e., Islam), that is not part of it will have it rejected." (Narrated by al-Bukhaari, no. 2697; Muslim, no. 1718). According to a version narrated by Muslim, "Whoever does anything that is not in accordance with this matter of ours (i.e., Islam), will have it rejected." Among the reprehensible innovations that people have invented is the celebration of the birthday of the Prophet (peace and blessings of Allaah be upon him) in the month of Rabee' al-Awwal. They celebrate this occasion in various ways: Whatever form it takes and whatever the intentions of those who do this are, there is no doubt whatsoever that it is an invented, haraam innovation which was introduced by the Shi'a Faatimids after the three best centuries, in order to corrupt the religion of the Muslims. The first person to do this after them was the king al-Muzaffar Abu Sa'eed Kawkaboori, the king of Irbil, at the end of the sixth century or the beginning of the seventh century AH, as was mentioned by the historians such as Ibn Khalkaan and others. Abu Shaamah said: the first person to do that in Mosul was Shaykh 'Umar ibn Muhammad al-Malaa, one of the well-known righteous people. Then the ruler of Irbil and others followed his example. Al-Haafiz Ibn Katheer said in al-Bidaayah wa'l-Nihaayah (13/137), in his biography of Abu Sa'eed Kazkaboori: "He used to observe the Mawlid in Rabee' al-Awwal and hold a huge celebration on that occasion… some of those who were present at the feast of al-Muzaffar on some occasions of the Mawlid said that he used to offer in the feast five thousand grilled heads of sheep, ten thousand chickens and one hundred thousand large dishes, and thirty trays of sweets… he would let the Sufis sing from Zuhr until Fajr, and he himself would dance with them." Ibn Khalkaan said in Wafiyaat al-A'yaan (3/274): "When it is the first of Safar they decorate those domes with various kinds of fancy adornments, and in every dome there sits a group of singers and a group of puppeteers and players of musical instruments, and they do not leave any one of those domes without setting up a group (of performers) there. And We have also sent down to you the Reminder (Adh-Dhikr) that you may explain clearly to men what is sent down to them, and that they may give thought. [ Soorah An-Nahl Aayah 44] Anas (RA) narrates that Nabi (Sallallahu Alayhi Wasalaam) said, "Such a time will come upon people that it will be as difficult for them to remain on Deen as it is for a person to hold a burning coal in his hand." Ka'b Ibn Iyaadh (RA) narrates "I heard Rasulullah (Sallallahu Alayhi Wasalaam) saying, "Every Ummat had some trial (Fitnah) and that Fitnah of my Ummah is wealth. Tuesday, January 15, 2008 Blessing in Rain Since all we people here in the emirates are talking about the rain - a post about it was a must. Enjoy the rain and make dua for yourself and others there is blessing in the rain Our beloved Prophet (peace & blessings of Allaah be upon him) said:"Two are the du'as that are never returned: the du'a made when the prayer is being called, and at the time of rainfall." (Abu Dawud). So makes lots of duas for yourself and family and whoever needs them. Make dua for your parents. For yourself...for success in deen duniya and akhirah....basically put your heart in it....and ask the Almighty...:) During rain: Allahumma sayyiban naaf'ian. (O Allah, (bring) beneficial rain clouds) After Rain: MuTirnaa bi Fadhlil-Llahi wa Rahmatihi. (It has rained by the Bounty of Allah and His Mercy) When it thunders: Subhanah alldhi yusabbihur-ra'du bi hamdihi wal malaa'ikatu min khifaatihi Glory to Him whom thunder and angels glorify due to fear of fear) Sunday, January 6, 2008 Funeral Rites in Islam Based on the hadith of Umm Salamah: "Allahummagh-fir li Abi Salamah warfa'darajatahu fil-mahdiyin wakhlufhu fi áqibihi filghabirin and let his remianing offspring be like him waghfir laná walahú yá Rabbal- Álamin Forgive us and forgive him O Lord of the worlds wafsah lahu fi qabrihi wa nawwir lahu fih and expand his grave and illuminate it for him Facing the Qiblah [ before burial] Preparing food by the family of the deceased [Sunan Abu Dawud] Tuesday, January 1, 2008 Interview of Imam Anwar Al-Awlaki Iman Anwar alawlaki - was Alhamdullilah recently released from prison. He was interviewed by Moazzam Begg. Moazzam Begg: When were you arrested? On what grounds were you held? Were there any charges made against you? Anwar Al-Awlaki: Bismillahir-Rahmanir-Raheem[i]. I was arrested in mid-2006. Initially I was held because I entered as an arbitrator in a local issue here, a tribal issue. I was an arbitrator in that issue and I was arrested until that issue… because the government wanted to solve that issue rather than have it solved tribally. MB: Right. AA: After that, they began asking me questions about my local Islamic activities here, and later on it was becoming clear that I was being held due to the request of the US government. That was what they were telling me here, and that the Americans wanted to meet me. MB: Subhan Allah[ii]. Well, that’s something that we can share together. I’ve also been held at the request of the Americans for quite some time. The other question is that the media reported that your incarceration was due to having some knowledge, or some people who were involved in 9/11 at your sermons. Could you clarify any of this at all? AA: That was one of the issues that the Americans asked about but I don’t know if I was held because of that, or because of the other issues that they presented. But it was one of the issues that they enquired about. MB: Can you describe a little bit about what your prison conditions were like? What was your individual cell was like? For the first nine months, I was in solitary confinement in an underground cell. I would say that the cell was about 8 feet by 4. It was about 12 feet high. It was clean. No interaction with any other prisoner was allowed for the entire nine months. After that, they moved me to the upper floor. The same thing, it was solitary confinement, although the restrictions were less, and the room was larger, it was about, maybe three times the size of the initial room, the initial cell. I spent there the remainder of my period, which was one and a half a years. I was allowed for the last month and a half… they moved another person into this room, for the last month and a half. So for a year and a half, minus this month and a half, I was in solitary confinement, with the exception of the last month and a half. MB: Subhan Allah. Did they place any restrictions on you in terms of what you were allowed to have in your cell, how you were allowed to interact with other prisoners, or in any way, other than you have already stated? AA: When I was in the underground cell, there were restrictions on family visits, restrictions on any food that my family would send me, there were restrictions on books. I was not allowed pen and paper, and no exercise whatsoever. I hadn’t seen the sun for the entire period. What else… No interaction at all with any person except with the prison guards. Later on, when I moved to the upper level, even though I was still in solitary confinement, but the restrictions were less. Visits from the family were more frequent. They would allow me food from home twice a week, and I was allowed more books. So things were better during the last period of the time I spent in detention… I don’t want to say sentence, because there wasn’t any sentence. MB: That’s one of the questions I was meant to ask you. You were never charged with a crime, is that correct, and you were never put through any legal system? AA: I wasn’t charged with anything. I was held for interrogation. When interrogation was over, I was released. MB: Did any foreign interrogation take place? Did any Americans or any other foreign nationals interrogate you? AA: Yes, the US did interrogate me. Officials from the US. MB: And do you know if that was the FBI? Did they identify themselves as FBI, CIA, NSA or anything? AA: Yes. They were FBI. MB: Okay. And how was their attitude towards you… how did they deal with you as a person, how did they regard you? AA: There was some pressure, which I refused to accept and that led to a conflict that occurred between me and them, because I felt that it was improper behaviour from their behalf. That led to an issue between me and them during the interrogation. That was solved however, later on, and they apologised. MB: Al Hamdulillah[iii]. Were you able to have contact with your family at all, during the imprisonment, of course you’ve already said that they restricted from you letters, phone calls, and so forth, for the first nine months, I think you said. But afterwards, did they allow you this contact? AA: Yes, towards the latter period of my imprisonment, I was allowed visits from my family, once a week. MB: How often were you interrogated, by either local officials or foreign officials? Was it something regular, or was it something sporadic? AA: The interrogation was on and off for a year. MB: Is there any truth in the rumour that you were placed under house arrest prior to this and that you were banned from speaking in public? AA: No, no that’s not true. I haven’t been placed under house arrest, nor have I been banned from speaking publicly. MB: There was also something that said that you were being punished in prison because you were teaching some of the other prisoners. Is this true also, or could you elaborate on that? AA: No, I didn’t have a chance to deliver any lectures because I was in solitary confinement for the entire period except the last month, which was only me and another person, so I wasn’t in touch with other prisoners. MB: Are you allowed to travel outside the Yemen? Obviously, many people want you to come to the United Kingdom and elsewhere, to come and give lectures, and you’ve only been out a few days! I think this is based on a question from a lot of your supporters, subhan Allah. Are you allowed to travel outside the Yemen to give lectures? AA: Well, I would like to travel. However, not until the US drops whatever unknown charges it has against me. MB: Yes, and that would be my advice to anybody who would be in that sort of situation is to be aware of that. Can you tell us any of the lessons that you’ve learnt from being incarcerated that you would like to share? In sha’Allah[iv] this is something that I plan to do in a lecture or more, and I would leave it to that point. MB: In sha’Allah… and is that one of your plans for the future? Do you have any other plans for the future that you’d care to elaborate upon, or is it something that you’d wish to wait and see how time evolves? AA: You mean, in terms of lectures? MB: Lectures, and just life in general. Not just lectures but generally, in the future – what does the future hold? I have a few opportunities open at the moment and I haven’t chosen yet among them. I’m still sort of studying the situation at the time being. MB: What was your response to the outpouring of support and concern, the campaigns, petitions, Facebook groups and the messages that you’ve received since your release – what was your response to this? How do you feel? AA: Al Hamdulillah, it was very moving to know that there were brothers and sisters out there who were making du’a[v] for me. Al Hamdulillah Rabbil-Alameen[vi]. I believe that I was released due to the du’a of a certain righteous person who was making du’a for me, because RasulAllah (salla Allahu alayhi was-salam)[vii] says that when a person makes du’a for his fellow brother, an angel makes du’a for him, and RasulAllah (salla Allahu alayhi was-salam) says that the du’a for your brother Muslim is an accepted du’a. So I believe that it was due to these people, who were making dua for me, that I have been released, and I would like to thank them very much and say jazaakum Allahu khairan.[viii] MB: In sha’Allah, and I pray that the du’a that they made for you is also made for all the other Muslim prisoners around the world, in sha’Allah, and that they will all be released. Could you please give some words of advice, to the other prisoners and the prisoners’ families in terms of your experience, and how they might benefit from your words? AA: My advice to them is the saying of Allah, azza wa jall[ix], “You might dislike something but there is a lot of good in it for you”.[x] And the hadith[xi] of RasulAllah (salla Allahu ‘alayhi was-salam), Whatever decree Allah has decreed for the believer it is good for him. So if Allah subhanahu wa ta’ala[xii] has decreed that a certain person should be in prison, and that if Allah azza wa jall has decreed for a certain family that one of their members is in prison, we, as believers should believe that this decree is good and there is a hikmah, there is wisdom in it, and we should all have the trust and faith in whatever Allah azza wa jall has destined for us; because RasulAllah (salla Allahu ‘alayhi was-salam) used to say, in the du’a, ‘As’aluka ridha fil-Qadhaa’, I ask You to make me satisfied and happy with what you have decreed for me. This is the first word of advice. The second word of advice is this is a test for your sabr, patience; and patience is the one deed in which Allah subhanahu wa ta’ala has promised an open reward. Only those who are patient shall receive their reward in full, without reckoning.”[xiii] There is no limit on their reward that Allah subhanahu wa ta’ala gives for the Sabireen, the patient. Finally, one should always believe that the strongest weapon that they have is du’a. They should never underestimate the power of du’a. ‘Umar ibn Al-Khattab[xiv] used to say, I’m not worried about Allah not accepting my prayers but I am worried about the way I pray to Allah azza wa jall. Allah will accept the du’a, Allah will respond to the it, it’s just that we have to do it properly, with sincerity. MB: SubhanAllah, jazaakAllahu khair. One of the things that we used to do in Guantanamo, one of the things that I learnt, was Surat Yusuf[xv] used to be the most often, the most resonating surah that I used to read, and contemplate on, simply because Yusuf (‘alayhis-salam) was thrown in prison for something he didn’t do. And when I read that, in prison, it was totally different, my attitude towards it, and I began to cry in a way that I never would have thought was possible. Did you feel any particular verses from the Qur’an, any particular aayaat[xvi] or sahaba[xvii] stories, were relevant to how you were faring your time in prison? AA: Well, the feeling I had when I was reading Qur’an – every surah, every ayah was totally different when I was reading it in the cell, compared to when I was reading it when I was outside. MB: Yes, absolutely, ma sha’Allah[xviii]. AA: That was particularly true with Surat Yusuf but I can say that this has been the case with every single ayah and every surah in Qur’an. It was in a totally different light when I was reading it in prison. MB: It’s quite amazing, because in prison, for us, in Guantanamo, they took everything away from us, our clothes, our families, our food, our life, everything and the only thing that we had that was familiar to us was the Qur’an, even though it was a different version or a different print, but it was the only thing that we could look at that was familiar. Everything else - the land, the area, the prisons, even the accents of the people that were speaking were totally unfamiliar except the word of Allah. Subhan Allah, and because they took everything away and gave the Qur’an, that is why the Qur’an had this different meaning. ‘Uthman ibn ‘Affan[xix] used to say that if our hearts were clean and pure we would never satisfy our thirst from Qur’an. It is because of the distractions that are going around us, that we don’t get the most benefit from Qur’an. But when a person is in that solitary environment, all of the distractions are taken away and his heart is fixed on the word of Allah azza wa jall, the ayaat of Qur’an open into a completely different – they give a completely different meaning. MB: Absolutely. Do you have or have you had interaction with people who have been in Guantanamo, in prison or after release, have you been able to speak to them or see how they’ve fared since their release at all? There were some brothers who were brought from Guantanamo and handed over to the Yemeni government and spent time in the PSL prison where I was but I didn’t have a chance to interact with them. I heard that they passed through while I was there. However, I never had a chance to interact with any of them yet. MB: In sha’Allah may you interact with them in jannah[xx], insha’Allah AA: In sha’Allah… I would really like to know how it was over there. MB: In sha’Allah. Finally, I suppose it’s a question for Cageprisoners. Do you have any words about your feelings towards organisations like Cageprisoners are; what you think of our work, good or bad? AA: The brothers and sisters at Cageprisoners are fulfilling the order of RasulAllah (salla Allahu ‘alayhi was-salam) which was stated in Bukhari[xxi], ‘Seek the release of the prisoner’, and they are at the forefront of fulfilling this command of RasulAllah (salla Allahu ‘alayhi was-salam) so I ask Allah azza wa jall to reward them and assist them in their efforts. MB: Barak Allahu feek[xxii]. JazaakAllahu khairan, ya Shaykh. AA: Wa iyyakum.[xxiii] His Excellency the High Commissioner For Australia Suite 710, 50 O'Connor Street, Ottawa, ON K1P 6L2 Canada Fax 613-236-4376 Your Excellency SIR, Pls click here for picture: Yours truly Meer Sahib P. Thursday, December 27, 2007 Invalidators of islam Allah has made it obligatory upon all His slaves to enter Islam and hold onto it and warned them against following other than Islam. He also sent His Prophet Muhammad peace be upon him, to call all mankind to it. Allah has informed us in the Quran that guided are those who follow the teachings of Islam, and misguided are those who reject them. He warned in many Verses against the causes of apostasy and all forms of Shirk and disbelief. Religious scholars have mentioned that there are a number of invalidating factors that are bound to take one out of the fold of Islam Ten most critical invalidators of Islam 1. To associate others with Allah in worship. The Quran says: "Allah forgives not (the sin of) setting up partners with Him in worship, but He forgives whom He pleases other sins than this" [4:116] "whoever sets up partners with Allah in worship, Allah will forbid him Paradise, and the Fire will be his abode. For the wrongdoers there are no helpers" [5.72] 2. To set up intermediaries between oneself and Allah, seeking their intercession and putting absolute trust in them. Those who do so are unanimously considered disbelievers.Such as going to shrines - or asking someone to pray because he/she is perceived as being more spiritual or closer to Allah. 3. Not to accuse polytheists and those who commit Shirk or disbelief, to doubt as to their being disbelievers, or to approve of their beliefs. 4. to believe that the Prophets guidance is not complete or perfect or that other people's ruling and judgement is better than his. Those who prefer the rule of false gods are blatant disbelievers. 5.those who hate anything that the Prophet pbuh came with are also disbelievers even if they act upon them. The Quran says " that is because they hate that which Allah sent down, so He has made their deeds fruitless." 6. Those who ridicule anything that Islam preaches, such as punishment and reward in the Hereafter, are disbelievers. The Quran says: "say: was is it Allah , and His Signs, and His Messenger, that you were mocking? Make no excuse you have rejected faith after you had accepted it" [9:65,66] 7. Magic in all its forms including turnings someone away from somebody that he she loves and making somebody love someone or something he or she does not normally like. Whoever practices magic or approves of it is is a disbeliever, as evidenced by the Quranic Verse that says: "But neither of these [two angels] taught anyone [such things] without saying 'we are only for trial, so disbelieve not [by learning this magic from us] [2:102} 8. to take the disbelievers for friends, give them support and assistance against the Muslims is an act of disbelief. The Quran says: "And one amongst you that turns to them [for friendship] is of them.Verily Allah guides not people unjust." 9. those who believe that it is in their power or authority to forsake the law of Islam are not disbelievers. The Quran says: 10. To turn away from Islam and to stubbornly refuse to earn its teachings or act upon them. The Quran says: "And who does more wrong than he who is reminded of the Signs of His Lord, Then he turns away there from? Verily from those who transgress W shall exact [due] retribution" Wednesday, December 26, 2007 I came across this link while browsng. Hope InshÁllah it proves beneficial to all of us muslims. Spread the word and create awareness. Tuesday, December 25, 2007 Enjoy (and implement): Translated by Abu Sabaayaa taken from Sunday, December 23, 2007 How often do we see people stop and help others for the sake of humanity? Little gestures like helping a mother maneuver a stroller onto the pavement? Help someone with a heavy object - just for the sake of it? Smile at someone or compliment them on their effort - knowing they have put in hard work and a smile or kind word will cheer them up? If we were paid to do these deeds - I'm sure there would be dearth of such kindness everywhere. No one would have to be asked.Simply because you were getting something in return. Allah has created man. He Knows our weaknesses and strengths. The same way - if we do such kind deeds for His sake - we are indeed given something in return. A helping hand nor the kind word will be in vain. You will be rewarded. Such kindness falls under sadaqah. sadaqah. It is something that we constatly need to remind ourselves of - because we often forget – I had only remembered one type of sadaqah – that was giving from your wealth. But there are other types of sadaqah. The general definition is that all good deeds are sadaqah. The Messenger of Allah pbuh said ' every Muslim has to give sadaqah" the people asked : " O, Prophet what about the one who has nothing? " He replied: " he should work with his hands to give sadaqah" they asked " what if he cant find work?'. He replied ; " he should help the needy who asks for help." They asked ;" if he cannot do that? " He replied;" He should do good deeds and shun evil, for this will be taken as sadaqah" [Related by Bukhari and others] Abu Dhar Al-Ghifary said : The Messenger of Allah PBUH said : 'Sadqah is for every person every day the sun rises.' I said ' O Prophet from what do we give sadaqah if we do not possess property?' He said : The doors of sadaqah are Allahu Akbar, Subhan Allah; Alhamdullilah[ all praise is for Allah]; La ilaha illal-lah; Astaghfirullah [ I seek forgiveness from Allah]; enjoining good; forbidding evil removing thorns,bones, and stones form the paths of people; guiding the blind; listening to the deaf and dumb until you understand them; guiding a person to his object of need if you know where it is; hurrying with the strength of your legs to one in sorrow who is appealing for help; and supporting the weak with the strength of your arms. These are all the doors of sadaqah. [The sadaqah] from you is prescribed for you, and there is a reward for you [even] in sex with your wife.' [Ahmad] in another narration [Muslim] it is that the people asked the Prophet 'O Messenger is there reward if one satisfies his passion?' He replied " Do you now that is he satisfies it unlawfully he has taken a sin upon himself? Likewise, if he satisfies is lawfully, he is rewarded." The messenger of Allah pbuh said : 'every good deed is sadaqah. To meet your brother with a smiling face and to pour out from your bucket into his container are sadaqah." [ I would interpret this is giving someone water, or spooning out food for someone or similar acts ] A few examples of small gestures that we would never think to be rewarded for; Eating halal food. Every time you put halal food in your mouth it is sadaqah - you are refraining from eating haram. That is why you will be compensated for it. Doing something for your parents. Even it is something casual like dropping them somewhere , getting something that they asked for, or simply serving them food. Since a refusal to do something for them will be noted as a sin - simply by doing something - it is written down as a good deed. Taking care of your employees. They are working for you. Make sure they are not over burdened. Do not be rude to them - race/age/ money - is no excuse for treating someone rudely. Be careful with you manners. Surely we all will be brought to account. As for the employees who work in your homes. Feed them the food that you eat. Be not harsh nor abusive to them. Treat them the way you would want to be treated. Listen to Islamic lectures and gaining knowledge of and about Islam. Our knowledge will lead to us becoming better Muslims insh'Allah. Keep reminding yourself of your duties as Muslims - to children, parents- siblings - the people around you. May Allah guide us all. Start by doing a small good deed now. Maybe the article that you weren't getting time to read. The friend who needed you but you never got around to asking. The relative that you haven't met in a long time because of some dispute you had. Cleanse your heart against someone you had an argument with. Be careful the next time you put something in your mouth.Make sure its halal. If not.Forgo it for the sake of Allah - He will reward you with something ten times better insh'Allah. Tuesday, December 11, 2007 Zill hajj.How to make the most of it! I was going to write a post on the benefits of doing ibadah and how to make the most of these precious days of Zill hajj when every single good deed weighs so much more. Alhamdullilah, a sister fowarded me this article which i have copy/pasted. May Allah guide our ummah to the right path and prevent us from going astray. The BEST days are here once again alhumdulillaah! We already know the significance of the 10 day of Dhul Hijjah… We know that good deeds during these days are the MOST beloved to Allaah. BUUUTTT… we sit back and watch these 10 Exceptional days fly by every year without making the most out of it. WHY? Most of the time its vecause we don't know what good deeds to do in the first place! (It could also be coz we are lazy, not interested, too busy, in the 'New Years' spirit …but lets not get into that ;)) Here's a list of easy good deeds to spice up these days and earn UNBELIEVABLE rewards on our scales. Most of the list is taken from Muhammad Al-Shareef's article- '50 things to do in Hajj' (with slight modifications applicable to those of us staying back) Use this list, and enjoy the pleasure of crossing out each deed as the days fly by. 1 day is already over… 9 more to go. Enjoy!51 things to do during the 10 days of Dhul -Hijjah [1] Smile in another Muslims face [2] Say Salam to strangers [2.5] Say salaam to your family and those who you meet everyday - not Good morning or good evening. [3] Shake someone's hand and ask about their health [4] Shun vain talk [5] Recite Takbeer ("Allaahu akbar"), Tahmeed ("Al-hamdu Lillaah"), Tahleel ("La ilaha ill-Allaah") and Tasbeeh ("Subhaan Allaah") everywhere you go and encourage others [6] Lower your gaze [7] Read Qur'an with the Tafseer [8] Do the authentic Dhikr of the morning and evening [9] Visit/ Phone relatives on Eid day [10] Make dua for forgotten friends (and the author of this list) [11] Say the dua of entering the market place when you go there [12] Forgive people that wrong you [13] Compliment someone sincerely [14] Visit the hospital and thank Allah for all that He has given you [15] (For men) On the days of Eid, offer perfume to those around you [16] Remember specific blessings Allah has bestowed upon you and say Alhamdulillah [17] Pray to Allah using His most beautiful names (al Asmaa' al Husna) [18] Use a Miswak [19] Memorize two ayahs of the Qur'an daily [20] Visit your Non-Muslim neighbors and gift them Eid baskets (With a special note about the significance of this special occasion) [21] Don't forget to visit your Muslim neighbors as well [22] Make small/attractive cards about the importance of the 10 days of Dhul Hijja and hand it out at jumuah prayers (or any prayer!) Sisters- Give the cards out to the Muslims you meet during these days [23] (For men) Pray in the masjid [24] Buy gifts for Mom, Dad and family [25] Call up someone who haven't spoken for AGES (But no gossiping!) [26] Give charity every day - even 1 buck at the mall or supermarket or anywhere is good. [27] Invite you non Muslim friend for lunch/dinner and tell her/him about Islam [28] Switch OFF the TV (Turn ON your life!) [29] Take out your long list of duas and beg Allaah to have ALL your desires fulfilled If you don't have a Dua list, MAKE ONE! (Advice of a sweet sister) [30] Fast (Especially on 9th Dhul Hijjah) - for those in dxb, 9th dhul hijjah is on Friday, 3oth Dec [31] Set your alarm ring earlier then Fajr and do qiyam! Trust me, you'll love it! [32] Pray for our Ummah, Pray for the families sufferreing in iraq, afghanistan,chechnya. the prisoners that are being held without trial. [33] Always intend reward from Allah for everything you do [34] Forward this list to EVERY Muslim you know! 35. For those in dxb, try listening to 88.2 in your car, thats the Quran channel 36. Say dua for our Prophet Sallallahu alaihiwasalam 37. Every thing that you do, do it for Allah's pleasure. For instance, sit and drink water, simply because it is sunnah that way. 38. Before going to bed say Ayatul kursi and the three Quls (qul hua allahu ahd, qul aauzu bi rabbi naas, qul aauzu bi rabbi'l falaq) 39. Teach a child a simple dua to say during his prayers. Whenever the child says the dua, you also will get the benefit. 40.Visit the sick or those who are lonely or don't have much company (eg. granparents or single granparent) 41.Offer two rakahs Salat ud-Duha…this is equal to offering charity for the 360 joints of the body. 42.Say loads of 'Astagfaar' (asking forgiveness) 43.Can even perform two rakahs for astagfaar. 44.Controlling the tongue ...and also avoiding fights 45.Good treatment towards parents (mostly taken for granted), relatives, neighbours, siblings (especially the younger ones who are mostly bossed) 46.Peace making – between 2 friends or relatives who may not be on good terms with each other 47.Remove harmful things from the way 48.Condolence and consoling…Making someone's day....some friend or relative maybe going through a diffcult time and many times we dont realize it. .Meet for Allah...attend religious gatherings. Prophet Muhammad s.a.w.s. said: "When you pass by the gardens of Paradise, avail yourselves of them." The companions asked what are the gardens of Paradise, O Messenger of Allah? He replied: "The circles of zikr. There are roaming angels of Allah who go about looking for the circles of zikr and when they find them, they surround them closely." 49.Help an orphan/widow - Prophet Muhammad (peace be upon him) said: "Whoever strokes the head of an orphan, not stroking it for any other reason except to seek the pleasure of God, will be rewarded for every hair that his hand touches." He also said:"Whoever treats an orphan girl or boy well, I will be with him on the Day of Resurrection like these,' and he pointed to his two fingers, the index finger and the middle finger." 50.Kushoo in salaah - 51.Get rid of a bad habit (eg. being on time, more organized...and im sure there are many other habits we can fix ) [More suggestions are welcome] note: salutul duha : The time for duha begins when the sun is about a spear's length above the horizon [so about 15 minutes or so after sunrise time on the timetable] and it continues until the sun reaches its meridian. It is preferred to delay it until the sun has risen high and the day has become hot.It can be prayed as two or more rakah.
http://rediscoverislam.blogspot.com/
dclm-gs1-266970001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.564284
<urn:uuid:f3ddcaeb-ab67-45d7-9e84-85ab92b892da>
en
0.687094
Take the 2-minute tour × I have this code: #include <stdio.h> #include <unistd.h> #include <semaphore.h> #include <sys/shm.h> #include <sys/stat.h> #include <sys/types.h> int main(){ int segment_n; int segment_sem; int *shared_n; sem_t *shared_sem; int pid_int; pid_t pid; segment_n = shmget(IPC_PRIVATE, sizeof(int), S_IRUSR | S_IWUSR); segment_sem = shmget(IPC_PRIVATE, sizeof(sem_t), S_IRUSR | S_IWUSR); shared_n = (int *)shmat(segment_n, NULL, 0); shared_sem = (sem_t *)shmat(segment_sem, NULL, 0); sem_init(shared_sem, 0, 0); scanf("%d", shared_n); pid = fork(); if(pid < 0){ return 1; } else if(pid == 0){ pid_int = (int)getpid(); if(pid_int > *shared_n){ *shared_n = 1; }else if(pid_int == *shared_n){ *shared_n = 0; } else { *shared_n = -1; return 0; } else { printf("returns: %d\n", *shared_n); return 0; return 0; The program creates a child process that verifies if the number in shared_n is >, < or == of his own pid, than writes in shared_n 1, -1 or 0 respectivly. The problem is that when I compile it, it gives me this output: https://dl.dropboxusercontent.com/u/6701675/informatica/Istantanea%20-%2020062013%20-%2013%3A49%3A14.png Thank in advance for your help! share|improve this question -pthread. Even if you don't use pthreads, you need the library to use the semaphore functions. Also, you need to create the semaphore with pshared != 0. –  Aneri Jun 20 '13 at 12:01 @Aneri yes!! thank you very much, This is the right answer! But where I could find that solution? I've searched everywhere in the net.. –  Lorenzo Barbagli Jun 20 '13 at 12:11 Google for say sem_init library, you will get this link linuxforums.org/forum/programming-scripting/… –  Aneri Jun 21 '13 at 6:09 2 Answers 2 up vote 0 down vote accepted Is this Linux? The Linux manpage says you need to link with the pthread library. gcc foo.c -o foo -pthread share|improve this answer You have to link the file with -pthread "gcc -pthread processi_esame.c -o processi" share|improve this answer Your Answer
http://stackoverflow.com/questions/17212976/using-semaphore-h-in-processes-not-threads
dclm-gs1-267030001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.93951
<urn:uuid:98ebe75b-9392-4e08-b876-0d9de38c3c1f>
en
0.79613
Take the 2-minute tour × I am a newbie in cmd, so please allow me to ask a stupid question: How can we stop a running java process through windows cmd? For example, if we start jetty(a mini web server) with the following cmd: start javaw -jar start.jar How do we find the process and stop it later? Obviously the following cmd does not work: stop javaw -jar start.jar share|improve this question Did you try Ctrl + C or Ctrl + Break? –  Frank Bollack Apr 15 '10 at 9:00 yes, but can I build a .bat file to stop it with Ctrl + C or Ctrl + Break? –  Winston Chen Apr 15 '10 at 9:05 Maybe check the taskkill command. It has many options for choosing the process to kill: by process id, by name pattern, by owning user, etc. But I recommend first looking for a standard, less violent way of closing the specific application (servers usually have some kind of "stop" command) –  Eyal Schneider Apr 15 '10 at 9:10 Do you know the process name? If you do, you can build a .bat file that uses the taskkill command: microsoft.com/resources/documentation/windows/xp/all/proddocs/… (for example, taskkill /im notepad.exe). –  IVlad Apr 15 '10 at 9:10 hey, guys, thank you all but I cannot vote you guys up or mark correct answer here. If you guys don't mind, please answer it. –  Winston Chen Apr 15 '10 at 9:20 6 Answers 6 up vote 5 down vote accepted It is rather messy but you need to do something like the following: START "do something window" dir FOR /F "tokens=2" %I in ('TASKLIST /NH /FI "WINDOWTITLE eq do something window"' ) DO SET PID=%I Found this on this page. (This kind of thing is much easier if you have a UNIX / LINUX system ... or if you run Cygwin or similar on Windows.) share|improve this answer PowerShell also makes this trivial. –  Joey Apr 18 '10 at 8:39 I like this one. wmic process where "name like '%java%'" delete You can actually kill a process on a remote machine the same way. wmic /node:computername /user:adminuser /password:password process where "name like '%java%'" delete wmic is awesome! share|improve this answer When I ran taskkill to stop the javaw.exe process it would say it had terminated but remained running. The jqs process (java qucikstart) needs to be stopped also. Running this batch file took care of the issue. taskkill /f /im jqs.exe taskkill /f /im javaw.exe taskkill /f /im java.exe share|improve this answer Normally I don't have that many Java processes open so taskkill /im javaw.exe taskkill /im java.exe should suffice. This will kill all instances of Java, though. share|improve this answer FOR /F "tokens=1,2 delims= " %%G IN ('jps -l') DO IF %%H=name.for.the.application.main.Class taskkill /F /PID %%G name.for.the.application.main.Class - replace this to your application's main class share|improve this answer start javaw -DSTOP.PORT=8079 -DSTOP.KEY=secret -jar start.jar start javaw -DSTOP.PORT=8079 -DSTOP.KEY=secret -jar start.jar --stop share|improve this answer Your Answer
http://stackoverflow.com/questions/2643901/how-can-we-stop-a-running-java-process-through-windows-cmd
dclm-gs1-267040001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.052673
<urn:uuid:7ba61494-5ae7-4165-aa05-850cd83f9ca3>
en
0.861714
Take the 2-minute tour × I guess most of you, developers, use any VCS, and I hope some of you use Git. Do you have any tip or trick how to get a download URL for a single file in a repository? I don't want the URL for displaying the raw file; in case of binaries it's for nothing. Is it even possible to use GitHub as a "download server"? If we decide to switch to Google Code, is the mentioned functionality presented here? Or is there any free-of-charge hosting and VCS for open-source projects? I appreciate any idea. share|improve this question It asks several unrelated questions, it's not particularly clear, and it states a non-fact (most people use CVS) that might have annoyed someone. –  bmargulies Jan 5 '11 at 13:55 OK, i will never do that in the future, thanks for explanation. –  Radek Simko Jan 5 '11 at 14:07 Also, did you mean VCS instead of CVS ? –  ismail Jan 5 '11 at 14:31 that support link is now 404d –  jcollum Mar 20 '14 at 18:02 @pnuts is for me, it just goes to a contact us page –  jcollum Jul 9 '14 at 23:33 12 Answers 12 up vote 121 down vote accepted Git does not support downloading parts of the repository. You have to download all of it. But you should be able to do this with GitHub. When you view a file it has a link to the "raw" version. The URL is constructed like so By filling in the blanks in the URL, you can use Wget or cURL or whatever to download a single file. Again, you won't get any of the nice version control features used by Git by doing this. Update: I noticed you mention this doesn't work for binary files. You probably shouldn't use binary files in your Git repository, but GitHub has a download section for each repository that you can use to upload files. If you need more than one binary, you can use a .zip file. The URL to download an uploaded file is: share|improve this answer You can actually download only parts of a repository (in terms of history) using --depth. However, it will break further synchronization with the initial repository (since it effectively re-builds a different history). –  Bruno Nov 16 '11 at 11:20 Note for posterity: I just tested it and using raw works fine for binary files. –  emmby Dec 23 '12 at 17:11 tried for a ~10 MB zip file got error: Error: blob is too big –  ina Feb 16 '13 at 10:37 The suggested URL format doesn't work for me. I find that https://raw.github.com/user/repository/branch/filename works. –  Brian C. Mar 27 '13 at 15:57 @BrianC.: (At least as of 27 August 2013) the URL format mentioned in the answer (raw after the repository name) is now automatically redirected to the format you mention (hostname raw.github.com). When in doubt, browse to the file in question on github.com and click on the 'Raw' button. –  mklement0 Aug 27 '13 at 20:50 1. Go to the file you want to download. 2. Click it to view the contents within the GitHub UI. 3. In the top right, right click the Raw button. 4. Save as... share|improve this answer This doesn't work with large files. –  Matt Parkins Jan 2 '13 at 14:53 But good for most situations. –  Ryan H. Feb 6 '13 at 20:14 Instead of "Save as", copy the URL. Thats the URL of the file. You can now download it with any tool that use the URL to download: wget, your browser, etc. –  jgomo3 Apr 8 '13 at 15:03 @MattParkins I just tried it and I think it DOES work now for large files (even binary file with the "we can't show files that are this big right now" warning) –  lmsurprenant Oct 23 '13 at 13:38 Stop doing this verbose steps, use this chrome extension to do. chrome.google.com/webstore/detail/github-mate/… –  Cam Song Dec 17 '13 at 14:37 You can use the V3 API to get a raw file like this (you'll need an OAuth token): curl -H 'Authorization: token INSERTACCESSTOKENHERE' -H 'Accept: application/vnd.github.v3.raw' -O -L https://api.github.com/repos/owner/repo/contents/path All of this has to go on one line. The -O option saves the file in the current directory. You can use -o filename to specify a different filename. To get the OAuth token follow the instructions here: https://help.github.com/articles/creating-an-access-token-for-command-line-use I've written this up as a gist as well: https://gist.github.com/madrobby/9476733 share|improve this answer This one is good, but unfortunately it only supports files up to 1 MiB in size. –  Per Lundberg Aug 6 '14 at 8:23 If executing this within a program, be sure User-Agent is set. –  Zugwalt Oct 29 '14 at 21:28 GitHub Mate makes single file download effortless, just click the icon to download, currently it only work on Chrome. GitHub Mate Download share|improve this answer This is my favorite answer here –  jcollum Mar 20 '14 at 18:06 This doesn't work. –  Jahkobi Digital Apr 12 '14 at 0:02 @jcollum Checked just now, works for me. Can you make sure you are using the latest version? or let me know the error. Glad to help you to make it work. –  Cam Song Apr 12 '14 at 7:14 @CamSong huh? .... –  jcollum Apr 13 '14 at 2:49 I am on the newest version of Chrome, 34.0.1847.116, and this surely does not work. What operating system are you using? Im on OS X Mavericks. –  Jahkobi Digital Apr 14 '14 at 23:05 This is now possible in GitHub for any file. You need to translate your files for raw.github.com. For example, if your file is in your repository at: Using wget you can grab the raw file from: Rails Composer is a great example of this. share|improve this answer Some files are hosted on raw.githubusercontent.com –  jcollum Mar 20 '14 at 18:07 and some times it's raw2.github.com just fyi –  jeremy.bass Apr 11 '14 at 20:07 1. The page you linked to answers the first question. 2. GitHub also has a download facility for things like releases. 3. Google Code does not have Git at all. 4. GitHub, Google Code and SourceForge, just to start, are free hosting. SourceForge might still do CVS. share|improve this answer I think the new url structure is raw.giturl for example: git file share|improve this answer Sometimes the raw url is like this instead (raw.githubusercontent.com): raw.githubusercontent.com/warpech/jquery-handsontable/master/… –  jcollum Mar 20 '14 at 18:05 To follow up with what thomasfuchs said but instead for GitHub Enterprise users here's what you can use. curl -H 'Authorization: token INSERTACCESSTOKENHERE' -H 'Accept: application/vnd.github.v3.raw' -O -L https://your_domain/api/v3/repos/owner/repo/contents/path Also here's the API documentation https://developer.github.com/v3/repos/contents share|improve this answer This is what worked for me just now... 1) Open the raw file in a seperate tab. 2) Copy the whole thing in your notepad in a new file. 3) Save the file in the extension it originally had ...worked for the .php file I DL just now. share|improve this answer 1)On the right hand side just below "Clone in Desktop" it say's "Download Zip file" 2)Download Zip File 3)Extract the file share|improve this answer If you happen to use curl and firefox... you could use the cliget add-on which generates a curl call including all authentication mechanisms (aka cookies). So right click on the raw button cliget->"copy url for link" and then paste that into a shell. You will get your file even if you had to log-in to see it. share|improve this answer This would definitely work. At least in Chrome. Right click -> Save Link As. share|improve this answer Have you tried this before downmarking? The user need to download one single file from GIT repository. User can go the the particular file and do as mentioned above. Let me know if you need help doing that. –  Ankish Jain Mar 4 at 11:39 Your Answer
http://stackoverflow.com/questions/4604663/download-single-files-from-github/13593430
dclm-gs1-267060001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.019257
<urn:uuid:11277043-c9f8-485f-86a8-5a3dd3132c8a>
en
0.956428
Yahoo Obtains U.S. Patent For Human-Aided Search Ranking Method Next Story Public Enemy Cuts Its Next Album With Sellaband's Crowd-Funding Remember when Yahoo was nothing more than a directory of the best links on the Web as determined by human editors? The Web is too vast for any humans to keep track of, but what if you could combine the heavy lifting of computers with the smarts and expert knowledge of humans? Well, Yahoo now has a patent for that. Yahoo today was awarded a U.S. patent for a “Method and apparatus for search ranking using human input and automated ranking”, which was originally filed more than 7 years ago. The patent, numbered 7,599,911, can be viewed on the USPTO website. The patented method described in the documents calculates search rankings based on a combination of automated algorithms and human editor input. In the patent, Yahoo describes a way that previously-collected input from human editors can be mixed in (“blended”) with what its search algorithms return, essentially resulting in better search results. In the description, Yahoo admits there are disadvantages to human editors (mainly caused by the sheer volume of information available on the Web), but says the benefits are clear: Ranking by human editors reviewing search results provides more relevant ranking than automated processes and even search users, because human editors possess better intelligence than the best software and more clearly understand distinctions in pages, and human editors focus on areas of their expertise. For example, a human editor would more easily spot a page that is irrelevant but contains terms designed to get a high ranking from an automated process. I wonder about two things. First, since the patent application was filed back in August 2002, is it still relevant for Yahoo considering the advances that have been made in search technology over the past few years? And second, how does it feel about being awarded the patent now that it has basically sold off its search business to Microsoft? Too little, too late. blog comments powered by Disqus
http://techcrunch.com/2009/10/06/yahoo-obtains-u-s-patent-for-human-aided-search-ranking-method/
dclm-gs1-267140001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.151633
<urn:uuid:e28b8a1e-e5e8-4041-bcdb-74eb7e9bb730>
en
0.963429
6:00 am Mon November 5, 2012 New Rule Continues Medicaid Burden on Independent Pharmacists Then, they were angry over a lack of co-pays on drugs. Now, operator Coventry Cares has reversed course, claiming it will now charge co-pays. But in doing so, Kentucky pharmacist Jason Wallace says the MCO's are just moving money around, not actually compensating pharmacists any better than before. “This is hardly a win because what they simply will do is deduct it from what they pay us,” he says. “"I know we’'re talking about a dollar here, but when you’'re talking about the cost of dispensing a drug in the 10 to 11 dollar territory and we'’re being reimbursed somewhere around a dollar in terms of a dispensing fee, that extra dollar that we were talking about in House Bill 262, makes a big difference,"” Wallace says. Wallace says with the defeat of that House bill, he and his fellow pharmacists are unsure of what their next direction is.
http://wkms.org/post/new-rule-continues-medicaid-burden-independent-pharmacists
dclm-gs1-267220001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.042479
<urn:uuid:ddb484e9-cfcc-4e11-9acd-325aea8f9446>
en
0.977777
‘March Madness’ phrase has ties to Quad Cities Area The man who coined the term “March Madness” has ties to Keithsburg, Illinois. “We know for sure that he was principal in the 1914-1915 school year,” said Stephanie Braucht, who is on the Board of Directors at the Mercer County Historical Society. Braucht started looking into the history behind the term when her son, who is an assistant college basketball at Illinois College, told her about the poem “Basketball Ides of March.” “He found information that indicated that the man who wrote that poem had once taught in Keithsburg,” said Braucht, “Not only had he taught in Keithsburg and written that poem, about the ‘Basketball Ides of March,’ he also is the person who is credited with having coined the term ‘March Madness.'” Related: How our NCAA bracket was pulled from a hat Get every new post delivered to your Inbox. Join 1,688 other followers
http://wqad.com/2014/03/26/march-madness-phrase-has-ties-to-quad-cities-area/
dclm-gs1-267240001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.28723
<urn:uuid:01ff6a61-8b3e-4158-86ba-44c4b067cf78>
en
0.959658
6 Articles 1 / 1 A California-based Hyundai dealership has filed a lawsuit against Hyundai Motor America claiming that the automaker did not provide help to the struggling dealership despite contractual agreements and assurances that Hyundai would do everything necessary to help out the dealership during the economic downturn. In 2007 Hyundai had a US sales target of 555,000. That number was set by HQ in Korea, and when it was clear they weren't going to make it, they revised it downward to just over 500,000. By the time the bell rung, even that number proved a little beyond Hyundai's reach: they sold 467,009 cars last year. That still represented a 2.5-percent gain over 2006 sales. Shape up or ship out seems to be the message that Hyundai is sending to 50 of its worst performing dealers. Automotive News is reporting that Hyundai Motor America COO Steve Wilhite sent a "strongly worded" letter to 50 'chronic underachievers.' Poor sales and customer service is at the heart of Wilhite's threats: "We're giving them six months to correct the mistakes. If they can, we're thrilled to have them. If they can't, we want them to turn in their franchises." 1 / 1
http://www.autoblog.com/tag/hyundai+dealers/
dclm-gs1-267340001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.798967
<urn:uuid:6c9d1536-9b2c-41a9-87de-25820a7f8bf1>
en
0.700838
Interlinear Bible Matthew 17:22-23 Sustrefomevnwn V-PPP-GPM de; CONJ aujtw'n P-GPM ejn PREP th'/ T-DSF Galilaiva/ N-DSF ei\pen V-2AAI-3S aujtoi'? P-DPM oJ T-NSM #Ihsou'?, N-NSM Mevllei V-PAI-3S oJ T-NSM uiJo;? N-NSM tou' T-GSM ajnqrwvpou N-GSM paradivdosqai V-PPN eij? PREP cei'ra? N-APF ajnqrwvpwn, N-GPM kai; CONJ ajpoktenou'sin V-FAI-3P aujtovn, P-ASM kai; CONJ th'/ T-DSF trivth/ A-DSF hJmevra/ N-DSF ejgerqhvsetai. V-FPI-3S kai; CONJ ejluphvqhsan V-API-3P sfovdra. ADV
http://www.biblestudytools.com/interlinear-bible/passage/?q=matthew+17:22-23&t=nas
dclm-gs1-267370001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.112991
<urn:uuid:ded5dd13-7e13-4c76-a237-4829fc19d0d2>
en
0.964265
Chegg Textbook Solutions for Pathways to Astronomy 3rd Edition: Chapter 64 Chapter: Problem: An interferometer measured the change in radius of one Cepheid as about 10% during its 10-day period. The star was measured to have an average radius of 40 million km. How fast was the surface of the star moving outward, on average, if it took 5 days to expand by 10%? • Step 1 of 1 (About 9.3 km/s). A 10 percent increase in a 40 million kilometer radius is 4 million kilometers. So the surface of the star moved outward 4 million km in 5 days. There are 432000 seconds in 5 days, so the speed was 4 × 106 km/432000s = 9.3 km/sec. Select Your Problem Get Study Help from Chegg
http://www.chegg.com/homework-help/pathways-to-astronomy-3rd-edition-chapter-64-solutions-9780073512136
dclm-gs1-267430001
false
false
{ "keywords": "interferome" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.071411
<urn:uuid:68e5911e-0d6c-42b7-8fb0-7929b2a207de>
en
0.791842
Steal This Idea 1st edition Intellectual Property Rights and the Corporate Confiscation of Creativity Steal This Idea 0 9781403967138 140396713X Details about Steal This Idea: This book describes how corporate powers have erected a rapacious system of intellectual property rights to confiscate the benefits of creativity in science and culture. This legal system threatens to derail both economic and scientific progress, while disrupting society and threatening personal freedom. Perelman argues that the natural outcome of this system is a world of excessive litigation, intrusive violations of privacy, the destruction system of higher education, interference with scientific research, and a lopsided distribution of income. Back to top
http://www.chegg.com/textbooks/steal-this-idea-1st-edition-9781403967138-140396713x
dclm-gs1-267440001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.020807
<urn:uuid:1979c93e-35ff-4766-8ebd-c2d416a09342>
en
0.948343
Incredibly Simple Fudge Made This Recipe? Add Your Photo Total Time Prep 5 mins Cook 5 mins This is so simple, but when you start getting raves about it don't confess how easy it was to make this heavenly treat! 1. Break the chocolate into pieces and melt together with the milk. 2. This can either be done in the top of a double boiler or in the microwave. 3. Stir until smooth. 4. Add the vanilla and stir again. 5. Spray an 8 x 8 inch pan with vegetable oil spray. 6. Pour in the fudge and smooth over the top. 7. Don't forget to lick the bowl! 8. Chill the the refrigerator for about two hours. 9. Cut into squares. Most Helpful 5 5 This is a real simple easy fudge. I''ve tried it before and its been a hit with all, especially the kids love it. Very simple and tasty! 5 5 4 5 Great treat! I used milk chocolate instead of dark and prehaps that is the reason that it did not set up as firm as I thought would. It was still delicious and I will make it again!
http://www.food.com/recipe/incredibly-simple-fudge-15078?mode=metric&scaleto=20.0&st=null
dclm-gs1-267640001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.085552
<urn:uuid:78f76196-574c-473d-ba99-07de2253ccac>
en
0.951314
| | Modeled Behavior We're economists covering everything economics. full bio → Opinions expressed by Forbes Contributors are their own. Business 1,763 views How To Train Your Owners: Jeff Bezos Edition Justin Fox comments on Wall Street’s willingness to give Jeff Bezos whatever he wants Fox is dismissive of finance theory, but goes on to give an explanation ready made for Bob Lucas could love. If we think that Broker-Dealers rationalize market prices and what broker dealers value is an asset which generates cash precisely when Broker-Dealers are themselves short of cash then Bezos is better than the US Government. The US Government gets to borrow money for less than free, because Broker-Dealers know that when worst comes to worst you can always trade T-Bills for cash through Open Market Operations. Bezos apparently gets equity investments for free largely on the same terms. The deal works like this. When there is plenty of money to go around Jeff can always find a way to spend it. Yet the moment cash dries up, Amazon’s massive revenue stream will become your ATM, providing you with a life line of dollar-dollar bills. And the more Amazon-dependent Bezos can make consumers the more this works. Key to this strategy is that the percentage of revenue Amazon deploys in internal investment has to be higher than the fraction of revenue its likely to loose during a recession. One way to do that is simply to have an insane rate of investment. Then even if revenue collapses, you can always pullback more on investment. The other approach is to stabilize revenues so that even as consumers spend less overall, they don’t spend less than you. The later runs into diminishing returns to scale, but the second actually experiences increasing returns to scale. Income is more volatile than Consumption because Investment generally is more volatile than consumption. And inside of consumption, expensive long lived durables such as cars soak up much volatility. Thus, if Bezos sold Americans everything-but-cars-and-houses he is guaranteed a revenue stream that is more stable than National Income. To the extent Amazon was able to pull this off, rational shareholders would be willing to accept a negative real return on equity. Amazon, then isn’t a charity, but an insurance product for Investment Banks. Post Your Comment Please or sign up to comment.
http://www.forbes.com/sites/modeledbehavior/2013/01/31/how-to-train-your-owners-jeff-bezos-edition/
dclm-gs1-267660001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.068448
<urn:uuid:9d8f2bff-6ac7-4b15-b1ae-9e3c851ab669>
en
0.933702
Angel Indriel – You are a Lightworker by Doreen Virtue Additional Message:  Yes, you are a lightworker.  As such, you have always had a burning desire to make the world a better place.  It is a deep calling that is beyond time and space.  You are often called into service during ordinary circumstances, such as when you’re shopping for groceries and someone needs your help.  Right now, your life’s mission is expanding so that you can reach even more people.  This will require you to make some life changes that you will learn about through your inner guidance. You are deeply sensitive to others’ emotions, and it is important for you to clear yourself regularly – especially after helping someone.  You can call upon Archangel Michael, your other guardian angels, and me to clear you of toxins or cords that may have resulted from your helpful efforts.  You are an Earth angel, and we are happy to assist you in all ways.  Just ask! This card was drawn from the Messages From Your Angels Oracle Cards by Doreen Virtue. Related Posts Plugin for WordPress, Blogger... Leave a Comment Previous post: Next post:
http://www.freeangelcardreadingsonline.com/2013/angel-indriel-you-are-a-lightworker/
dclm-gs1-267670001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.019714
<urn:uuid:a4a6535a-1855-4400-842a-c672dbce2654>
en
0.963714
Resistance to malaria drugs has spread in SE Asia The availability of therapies using the drug artemisinin has helped cut global malaria deaths by a quarter in the past decade. But over the same period, resistance to the drug emerged on Thailand's borders with Myanmar and Cambodia and has spread. It has been detected in southern Vietnam and likely exists in southern Laos, said Prof. Nick White of the Thailand-based Mahidol Oxford Tropical Medicine Research Unit. White, a leading authority on the subject, said that while there's no confirmed evidence of resistance in Africa, there's plenty of risk of transmission by air travelers from affected countries, such as construction laborers, aid workers or soldiers serving on peacekeeping missions. "We have to take a radical approach to this. It's like a cancer that's spreading and we have to take it out now," White told a conference at the Center for Strategic and International Studies think tank in Washington. He said no alternative anti-malarial drug is on the horizon. The U.N. World Health Organization, or WHO, is also warning that what seems to be a localized threat could easily get out of control and have serious implications for global health. Mosquitoes have developed resistance to antimalarial drugs before. Resistance to artemisinin is caused by various factors, such as use of substandard or counterfeit drugs, or prescribing artemisinin on its own rather than in combination with another longer-acting drug to ensure that all malaria-carrying parasites in a patient's bloodstream are killed off. Nowhere are the challenges to countering drug resistance greater than in Myanmar, also known as Burma, which accounts for most of malaria deaths in the Mekong region, according to a report for the conference by Dr. Christopher Daniel, former commander of the U.S. Naval Medical Research Center. Myanmar's public health system is ill-equipped to cope, although once-paltry government spending on it has increased significantly under the quasi-civilian administration that took power in 2011. Dr. Myat Phone Kyaw, assistant director of the Myanmar Medical Research Center, said malaria drug resistance first emerged in the country's east where migrant workers cross between Myanmar and Thailand, and is assumed to have spread to other regions. Death rates have dropped as effective treatments have become more available, but more aid and research is needed as transient workers in industries like mining and logging pose a continuing transmission risk, he said. White said it is critical to prevent drug resistance creeping across Myanmar's northwestern border with densely populated India. "In my view, once it gets into the northeast part of India, that's it, it's too late, you won't be able to stop it," he said. The Center for Strategic and International Studies is advocating greater U.S. involvement and aid for health and fighting malaria in the Mekong region, particularly in Myanmar, where Washington has been in the vanguard of ramping up international aid. The think tank says that can increase America's profile in Southeast Asia in a way that will benefit needy people and not be viewed as threatening to strategic rival, China. White said the problem was less one of lack of funds, than in countries having the will to take quick action to fight a disease that hits the rural poor, which have less of a political voice than urban populations. He said infection rates have been dropping but the disease needs to be wiped out entirely or it could be distilled to the most resistant parasites and infection rates will rise again. "Once it reaches a higher level of resistance where the drugs don't work, we are technically stuffed," White said. Associated Press writer Esther Htusan in Yangon, Myanmar, contributed to this report.
http://www.goerie.com/apps/pbcs.dll/article?AID=/20131112/APW/1311120585
dclm-gs1-267710001
false
true
{ "keywords": "public health, malaria" }
false
null
false
0.043491
<urn:uuid:1bc9efbe-12ed-4b00-8588-611c72e1522d>
en
0.943869
Dismiss  X Ayria has released three full length albums on the Belgian label Alfa Matrix, including the highly acclaimed Hearts for Bullets released in September 2008. This release brings 12 hard hitting, tightly written and produced tracks each track uniquely evolving the Ayria sound. Hearts For Bullets was produced in Canada by none other than Sebastian R. Komor. Ayria hits straight and hard with Jennifer's in-your-face sonic approach hanging between minimal electro, gritty bass synth lines and forceful stomping beats while never straying from the extremely feminine side of the project. Extravagant, provocative, bitchy and edgy yet all gut wrenchingly emotional and lyrically insightful; she hits a target somewhere between influences of Nitzer Ebb, M.I.A., Miss Kittin and Ladytron. Before Ayria: Jennifer Parkin is also known for her earlier work in Epsilon Minus, having released two albums as the lead vocalist, before leaving to form Ayria. Jennifer was also featured as a guest vocalist on many other projects, including Implant, Glis, Parallel Project, Aiboforcen and the Mexican project Isis Signum. Ayria has completed remixes and added vocals for bands such as Angelspit and Celldweller. Toronto, Ontario Buzz chart position: 180 Connected sources: Content tabs
http://www.newcanadianmusic.ca/artists/a/ayria
dclm-gs1-267940001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.037164
<urn:uuid:a6c0fb22-147b-486d-abf5-a28235d3747c>
en
0.941386
Nabokov: the Prose and Poetry of It All Readers of Lolita may recall that Humbert Humbert, who delivers himself of the contents of the book while in confinement awaiting trial for murder, is something of a poet. “You can always count on a murderer for a fancy prose style,” he says, and you can count on this particular murderer for scattered flights of verse as well. His are “occassional poems” in the most invidious sense possible. His muse materializes only intermittently, and when she does it is in response to situations of a kind that do not, as a rule, give rise to la poèsie pure—or whatever we may call the opposite of occasional poetry. Hoping, for example, to calm his restless Lolita he improvises a bit of what he tells her is “nonsense verse.” The Squirl and his Squirrel, the Rabs and their Rabbits Have certain obscure and peculiar habits. Male humming birds make the most exquisite rockets. The snake when he walks holds his hands in his pockets. Nonsense is correct,” Lolita says mockingly perhaps guessing that Humbert’s weakness for nymphets like herself lends the poem a certain “obscure and peculiar” sense which she would prefer to ignore. As poet, Humbert succeeds no better with Rita, a temporary replacement for Lolita, and one who knows her time is short. He tries to stop her accusing sobs by extemporizing some verses about a certain “blue hotel” they have just motored past. “Why blue when it is white, why blue for heaven’s sake?” she protests and starts crying again. Humbert’s lengthiest effort is a ballad, full of literary allusions, double-entendres, and straight French, with which he writes to console himself for the loss of Lolita. One stanza reads: Happy, happy is gnarled McFate Touring the States with a child wife, Plowing his Molly in every State Among the protected wild life. Humbert, like other of Nabokov’s creatures, foreign or nutty or both, has a flair for knowing what is going on in the American literary world, such as that “light verse” has been made respectable by Mr.W.H. Auden and that poetry of any weight lends itself nicely to depth analysis. His own analyst, Humbert says of his ballad: “It is really a maniac’s masterpiece. The stark, stiff, lurid rhymes correspond very exactly to certain perspectiveless and terrible landscapes and figures…as drawn by psychopaths in tests devised by astute trainers.” He is aware, too, of that American specialty, the belief that poetry inheres in phenomena themselves rather than in the poet, and that to write a poem one need only catalogue phenomena in impressive numbers. So he pounces upon a mimeographed list of names of Lolita’s classmates, surnames and first names intriguingly reversed for the purpose of alphabetization (e.g., FANTAZIA, STELLA; FLASHMAN, IRVING; HAZE, DOLORES). “A poem, a poem, forsooth!” he exclaims, and goes on to imagine the occupants of the classroom: “Adorable Stella, who has let strangers touch her; Irving, for whom I am sorry, etc.” Nor … This article is available to online subscribers only. Print Premium Subscription — $94.95 Online Subscription — $69.00 One-Week Access — $4.99
http://www.nybooks.com/articles/archives/1963/dec/12/nabokov-the-prose-and-poetry-of-it-all/?insrc=toc
dclm-gs1-267970001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.041461
<urn:uuid:27210b8b-880f-40e0-a6fc-2076f6040b7d>
en
0.948561
Délicieux: How France Influenced Vietnamese Cuisine Pimsleur Approach • FrenchComments (2) The French set up shop in Vietnam in 1859, and after quite a few skirmishes, created “French Indochina” in 1885. They remained in Vietnam until they were booted out in the mid 1950’s, but those 95 years in between created some major changes in Vietnamese cuisine. Prior to the initial French occupation, the Vietnamese diet focused primarily on fish, vegetables, herbs, and noodles. Beef was not used widely until the beginning of the French occupation, but today it is a staple of the cuisine, featuring prominently in that most comfortable of comfort foods: Pho. Pho is a hearty hot soup perfect for those winter blahs, and consists of slices of various kinds of beef and beef balls swimming in beef stock and flavored with basil, lime juice, hot peppers, and sauces. Besides Pho, beef is a main ingredient in many entrees such as butter beef, beef stew, beef with lemongrass and black pepper beef. The French are famous for rich, luxurious foods like paté, custard, cream and croissants, all of which play an important role in modern Vietnamese cuisine. The crusty, crunchy French baguette is a staple at Vietnamese bakeries, and the best example of the food marriage between the two cultures is Bahn Mi, which is a sandwich consisting of liver pate, sliced meats like pork, beef or chicken, vegetables, cilantro, and pickled vegetables on a baguette. Bánh mì đặc biệt ( Image via Wikipedia Desserts, while not as widely eaten in Vietnam as in other cultures, also reflect a distinctly French influence. Sweets like egg custard tarts, coconut custard, caramel custard and butter cookies, which would be just as at home in a French or Vietnamese bakery, remain favorites. “Vietnamese coffee”, that super-strong, rich confection, was born from “Cafe Bombon” which was originally created in Spain and migrated all over Europe. It’s a favorite of anyone needing a major caffeine buzz, and consists of espresso and sweetened condensed milk. Besides beef, pate, custard, baguettes and coffee, the most typical French breakfast food, the croissant, can be enjoyed in endless varieties. Stuffed with ham, chicken, or other types of sliced meats, or served plain with few wedges of Laughing Cow cheese and a pat of butter, the croissant remains a fixture in Vietnam today. Eaten primarily there for breakfast, Vietnamese-style croissant sandwiches are also tremendously popular in American-Vietnamese bakeries where they are often enjoyed as an economical quick lunch for college students or executives on the go. If you’ve never sampled the glorious marriage between French and Vietnamese foods, check out your nearest Vietnamese restaurant or bakery for a delectable fusion treat. 2 Responses to “ Délicieux: How France Influenced Vietnamese Cuisine ” 1. lirelou says: Nice article. On a minor historical note, while the French “set up shop” in South Vietnam in 1859, they didn’t take control of Central and North Vietnam until 1885. On the plus side, by taking control of the South, they ended the Vietnamese occupation of Cambodia, with its attendant mandatory assimilation policies that would have erased Cambodia’s identity and absorbed its territory into Vietnam. As for coffee, it pays to note that today Vietnam is the world’s #2 coffee producer. Though much sold on the international market is blending quality Robusta, some very fine coffees can be savored in Vietnam itself. Northern and Southern tastes differ,with black and bitter coffee being common to the North as opposed to the cafe sua (condensed milk sweetened) version common to the South. Hanoi is definitely a tea drinkers city for the excellent teas that can be found there, but cafe sua by a Hoan Kiem lake open air coffee bar is a memorable experience. 2. Ernest Beyl says: I see a similarity in the French Pot au Feu and the Vietnamese Pho. Is their a link here? Ernie Beyl Leave a Reply Email Address (will not be published) HACKER SAFE certified sites prevent over 99.9% of hacker crime.
http://www.pimsleurapproach.com/blog/french/delicieux-how-france-influenced-vietnamese-cuisine
dclm-gs1-268040001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.948618
<urn:uuid:690c5864-9a97-4de9-86d3-f8259a62631c>
en
0.932828
you are viewing a single comment's thread. view the rest of the comments → [–]sandwiches_are_real 0 points1 point  (0 children) Sure, that's fair enough. You can always do what OP does, and main a versatile champ rather than maining a lane/role. Then just pick that champ wherever. J4 is a pretty good champ. He can do everything except ADC.
http://www.reddit.com/r/leagueoflegends/comments/18443o/i_got_to_challenger_with_only_fiddlesticks_ama/c8bmnaz
dclm-gs1-268110001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.043675
<urn:uuid:d7e31f89-b980-4335-8f11-54769d8fe231>
en
0.943602
Indirect Jumps Improve Instruction Sequence Performance Date Added: Sep 2009 Format: PDF Instruction sequences with direct and indirect jump instructions are as expressive as instruction sequences with direct jump instructions only. The authors show that, in the case where the number of instructions is not bounded, there exist instruction sequences of the former kind from which elimination of indirect jump instructions is possible without a super-linear increase of their maximal internal delay on execution only at the cost of a super-linear increase of their length. They take the view that sequential programs are in essence sequences of instructions.
http://www.techrepublic.com/resource-library/whitepapers/indirect-jumps-improve-instruction-sequence-performance/
dclm-gs1-268180001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false
0.065213
<urn:uuid:26cc3aa0-6e49-4b81-b80a-7fc05f3434a7>
en
0.946907
Justin Timberlake: Engaged to Jessica Biel? by at . Comments Supposedly. Here's where the Timberlake-Biel engagement rumor originated: Justin Timberlake Waves Jessica Biel Smiles [Photos: Fame Pictures] Tags: , , britney is da best 4 justin...jessica biel is luking gorgeous with da help of makeup..without makeup shes luking like a skinny old woman...dnt like her 4 jt no justin please .... don't leave me !!! Yuck... SHE can do so MUCH better.... He CAN do much better. I think they are an adorable couple. I live in Wyoming and resort where he proposed (if he did) is absolutely breathtaking. What a romantic location to pop the question. If they are engaged, I wish them happiness. Don't do it. Either of you. Divorces are messy. yuck..he can do MUCH better than her... Justin Timberlake Biography Full Name Justin Timberlake
http://www.thehollywoodgossip.com/2011/12/justin-timberlake-engaged-to-jessica-biel/
dclm-gs1-268260001
false
false
{ "keywords": "" }
false
{ "score": 0, "triggered_passage": -1 }
false