id
stringlengths
50
55
text
stringlengths
54
694k
global_01_local_0_shard_00000017_processed.jsonl/8735
The Common Good The Power to Dominate and the Power to Love As Christians, our continual task is to explore and mediate on Jesus' teachings, as well as to emulate his deeds. Central to this two-fold task is comprehending the type of power Jesus wielded, namely the power to love. It often sounds repetitive to state that the poor carpenter loved those who were outcast by the dominant first-century Palestine social powers. But it is certainly worth repeating, for so radical was his power to love that it led to his dehumanizing demise. Liberation theologian Leonardo Boff states that two powers were operative in the first-century oppressive Palestinian context: 1) exousia (Greek), which is the power to unite through patience and understanding of others; and 2) potestas (Latin), meaning the power to dominate through sheer force Related Stories Like what you're reading? Get Sojourners E-Mail updates! Sojourners Comment Community Covenant
global_01_local_0_shard_00000017_processed.jsonl/8742
Take the 2-minute tour × English has several words for burial places, many of which have specific, distinct meanings: • grave • tomb • vault • crypt • mausoleum • sepulcher As far as I know, Spanish has at least two words for "grave": • tumba • sepultura What types of burial places can each word refer to? Are both generic enough to cover any burial of a body or ashes in a plot in the ground, an underground crypt, an above-ground structure, etc.? Or are they more specific? share|improve this question add comment 2 Answers up vote 5 down vote accepted Some of the words you mentioned have cognates in Spanish: • tumba: place where a cadaver is buried. • cripta: subterranean place used to bury the dead. • mausoleo: a magnificent and sumptuous sepulchre. • sepulcro: stone construction built off the ground as a resting place for one or more cadavers. You already mentioned sepultura as a translation of grave: place where a cadaver is buried. Vault could be translated as bóveda: a place where a cadaver is buried or a hole made on the ground to bury a cadaver. There is also panteón which is a cognate of pantheon. However, from my understanding this word has a more general meaning in Mexico and perhaps in Central America. In Colombia it is understood as a funeral monument to bury several bodies. share|improve this answer Thanks. Which of those terms would apply to a standard burial plot in the ground (no structure involved)? –  jrdioko Dec 17 '11 at 6:53 Yes in at least the places I spent the most time in Mexico, panteón is the usual word for "cemetery". –  hippietrail Dec 17 '11 at 7:59 @jrdioko, fosa. –  Peter Taylor Dec 17 '11 at 8:40 Perhaps you could also add to the list the formal cenotafio (equivalent to cenotaph). –  Gonzalo Medina Dec 17 '11 at 17:09 You could add "nicho" to the list, or is just used in Spain? –  Laura Dec 18 '11 at 12:03 show 2 more comments I would say that "tumba" is a bit more general, a "tumba" is a place where a cadaver lies (a tomb in english). "Sepultura" implies a bit more the idea than the cadaver was put there with any sort of ceremony, or at least someone explicitly put the body there. There is the verb "sepultar" that I would translate as the action of covering something with soil or another substance. I think the right translation of "sepultura" in english is "sepulcher". share|improve this answer add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8744
The Spectacle Blog Exiled Muslim Leader Returns to Tunisia By on 1.30.11 | 2:00PM While much of the world's attention is focussed on Egypt the political situation in Tunisia is far from settled. Matters became more complicated today when Rachid Ghannouchi, the leader of Tunisia's Islamist movement, returned after nearly two decades of exile in London. Ghannouchi has been portrayed as a Muslim leader who favors democracy. Indeed, in 2001, Azzam Tamimi wrote a book about Ghannouchi titled, Rachid Ghannounchi: A Democrat within Islamism. (On a side note, it was Tamimi who in January 2008 said during a debate on Iranian TV that Israeli Jews should go back to Germany. So perhaps it was Tamimi who gave Helen Thomas her inspiration. But I digress.) For his part, Ghannouchi insists he's no Khomeini. Yet no less an authority on the Middle East than Martin Kramer notes the Sunni cleric has long admired the Iranian Revolution. Gabriel Schienmann also warns us not to be fooled by Ghannouchi citing his support for Saddam Hussein's invasion of Kuwait in 1990 and the destruction of Israel. Now there are those such as California State University political science professor Asad AbuKhalil who argue that the Tunisian protests are entirely secular in nature while others such as Daniel Larison at The American Conservative argue the Islamists enjoy little influence in Tunisia and thus there is little chance they will rise to power. The Tunisian uprisings might well be secular in their inspiration. Yet Islamists like Ghannouchi know an opportunity when they see one. Even if an Islamist government doesn't come to power in Tunisia they could play a key role in shaping a future government. A future government that might very well be more repressive than the Ben Ali regime and a future government that might also be quite anti-American. Send to Kindle Like this Article Print this Article Print Article
global_01_local_0_shard_00000017_processed.jsonl/8760
Take the 2-minute tour × Using CSS, it's easy to horizontally center text in a container using text-align:center;, but if any single word of that text is larger than the width of the container, the browser automatically "clips" to the left boundary of the container (as in, the over-sized word aligns with the left side of the too-small container, and without the CSS word-break:hyphenate; property setting (or similar) the over-sized word sticks out past the right edge of the container. enter image description hereAny way to float this pic left of my text here to save vertical space? Oh well. Anyway... Without using a child container element to hold the text, is there a way to center the over-sized word so that it hangs over both left and right sides of the container equally? Again, I do not want to use a text container within the container. I could do this in 5 seconds by using a child <div>text to be centered</div> with fixed width and negative margin-left, or with absolute positioning of a container element inside a relative div, but I'm looking for a CSS attribute that will center text even when the word is too long to fit the width. By default, text-align:center doesn't do this. Thoughts? Thanks! -Slink share|improve this question add comment 2 Answers up vote 9 down vote accepted This fiddle shows three div elements illustrating the "problem" and both the following "solutions". One Possible "Solution" I'm not sure of your needs, but so far the only real solution I have found is to set display: table to your text container. But that will allow the container to stretch to the needed width to contain the longest word, which may not be desirable to you. If that is okay, that is the best solution. Another Possible "Faked" Solution If you must keep the apparent size of the element at least, then you can fake the look by some creative pseudo-element use: .fakeIt { text-align: center; /* what you wanted all along */ display: table; /* key to get centered */ position: relative; /* allow reference for absolute element */ z-index: 2; /* set up for a background to be pushed below */ width: 40px; /* what you want, but table resizes larger if needed*/ border: none; /* transferring border to the "fake" */ background-color: transparent; /* transferring background to the "fake" */ .fakeIt:after { content: ''; /* before or after need it, even if empty */ width: 40px; /* the original width you wanted for the container */ position: absolute; /* need this to position it */ z-index: -1; /* push it behind the foreground */ left: 50%; /* push it to center */ top:0; /* give it height */ bottom: 0; /* give it height */ margin-left: -20px; /* half the width to finish centering */ border: 1px solid red; /* the border you wanted on the container */ background-color: yellow; /* the background you wanted on the container */ However, depending upon your particular application, the "faked" solution may not work. Also, the original element will still take up the wider "space" in the document, it just won't look like it is. That could cause issues. Negative margin on the container could solve that, but you don't know what the value needs to be set at, as it would differ with text width. You mention in a comment you are not familiar with pseudo-elements in css, so you may want to have a quick intro. share|improve this answer Great answer with the display: table trick. –  biziclop Jul 14 '12 at 14:40 This seems like a very elegant solution. I like the concept, but is it applicable to anchor tags? <a href... ? the whole reason I can't use a child element is because my parent container is a link which is treated as an in-line element and cannot hold elements like div –  Slink Jul 15 '12 at 14:18 @Slink--Two things: 1) if it is "treated as an in-line element" then you should not be getting any overlap at all, as in-line elements expand with the text. You must have its display setting changed to something different. 2) Even if in-line, an a tag can have a span child element, and the css for both set to center the text as you want. So you are not limited as much as you think to not using a child (also, the HTML5 standard allows div in a, however, earlier standards do not... so your DOCTYPE is going to determine what freedom you have with that). –  ScottS Jul 15 '12 at 19:03 An excellent point. If I use doctype of HTML5, then I can use a child div? I wonder if that is true of all browsers, even interweb exploder. –  Slink Jul 15 '12 at 20:47 the reason I refrained from using a child element was that I thought I could not use a block display element. The <a> tag allows CSS attributes like height:100px; and width:100px; even without specifying the CSS display property. // another reason for my concern with complicating the link by including a block-type display element is that I do want the website to be friendly for web crawlers. I'm not up to snuff on Google's requirements, but I'm not sure how it would affect the website's legitimacy rating according to the Google bots –  Slink Jul 15 '12 at 20:58 show 2 more comments That damned horizontal scrollbar! <div class="inner"> aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa aaaaa .inner { text-align: center; position: relative; left: +450%; .inner:before { content: ''; display: inline-block; margin-right: -900%; share|improve this answer What? You lost me. I was never aware of the :before CSS attribute, though (that's cool). I just want a CSS text attribute or other trick! margin-left or similar would be no good. ??? Thanks. –  Slink Jul 11 '12 at 18:22 This doesn't work (at least in firefox) –  Inkbug Jul 15 '12 at 9:42 Unfortunately, it's true. –  biziclop Jul 15 '12 at 9:52 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8761
Take the 2-minute tour × There are 2 images A and B. I extract the keypoints (a[i] and b[i]) from them. I wonder how can I determine the matching between a[i] and b[j], efficiently? The obvious method comes to me is to compare each point in A with each point in B. But it over time-consuming for large images databases. How can I just compare point a[i] with just b[k] where k is of small range? I heard that kd-tree may be a good choice, isn't it? Is there any good examples about kd-tree? Any other suggestions? share|improve this question kd-tree as such are not efficient for descriptors with such a high dimensionality as SIFT (this is known as the curse of dimensionnality). However, there exists other indexing strategies for approximate nearest neighbour search in high dimensional spaces. FLANN, included in OpenCV, is one. And there is an implementation of keypoint matching using FLANN, see the link in my answer –  remi Oct 10 '12 at 9:09 add comment 3 Answers up vote 9 down vote accepted KD tree stores the trained descriptors in a way that it is really faster to find the most similar descriptor when performing the matching. With OpenCV it is really easy to use kd-tree, I will give you an example for the flann matcher: flann::GenericIndex< cvflann::L2<int> > *tree; // the flann searching tree tree = new flann::GenericIndex< cvflann::L2<int> >(descriptors, cvflann::KDTreeIndexParams(4)); // a 4 k-d tree Then, when you do the matching: const cvflann::SearchParams params(32); tree.knnSearch(queryDescriptors, indices, dists, 2, cvflann::SearchParams(8)); share|improve this answer When you're flagging answers that should be comments or are just link only, please flag them as "Not an answer" instead of "Very low quality", it helps us from a workflow perspective. But keep flagging, we appreciate it! –  casperOne Oct 11 '12 at 12:57 add comment The question is weather you actually want to determine a keypoint matching between two images, or calculate a similarity measure. If you want to determine a matching, then I'm afraid you will have to brute-force search through all possible descriptor pairs between two images (there is some more advanced methods such as FLANN - Fast Approximate Nearest Neighbor Search, but the speedup is not significant if you have less then or around 2000 keypoints per image -- at least in my experience). To get a more accurate matching (not faster, just better matches), I can suggest you take look at: If, on the other hand, you want only a similarity measure over a large database, then the appropriate place to start would be: share|improve this answer add comment In OpenCV there are several strategies implemented to match sets of keypoints. Have a look at documentation about Common Interfaces of Descriptor Matchers. share|improve this answer add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8762
Take the 2-minute tour × I need to test my web site from a US perspective (most of my customers are from the US, and I'm in Australia). I'd like to be able to run through an e-commerce transaction which relies third-party gateways, SSL, etc., and have it appear as though I'm in America. The free web-based proxies don't really cut it. I don't mind paying money. Maybe something VPN-based. Any recommendations? share|improve this question is this question more suitable for serverfault.com or superuser.com sites? –  Junior Mayhé Oct 14 '10 at 11:40 I'm particularly interested in recommendations from programmers - I'm certain to get answers from other sites, but I'm not sure it will be what I want :) –  Joe Albahari Oct 14 '10 at 11:46 add comment closed as off-topic by Brian, Stuart Ainsworth, Barmar, remus, Lee Taylor Dec 27 '13 at 22:04 • "Questions asking us to recommend or find a tool, library or favorite off-site resource are off-topic for Stack Overflow as they tend to attract opinionated answers and spam. Instead, describe the problem and what has been done so far to solve it." – Brian, Stuart Ainsworth, Barmar, remus, Lee Taylor 1 Answer up vote 0 down vote accepted Just to answer my own question, I ended up subscribing to surfbouncer.com (a VPN-based service with servers in 8 countries) and so far it's working well. share|improve this answer add comment
global_01_local_0_shard_00000017_processed.jsonl/8763
Take the 2-minute tour × i'm attempting to provide a facility on my site that allows a user to create a facebook event for their booking. now im doing the correct process: 1) first getting authorisation from the user https://graph.facebook.com/oauth/authorize?client_id=APP_ID&redirect_uri=http://urlimredirectingto.comtype=web_server 2) requesting for an access token with the "code" that is returned in step 1 https://graph.facebook.com/oauth/access_token 3) using the access_token to create the event ... string facebookCreateUri = string.Format("https://graph.facebook.com/{0}/events", loggedInMember.FacebookUID); var formData = new HttpUrlEncodedForm() {"access_token", accessToken}, {"owner", loggedInMember.FacebookUID}, {"description", "nice event that should be on the owners wall"}, {"name", "event on the users wall"}, {"start_time", "1272718027"}, {"end_time", "1272718027"}, {"location", "rochester"}, HttpContent content = HttpContent.Create(formData); HttpClient client = new HttpClient(); var response = client.Post(facebookCreateUri, "application/x-www-form-urlencoded", content); but the event is posted on my app's wall, not the user's wall. It shouldn't have anything to do with the authentication/access_token elements because i use the same process to post on the user's wall. (http://developers.facebook.com/docs/reference/api/status/) and that works just fine. share|improve this question add comment 2 Answers up vote 1 down vote accepted I came back with a solution, after a week of working at many features with Facebook SDK, it finally works! protected void onPostEvent(object sender, EventArgs e) if (CanvasAuthorizer.Authorize()) var fb = new FacebookWebClient(CanvasAuthorizer.FacebookWebRequest); dynamic parameters = new ExpandoObject(); parameters.description = txtEvDett.Text; parameters.name = txtEvName.Text; parameters.start_time = DateTime.Now.ToString("yyyyMMdd"); parameters.end_time = DateTime.Now.AddDays(1).ToString("yyyyMMdd"); parameters.access_token = CanvasAuthorizer.FacebookWebRequest.AccessToken; dynamic eventDet = fb.Post("me/events", parameters); litEvent.Text = String.Format("You have created the event with ID: {0}", eventDet.id); lnkEvent.Visible = true; lnkEvent.NavigateUrl = String.Format("http://www.facebook.com/event.php?eid={0}", eventDet.id); For events, you have to request the create_event permission. You should use /me/events to post on your events. I user the C# SDK for Facebook from Codeplex - last version available for dld (aug 2011 - v5.2.1). Good luck! share|improve this answer add comment I don;t see in your request for Authorization any permission.. base permissions are not enough to do the postings. i used: This is in the context of a canvas app. where MY_APP_URL is the url from facebook of the app: http://apps.facebook.com/MY_APP_NAME_OR_ID See extended permissions for events and check event's page in documentation [EDIT] - I came back, sorry, now i did a test, and indeed, it works for me, but only of i post on my app's wall; even if i provided the 'user_events' permission i get this error: The remote server returned an error: (403) Forbidden when posting on a user's wall. This being said, i also subscribe to this question. share|improve this answer add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8764
Take the 2-minute tour × I have a formula for setting x and y of an object at every frame. In a classic for (i=0; i < x; i++) loop, I can bind it to the i value and calculate x and y values based on the current value of i that represents the passing of time. I intended to use it with a NSTimer object and update the coordinate points at every tick, but I've seen that NSTimer is descouraged for animations. Can I do the same with Core Animation? Instead of the standard "from here to there in given seconds", I would need a method to "update the position with this formula". share|improve this question Good question..I would like to know too.. –  Krishnabhadra May 6 '11 at 6:55 I haven't used it myself, and hopefully someone can give you more details, but CAKeyframeAnimation is probably what you want. –  Josh Caswell May 6 '11 at 7:04 add comment 1 Answer up vote 3 down vote accepted If you can model your function with a cubic Bézier curve, you can create a custom CAMediaTimingFunction instance and assign it to the animation's timingFunction property. If a Bézier curve does not work, a CAKeyframeAnimation might indeed work. share|improve this answer add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8765
Take the 2-minute tour × I have an question about getting the page coordinates of a text selection in javascript. I do know how to get the selected text etc. but that is not what I'm looking for... I need the coordinates (in pixels) of the beginning of the text selection. I tried using the cursor coordinates but this didn't work quite well because the cursor coordinates and the beginning of the selection are not always the same (for example when a user drags over a text). I hope someone has the solution! share|improve this question add comment 1 Answer up vote 19 down vote accepted In recent non-IE browsers (Firefox 4+, WebKit browsers released since early 2009, Opera 11, maybe earlier), you can use the getClientRects() method of Range. In IE, you can use the boundingLeft and boundingTop properties of the TextRange that can be extracted from the selection. Here's a function that will do what you want in recent browsers. jsFiddle: http://jsfiddle.net/aSUSh/5/ function getSelectionCoords() { var sel = document.selection, range; var x = 0, y = 0; if (sel) { if (sel.type != "Control") { range = sel.createRange(); x = range.boundingLeft; y = range.boundingTop; } else if (window.getSelection) { sel = window.getSelection(); if (sel.rangeCount) { range = sel.getRangeAt(0).cloneRange(); if (range.getClientRects) { var rect = range.getClientRects()[0]; x = rect.left; y = rect.top; return { x: x, y: y }; I'm going to add a fuller implementation of this with fallbacks for older browsers to my Rangy library soon. I submitted a WebKit bug as a result of the comments, and it's now been fixed. share|improve this answer Works perfectly on single line selections, but when you select multiple lines (starting from somewhere half-where in the first line) it shows the coordinates for the beginning of the first selection-line not the beginning of the selection it self.... I know that is probably because of the getBounding function but is there any way to change that? –  Bouke Jul 27 '11 at 18:02 @Bouke: Ah, fair point. I've updated my answer to do as you asked, by collapsing the range to a single point at the start before getting its position. –  Tim Down Jul 27 '11 at 22:46 @Bouke: Updated again, and is now working on WebKit. –  Tim Down Jul 28 '11 at 17:08 I have tried this code. It is returning always x: 0, y:0 even the caret position is moved in firefox 20.0.1. Please have a look at this similar question which I asked recently. I am looking for a cross-browser solution which works in IE8+, chrome and firefox. –  Mr_Green May 20 '13 at 9:31 @Mr_Green: This code is specific to selections/ranges within regular HTML content rather than textareas, as is Rangy. I don't believe it is possible to create a general cross-browser solution for getting coordinates of the textarea cursor without doing lots of tedious text measuring, which is why I haven't answered your other question. –  Tim Down May 20 '13 at 10:41 show 3 more comments Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8766
Take the 2-minute tour × Similar to the question here, I am attempting to get the latest result for a given set of items. So, if a machine has a history of where it's been, I am trying to find the latest place: id: ~ type: integer foreignTable: machine type: integer foreignTable: location type: timestamp required: true I have adapted the SQL from the linked question like this: SELECT l1.* FROM machine_history l1 LEFT JOIN machine_history l2 ON (l1.machine_id = l2.machine_id AND l1.time < l2.time) This does as expected, but I would like to transform this into a Propel 1.5 Query. As I do not know how to perform joins with multiple criteria, I am resorting to Criteria's addJoin(). Unfortunately, it's not doing what I would like, and I don't know how to use it properly. So far I have written this: return $this array(MachineLocationPeer::ID, MachineLocationPeer::TIME), I don't know how to specify the comparison to use for each of the criteria. Nor do I know how to use an alias so that I can successfully join the entity with itself. How might I do this? share|improve this question add comment 1 Answer up vote 0 down vote accepted After some research, Propel's ModelCriteria API doesn't support arbitrary joins, as explained in the Propel Users group here. ModelCriteria only works where the schema defines relationships, and as the table in the above example doesn't reference itself explicitly, it can't be done without using old Criterias. Propel 1.6 does, however, support multiple conditions on a join, as described in the documentation, if that's useful for anyone. You would have to make sure you have Propel 1.6, however. Instead, I had to revert back to a sub-query, which Propel 1.6 also now supports with addSelectQuery. I modified the SQL to look like this: SELECT * FROM machine_location ) AS times GROUP BY times.machine_id; This could then be written using Propel: $times = MachineLocationQuery::create() $latestLocations = MachineLocationQuery::create() ->addSelectQuery($times, 'times') Be careful when reading the documentation; it's addSelectQuery(), not useSelectQuery(). To accommodate and use within a Query call and allow for joins, I had to convert the items to an array containing their primary keys, and return a search for those primary keys. Propel seemed to choke if I returned the above Query object, sans find. return $this ->filterByPrimaryKeys($latestLocations->toKeyValue('MachineId', 'Id')); share|improve this answer add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8767
Take the 2-minute tour × In the book Autotools: A Practioner's Guide to GNU Autoconf, Automake, and Libtool, chapter 6 (building libraries with libtool), an example of linking library is given. In the example, a library libjupiter.so is linked to another library libjupcommon.a. The first attempt fails because libjupiter.so needs PIC, but libjupcommon.a is not. The author adds libjupcommon_a_CFLAGS = -fPIC to fix it. It gets much better, but the warning of 'Linking the shared library libjupiter.la against the static library ../common/libjupcommon.a is not portable!' appears. Therefore the author modifies the Makefile.am's again, using libtool to build libjupcommon.la. The libjupiter links to the libjupcommon.la. Like this: noinst_LTLIBRARIES = libjupcommon.la libjupcommon_la_SOURCES = jupcommon.h print.c libjupiter_la_LIBADD = ../common/libjupcommon.la This time everything's OK. Now, my problem: I have a library needs another library, just like libjupiter needs libjupcommon. The difference is my libjupcommon is from another project and installed into the system. It is not a noinst_LTLIBRARIES. Both .so and .a version exist. When I try to link the libjupcommon.la like the example shows, the .so is chosen, but I don't want a dynamic linking relationship. I want to link to the .a, like the example in the book. Linking to .a explicitly (by using _LIBADD=the .a file) gives a usable library, but the warning of '... not portable' is given. What's the proper way to achieve linking to the .a in this case? PS: Download the example from the book's official site. In autotools/book/jupiter-libtool-ch6/common, modify the Makefile.am's noinst_LTLIBRARIES to lib_LTLIBRARIES should be a close mimic to my problem. share|improve this question What can of library do you want to build? A shared library or a static library? It make no sense to link with the installed .a library if you are building a shared library, hence the libtoool warning. If you are building a static library, you should explicitly state so (see ldav1s' answer). –  adl Nov 8 '11 at 9:48 I want to build a shared library. It makes no sense even if the installed .a is PIC? Why is it so? –  Cha Cha Nov 8 '11 at 9:55 But in that case the .a was not generated by Libtool. As far as I know, the .a files installed by Libtool are not PIC. –  adl Nov 9 '11 at 9:24 add comment 1 Answer up vote 2 down vote accepted There's a couple things you could try. You could try running configure with the --disable-shared option to turn off compilation of shared libs (and add the static lib to libfoo_LIBADD again). You could try adding -static to libfoo_LDFLAGS to get libtool to build it statically (again with the static lib added to libfoo_LIBADD). EDIT: Since both static and shared libs are needed the above won't work. Try adding: to configure.ac. share|improve this answer You mean to compile the static one only? I think it will work. But I need both static and dynamic libjupcommon; and make libjupiter.so links the static one. –  Cha Cha Nov 8 '11 at 9:52 noinst_LTLIBRARIES are convenience libraries, intended to be relinked with some executable or other library during the build. –  ldav1s Nov 8 '11 at 23:25 After reading the code of libtool, I am convinced that building a static only library is what I should do. Like libfoo.so, libfoo.a libfoo_static.a. Thanks ldav1s. –  Cha Cha Mar 1 '12 at 8:32 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8768
Take the 2-minute tour × Can someone explain this? IE8 ( function(){ window.foo = function foo(){}; console.log( window.foo === foo ); // false }() ); share|improve this question Very good read on 'named function expressions', which is what you've got there: kangax.github.com/nfe –  InfinitiesLoop Dec 27 '11 at 18:49 add comment 2 Answers up vote 13 down vote accepted Due to an IE bug, the named function expression creates a separate local foo variable with a separate copy of the function. More info: var f = function g(){}; f === g; // false This is where things are getting interesting. Or rather — completely nuts. Here we are seeing the dangers of having to deal with two distinct objects — augmenting one of them obviously does not modify the other one; This could be quite troublesome if you decided to employ, say, caching mechanism and store something in a property of f, then tried accessing it as a property of g, thinking that it is the same object you’re working with. share|improve this answer Awesome, thanks. I've read that before but have never been hit by it until now. –  zyklus Dec 27 '11 at 18:46 Once again, javascript is a mess. –  BlueRaja - Danny Pflughoeft Dec 28 '11 at 0:48 add comment If you're interested in correcting the issue, this will work. ( function(){ var f = function foo(){}; window.foo = f; alert( window.foo === f ); // false }() ); share|improve this answer Or just get rid of the name –  SLaks Dec 27 '11 at 18:32 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8769
Take the 2-minute tour × I making a php server/page which is supposed to capture a users twitter feed and then provide it in a JSON format to another application and/or mobile device in JSON format. Twitter provides it's data already in JSON format by using .json after the timeline url. But this is limited to 150 requests/hour which can be a problem being on a shared hosted server. If been trying to use the twitteroauth php library with API keys. Before I can start communicating with the API I always need to sign in with a twitter account. Using the API is limited to 350 request/hour. Is there a way to use the library not needing to log in to capture the timeline? Or what is a better way to achieve my goal, creating a php-page providing me the timeline on request? share|improve this question add comment 1 Answer up vote 1 down vote accepted If I understand the question correct, the problem is that you make to many request to the Twitter API that doesn't require log on. In that case, if you don't want to use the API that require login, I guess you could implement some caching. Let your server run a cron every minute that check the Twitter API for new tweets, and store the tweets in a database or a textfile. Then, when a user request your page for JSON, you read from your cache instead of going straight to the Twitter API every time. That way you will save a lot of traffic between your server and Twitter, and you would still be very close to real time when it comes to up-to-date tweets, as you with 150 requests/hour could update your cache every 30 seconds or so. share|improve this answer Yes you have understand it exactly. I was also thinking caching might be the solution. I posted it to get some opinions and some other idea's. Thanks. –  Johan_ Feb 12 '12 at 12:33 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8770
Take the 2-minute tour × how can I convert from ASN.1 code something like that: HOST-RESOURCES-MIB::hrSystemProcesses.0 = Gauge32: 52 I want to desplay only 52 In fact,when I browse the net I found a jar file that called Sck.jar that allow you to convert from ASN.1,I put it in the project library but I don't know how can I used. share|improve this question Could you provide the BER / DER encoded byte stream that you want to decode? Also, please include a URL to that JAR that you use. Did you have a chance to look at other Java BER decoders that have JavaDoc and examples? –  mgaert Mar 6 '12 at 22:51 add comment 1 Answer How you write code to display the values is specific to the particular tool you are using. You might consider using an ASN.1 Tools which has good documentation and a good technical support department (if you choose a commercial tool). A good list of ASN.1 Tools (free as well commercial) is available at http://www.itu.int/ITU-T/asn1/links/index.htm. A good tool will provide a simple way to display any of the ASN.1 values. share|improve this answer ok thanks a lot for help –  hanem Mar 9 '12 at 1:20 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8792
Terminal Server Walkthrough: Startup, Connection, and Application Article translations Article translations Article ID: 186572 - View products that this article applies to. This article was previously published under Q186572 Expand all | Collapse all On This Page This article describes the initialization process of a Terminal Server and describes what occurs when a user connects to the server and runs an application. Windows Terminal Server Initialization As the Windows Terminal Server boots and loads the core operating system, the Terminal Server service (Termsrv.exe) is started and creates listening stacks (one per protocol and transport pair) that listen for incoming connections. Each connection is given a unique session identifier or "SessionID" to represent an individual session to the Terminal Server. Each process created within a session is "tagged" with the associated SessionID to differentiate its namespace from any other connection's namespace. The console (Terminal Server keyboard, mouse, and video) session is always the first to load, and is treated as a special-case client connection and assigned SessionID. The console session starts as a normal Windows NT system session with the configured Windows NT display, mouse, and keyboard drivers loaded. The Terminal Server service then calls the Windows NT Session Manager (Smss.exe) to create two (default = 2) idle client sessions (after creating the console session) that await client connections. To create the idle sessions, the Session Manager executes the Windows NT-based client/server runtime subsystem process (Csrss.exe), and a new SessionID is assigned to that process. The CSRSS process will also invoke the Winlogon (Winlogon.exe) process and the Win32k.sys (Window Manager and graphics device interface - GDI) kernel module under the newly associated SessionID. The modified Windows NT image loader will recognize this Win32k.sys as a SessionSpace-loadable image by a predefined bit set in the image header. It will then relocate the code portion of the image into physical memory, with pointers from the virtual kernel address space for that session, if Win32k.sys has not already been loaded. By design, it will always attach to a previously loaded image's code (Win32k.sys) if one already exists in memory. For example, from any active application or session. The data (or non-shared) section of this image will then be allocated to the new session from a newly created SessionSpace pageable kernel memory section. Unlike the console session, Terminal Server Client sessions are configured to load separate drivers for the display, keyboard, and mouse. The new display driver is the Remote Desktop Protocol (RDP) display device Driver, Tsharedd.dll. The mouse and keyboard drivers communicate into the stack through the multiple instance stack manager, termdd.sys. Termdd.sys will send the messages for mouse and keyboard activity to and from the RDP driver, Wdtshare.sys. These drivers allow the RDP client session to be remotely available and interactive. Finally, Terminal Server will also invoke a connection listener thread for the RDP protocol, again managed by the multiple instance stack manager (Termdd.sys), which listens for RDP client connections on TCP port number 3389. At this point, the CSRSS process exists under its own SessionID namespace, with its data instantiated per process as necessary. Any processes created from within this SessionID will execute within the SessionSpace of the CSRSS process automatically. This prevents processes with different SessionIDs from accessing another session's data. Client Connection The RDP client can be installed and run on any Windows-based terminal (based on WinCE), Windows for Workgroups 3.11 running TCP/IP-32b, or the Microsoft Win32 API-based platform. Non-Windows-based clients are supported by the Citrix Metaframe add-on. The Windows for Workgroups RDP client's executable file is approximately 70 KB in size, uses a 300 KB working set, and uses 100 KB for display data. The Win32-based client is approximately 130 KB in size, uses a 300 KB working set and 100 KB for display data. The client will initiate a connection to the Terminal Server through TCP port 3389. The Terminal Server RDP listener thread will detect the session request, and create a new RDP stack instance to handle the new session request. The listener thread will hand over the incoming session to the new RDP stack instance and continue listening on TCP port 3389 for further connection attempts. Each RDP stack is created as the client sessions are connected to handle negotiation of session configuration details. The first details will be to establish an encryption level for the session. The Terminal Server will initially support three encryption levels: low, medium, and high. Low encryption will encrypt only packets being sent from the client to the Terminal Server. This "input only" encryption is to protect the input of sensitive data, such as a user's password. Medium encryption will encrypt outgoing packets from the client the same as low-level encryption, but will also encrypt all display packets being returned to the client from the Terminal Server. This method of encryption secures sensitive data, as it travels over the network to be displayed on a remote screen. Both low and medium encryption use the Microsoft-RC4 algorithm (modified RC4 algorithm with improved performance) with a 40-bit key. High encryption will encrypt packets in both directions, to and from the client, but will use the industry standard RC4 encryption algorithm, again with a 40-bit key. A non- export version of Windows NT Terminal Server will provide 128-bit high- level RC4 encryption. A font exchange will occur between the client and server to determine which common system fonts are installed. The client will notify the Terminal Server of all installed system fonts, to enable faster rendering of text during an RDP session. When the Terminal Server knows what fonts the client has available, you can save network bandwidth by passing compressed font and Unicode character strings, rather than larger bitmaps, to the client. By default, all clients reserve 1.5 MB of memory for a bitmap cache that is used to cache bitmaps, such as icons, toolbars, cursors, and so on, but is not used to hold Unicode strings. The cache is tunable (through a registry key) and overwritten using a Least Recently Used (LRU) algorithm. The Terminal Server also contains buffers to enable flow-controlled passing of screen refreshes to clients, rather than a constant bitstream. When user interaction at the client is high, the buffer is flushed at approximately 20 times per second. During idle time, or when there is no user interaction, the buffer is slowed to only flush 10 times per second. You can tune all these numbers through the registry. After session details have been negotiated, the server RDP stack instance for this connection will be mapped to an existing idle Win32k user session, and the user will be prompted with the Windows NT logon screen. If autologon is configured, the encrypted username and password will be passed to the Terminal Server, and logon will proceed. If no idle Win32k sessions currently exist, the Terminal Server service will call the Session Manager (SMSS) to create a new user space for the new session. Much of the Win32k user session is utilizing shared code and will load noticeably faster after one instance has previously loaded. After the user types a username and password, packets are sent encrypted to the Terminal Server. The Winlogon process then performs the necessary account authentication to ensure that the user has privilege to log on and passes the user's domain and username to the Terminal Server service, which maintains a domain/username SessionID list. If a SessionID is already associated with this user (for example, a disconnected session exists), the currently active session stack is simply attached to the old session. The temporary Win32 session used for the initial logon is then deleted. Otherwise the connection proceeds as normal and the Terminal Server service creates a new domain/username SessionID mapping. If for some reason more than one session is active for this user, the list of sessions is displayed and the user decides which one to select for reconnection. Running an Application After user logon, the desktop (or application if in single-application mode) is displayed for the user. When the user selects a 32-bit application to run, the mouse commands are passed to the Terminal Server, which launches the selected application into a new virtual memory space (2-GB application, 2-GB kernel). All processes on the Terminal Server will share code in kernel and user modes wherever possible. To achieve the sharing of code between processes, the Windows NT Virtual Memory (VM) manager uses copy-on-write page protection. When multiple processes want to read and write the same memory contents, the VM manager will assign copy-on-write page protection to the memory region. The processes (Sessions) will use the same memory contents until a write operation is performed, at which time the VM manager will copy the physical page frame to another location, update the process's virtual address to point to the new page location and now mark the page as read/write. Copy-on-write is extremely useful and efficient for applications running on a Terminal Server. When a Win32-based application such as Microsoft Word is loaded into physical memory by one process (Session) it is marked as copy-on-write. When new processes (Sessions) also invoke Word, the image loader will just point the new processes (Sessions) to the existing copy because the application is already loaded in memory. When buffers and user-specific data is required (for example, saving to a file), the necessary pages will be copied into a new physical memory location and marked as read/write for the individual process (Session). The VM manager will protect this memory space from other processes. Most of an application, however, is shareable code and will only have a single instance of code in physical memory no matter how many times it is run. It is preferable (although not necessary) to run 32-bit applications in a Terminal Server environment. The 32-bit applications (Win32) will allow sharing of code and run more efficiently in multi-user sessions. Windows NT allows 16-bit applications (Win16) to run in a Win32 environment by creating a virtual MS-DOS-based computer (VDM) for each Win16 application to execute. All 16-bit output is translated into Win32 calls, which perform the necessary actions. Because Win16 apps are executing within their own VDM, code cannot be shared between applications in multiple sessions. Translation between Win16 and Win32 calls also consumes system resources. Running Win16 applications in a Terminal Server environment can potentially consume twice the resources than a comparable Win32-based application will. Session Disconnect and User Logoff Session Disconnect If a user decides to disconnect the session, the processes and all virtual memory space will remain and be paged off to the physical disk, if physical memory is required for other processes. Because the Terminal Server keeps a mapping of domain/username and its associated SessionID, when the same user reconnects, the existing session will be loaded and made available again. An additional benefit of RDP is that it is able to change session screen resolutions, depending on what the user requests for the session. For example, suppose a user had previously connected to a Terminal Server session at 800 x 600 resolution and disconnected. If the user then moves to a different computer that supports only 640 x 480 resolution, and reconnects to the existing session, the desktop will be redrawn to support the new resolution. User Logoff Logoff is typically very simple to implement. After a user logs off from the session, all processes associated with the SessionID are terminated, and any memory allocated to the session is released. If the user is running a 32-bit application such as Microsoft Word, and logs off from the session, the code of the application itself would remain in memory until the very last user exited from the application. Article ID: 186572 - Last Review: November 1, 2006 - Revision: 1.2 • Microsoft Windows NT Server 4.0, Terminal Server Edition kbinfo KB186572 Give Feedback Contact us for more help Contact us for more help Connect with Answer Desk for expert help. Get more support from smallbusiness.support.microsoft.com
global_01_local_0_shard_00000017_processed.jsonl/8797
Take the 2-minute tour × I have found that for only one page (so far) the spacing between the header and content is different from the spacing on all the other pages. You can see this behavior in the images below (from pages 2 and 3 of the document): correct spacing incorrect spacing My .tex file contents are shown below. \renewcommand{\chaptermark}[1]{\markboth{\thechapter. #1}{}} \fancyhead[L]{\bfseries \leftmark} \fancyhead[R]{\bfseries \rightmark} \chapter{Version Control} share|improve this question Your example tex does not produce the output in your pictures. It does not contain the text "Project Overview". It doesn't even compile because of the \My Subtitle. –  Lev Bishop Aug 27 '10 at 3:04 For Lorem ipsum, I recommend the lipsum package. It makes minimal examples much smaller. –  TH. Aug 27 '10 at 8:16 I sanitized the document before posting which caused the discrepancy in the images and the produced document. A typo caused it not to compile. I have fixed both issues and incorporated the excellent lipsum package into the example. Thanks for the tip! –  Ryan Taylor Aug 27 '10 at 12:17 I minimized your example a little bit. Hope you don’t mind. –  Caramdir Aug 27 '10 at 12:43 I don't mind at all. A minimalist example that demonstrates the problem more clearly is a great thing. Thanks for the added clarity. –  Ryan Taylor Aug 27 '10 at 13:45 add comment 1 Answer up vote 5 down vote accepted Compiling the document produces the following warning on page 2: Package Fancyhdr Warning: \headheight is too small (0.0pt): Make it at least 12.0pt. We now make it that large for the rest of the document. This may cause the page layout to be inconsistent, however. Doing what fancyhdn suggests, i.e. replacing \setlength{\headsep}{0.5cm} by \setlength{\headheight}{0.5cm} fixes the problem. share|improve this answer Excellent, this worked perfectly, thanks. I am not sure why I didn't see the warning. I'll take extra care to check what LaTex is telling me next time. –  Ryan Taylor Aug 27 '10 at 13:44 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8798
Take the 2-minute tour × What's the difference between the different vertical bars? $S = \{\, x \mid x \not= 17 \,\}$ $a \vert b$ implies $a \leq b$ when $b \ne 0$ $a|b$ implies $a \leq b$ when $b \ne 0$ $\lvert x \rvert$ is always non-negative enter image description here Are all of these uses correct? share|improve this question (Off-topic) Actually, 1|0 but 1 > 0. –  KennyTM Jul 28 '10 at 18:06 Yeah, well… it's true if a, b > 0. –  Ben Alpert Jul 28 '10 at 18:09 Divides is actually defined on negative numbers as well; 2 | -10. @Ben Alpert had the right condition. Of course, that's off topic from the question. As far as that's concerned, I'm glad you asked! The answers have been rather helpful. –  Daniel H Sep 4 '11 at 21:58 \mid automatically has spacing before and after it, which | does not have. –  Michael Hardy May 3 '13 at 0:08 add comment 4 Answers up vote 54 down vote accepted According to texdoc symbols: \mvert and \mid are identical and produce a relation. \vert is a synonym for | and both produce the same symbol, but should be used in the context of an ordinal, and should be used as an operator, not as a delimiter (p54, bottom). \divides once again produces the same symbol but should be used as a binary “divides” operator. \lvert and \rvert are left and right delimiters, respectively. share|improve this answer +1 ran out of up-votes but this is a nice, clear and concise answer. –  Juan A. Navarro Jul 28 '10 at 20:29 I am now thoroughly confused – what is an ordinal? –  Ben Alpert Jun 9 '11 at 19:30 @Ben The word “ordinal” in this context is copied from the symbols document which uses it without explanation. My guess is that it’s the usual sense: to denote a number symbol (operand) rather than an operator or a delimiter. I can’t think of a use for this, but the very similar symbol “‖” is used as an ordinal in standard typography, namely as the fifth footnote symbol. The consequence for LaTeX is spacing: | doesn’t introduce any. –  Konrad Rudolph Jun 9 '11 at 20:26 So when using a vertical bar as a separator in a set definition before the condition, is that a relation or an operator? I'd say it's a delimiter, but those are left or right only, not centre. Correct? –  Christian Dec 16 '13 at 2:30 @Christian Good question. A bit of both, I’d say. No idea what’d be appropriate here. Probably \mid / \mvert. –  Konrad Rudolph Dec 16 '13 at 8:03 show 1 more comment This is similar in spirit to qbi's answer. Let me quote from the guide to the amsmath package (the document known as amsldoc), section 4.14.2 Vertical bar notations: The amsmath package provides commands \lvert, \rvert, \lVert, \rVert (compare \langle, \rangle) to address the problem of overloading for the vert bar character |. This character is currently used in LaTeX documents to represent a wide variety of mathematical objects [...]. The multiplicity of uses in itself is not so bad; what is bad, however, is that fact that not all of the uses take the same typographical treatment, and that the complex discriminatory powers of a knowledgeable reader cannot be replicated in computer processing of mathematical documents. It is recommended therefore that there should be a one-to-one correspondence in any given document between the vert bar character | and a selected mathematical notation, and similarly for the double-bar command \|. This immediately rules out the use of | and \| for delimiters, because left and right delimiters are distinct usages that do not relate in the same way to adjacent symbols; recommended practice is therefore to define suitable commands in the document preamble for any paired-delimiter use of vert bar symbols: \providecommand{\abs}[1]{\lvert#1\rvert} \providecommand{\norm}[1]{\lVert#1\rVert} whereupon the document would contain \abs{z} to produce |z| and \norm{v} to produce ∥v∥. share|improve this answer Adding in \left and \right then means that they have a chance of scaling correctly as well. –  Andrew Stacey Jul 29 '10 at 9:40 @andrew: bad idea in general \abs{ \sum_k } becomes way to large. The \DeclarePairedDelimiter from mathtools is a better choice. It create two macros \abs and \abs*, where the last one scales using \left/right and the first can be manually scaled using say \abs[\Big]{...} –  daleif Apr 11 '11 at 8:13 @daleif: See tex.stackexchange.com/q/1023/86 for a question about getting the right parenthesis size when the inner text isn't vertically balanced. –  Andrew Stacey Apr 11 '11 at 8:38 add comment As far as I know, by default they're all defined to be the same bar, except for maybe some spacing differences. But LaTeX, like properly written HTML, favors semantic markup over purely functional markup - you use the command for what you mean, rather than just what you want to appear on the page. This way, if you decide later on that you want certain kinds of bars to look different, it's easier to change only the bars you actually want to and not mess with anything else. For example, if you want to have less space between the bars and the text in constructions like |x|, you can redefine \lvert and \rvert appropriately. As qbi said, it is recommended to define a higher level of semantic markup, namely things like \abs, \norm, \union, \or, \suchthat, etc., to represent what you really mean in your formulas, and to use those instead of \vert, \lvert and \rvert directly. share|improve this answer they're all defined to be the same glyph, but the class is different; check the definitions in plain.tex or appendices b and f of the texbook (via the index). –  barbara beeton Feb 3 '12 at 17:46 add comment \mid is a relation symbol and | is a delimiter. As far as I know \vert is basically the same as |. For things like abslute value and norm I like to use mathtools.sty. This class allows to define something like \absval{} which translates to \lvert ...\rvert. This is useful when you tend to forget the closing bar. :-) share|improve this answer According to symbols, \vert and | aren’t delimiters either. –  Konrad Rudolph Jul 28 '10 at 18:42 You don't need a package like mathtools to define \absval{} as you describe. –  Mark Meckes Aug 20 '10 at 14:28 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8799
Take the 2-minute tour × Does anyone know of packages for displaying neuroscience schematics with tikz? For example, I would like to place a raster plot next to the diagram of a Markov process to help explain how Markov models could be used to simulate the firing of neurons. I know that I could do this by including an image of neural activity in the tikz picture. But, I wondered if there was a solution that could only use tikz. Below is the, admittedly, amateurish, version I made in PPT. The raster plot refers to the horizontal lines of ticks. Each tick is the same and marks where a neuron fired. I know how to use the automata library in tikz to make the state diagram. I wondered if there was an easier way to draw many horizontal lines than the brute force approach with a for loop. Sketch of slide combining raster plots and Markov chain Sample neural data (times in ms that a neuron fired) for 50 ms: 2,10,12,14,15,20,25,34,35,48, 49 share|improve this question Can you please provide (a link to) an image of the kind of drawing you would like to do? –  Gonzalo Medina Sep 22 '12 at 21:47 Could you provide some sample "neuron firing" data? Otherwise random numbers it is. The color represents intensity? (There are lines of different color: black, orange, red) –  Tom Bombadil Sep 23 '12 at 11:48 Random numbers are fine. Most simulations use a Poisson process with a rate of 10. I've edited to provide some example times though. There should only be one color-black. The rasters are pasted from another program into PPT and the coloring is an artifact when two black lines are really close together. –  mac389 Sep 23 '12 at 11:58 add comment 1 Answer up vote 10 down vote accepted For the neuron activity part: %\pgfmathsetseed{42}% or some other number \foreach \y [count=\c] in {-0.5,-1,...,-2.5} { \node[right] at (15.2,\y+0.1) {\scriptsize Subject \c}; \foreach \x in {1,...,300} { \pgfmathtruncatemacro{\drawbool}{rand-0.7 > 0 ? 1 : 0} { \fill (\x/20,\y) rectangle (\x/20+0.05,\y+0.3);} \draw[-stealth] (0,0) -- (15.5,0); \node[right] at (15.5,0.2) {t in ms}; \foreach \x [evaluate=\x as \v using int(20*\x)] in {0,...,15} { \draw (\x,-0.05) -- (\x,0.05) node[above] {\v}; enter image description here share|improve this answer That's beautiful. –  mac389 Sep 23 '12 at 12:45 How would I position the state diagram and the raster plot in the same tikz picture? –  mac389 Sep 23 '12 at 12:46 Just take the state diagram commands and put them in a shifted scope: \begin{scope}[shift={(x,y)}] <draw commands> \end{scope} –  Tom Bombadil Sep 23 '12 at 12:49 @Ahmed Musa: It's random numbers, so they are different after each compile. To make them stay constant, add \pgfmatsetseed{<number>} before the first foreach. I added it in the answer. –  Tom Bombadil Sep 23 '12 at 21:53 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8800
Take the 2-minute tour × What's wrong with multibib? multibib lets me split up my bibliography. But I have to specify manually (by \citeabc or \citedef), which bibliography entry belongs to which section. Also, it's not (really) compatible with LyX. What do I want? I want to create a book including natbib's author-date cites and bibliography using LyX. My \bibliography should be splitted into 2 parts: • @ELECTRONIC (Electronical resources) • non-@ELECTRONIC (Books, jornals etc.) My Question: What's the best way to automatically split up a natbib bibliography into an @ELECTRONIC and a non-@ELECTRONIC section (by the entrytype of the .bib file)? Thanks for your ideas, for your answers. - If my question isn't clear this way, please write a comment to inform me about that. An Example: % file.bib % file.tex \citep{Lundberg, Lundstein, Lundmaier} should result in: == Bibliography == = Books and Jornals = Lundberg, Ulla-Lena ... Lundstein, Hannah ... = Electronical Resources = Lundmaier, Tina ... share|improve this question have you already considered switching to biblatex? It should provide all the features of natbib as well as a mechanism where you can put bibliography entries to different bibliographies depending on various criteria (also entry type if I remember correctly). –  Benedikt Bauer Jan 8 '13 at 21:40 Thanks for your suggestion (my first upvote ever ;-) ). - I don't know much about biblatex, so I'll try to get some informations about biblatex and comment again later on. –  fdj815 Jan 8 '13 at 22:03 I created my own .bst using custom-bib's makebst and I really need that style. - Do you know: Is there any way to port/convert/use .bsts for biblatex? (Or at least: Is there a nice toolkit for style creation like makebst for biblatex?) –  fdj815 Jan 9 '13 at 0:29 Unfortunately it looks like there isn't any such tool yet. Compare Is there a WYSIWYG editor for biblatex styles? –  Benedikt Bauer Jan 9 '13 at 7:41 @BenediktBauer Thanks, I'm going to take a look at that... –  fdj815 Jan 9 '13 at 9:32 show 2 more comments 1 Answer up vote 2 down vote accepted My solution based on the biblatex package looks as follows: author = {A. Author}, title = {Funny website}, urldate = {2013-01-09}, url = {http://www.example.org}, author = {B. Bthor}, title = {A Book of whatever}, date = {2012}, author = {C. Cthor and D. Dthor}, title = {Writing interesting articles}, journaltitle = {The Journal of References}, date = {2010-12-01}, natbib=true, % natbib compatibility mode \printbibheading % print heading for all bibliographies nottype = online, % Put here verything that is NOT of the type "online". % The "electronic" type is just an alias to "online" title={Books and Journals}, % title of the subbibliography heading=subbibliography % make bibliography go one sectioning level lower type=online, % Put only references of the type "online" here. title={Electronic Ressources}, enter image description here As I have never used LyX I cannot tell how to integrate this into the LyX workflow. But as you told that you managed to create a suitable biblatex style I guess that you already managed to get biblatex working in LyX. share|improve this answer Very thanks - That's what I needed. –  fdj815 Jan 9 '13 at 20:54 add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8815
Tolkien Gateway Folco Boffin Revision as of 00:26, 11 March 2007 by Hyarion (Talk | contribs) Folco Boffin (S.R. 1378) was the son of Vigo Boffin and a friend of Frodo Baggins in the Shire. He assisted with Frodo's removal to Buckland. Folco left no further records, and his date of death is not known.
global_01_local_0_shard_00000017_processed.jsonl/8816
Tolkien Gateway Sidney Barrowclough Revision as of 22:55, 23 July 2011 by Mith (Talk | contribs) Sydney Barrowclough was a member of the T.C.B.S.
global_01_local_0_shard_00000017_processed.jsonl/8820
60 NYT > Pluto (Dwarf Planet) - Narrowed by 'PLANETS' http://topics.nytimes.com/top/news/science/topics/pluto_planet/index.ctx?s=oldest&field=des&match=exact&query=PLANETS&&partner=rssnyt &lt;p&gt;Pluto was discovered in 1930 as a result of an extensive search by astronomer Clyde Tombaugh. Some astronomers have long argued that Pluto's small size, less than one-fifth the diameter of Earth, and a weird tilted orbit that takes it inside Neptune every couple hundred years make Pluto more like a Kuiper Belt body than a full-fledged planet. On August 24, 2006, the International Astronomical Union passed a new definition of planet that excludes Pluto and puts it in a new category of "dwarf planet."&lt;/p&gt;&lt;p&gt;Articles about Pluto published in the New York Times appear below.&lt;/p&gt; Copyright 2014 The New York Times Company en-us 16 Mar 2014 00:00:00 EDT http://graphics8.nytimes.com/images/section/NytSectionHeader.gif NYT http://www.nytimes.com
global_01_local_0_shard_00000017_processed.jsonl/8821
Chuck Colson Recommend this article Since 1981, Ratzinger has been the head of the Congregation for the Doctrine of the Faith. Apart from the late John Paul II, he has more than anyone else shaped the Catholic Church?s response to the secular worldviews infecting the West. In his homily prior to the start of the conclave that elected him pope, Ratzinger warned, ?We are moving toward a dictatorship of relativism which does not recognize anything as for certain and which has as its highest goal one?s own ego and one?s own desires.? Christians are to illustrate the alternative. The new pope?s refusal to bow before the idols of our age is enough to set some people?s teeth on edge. But he does not stop there: In his new book, Ratzinger calls on Europe to return to its Christian roots. He calls Europe?s ?passionately demanded multiculturalism? a ?renunciation? of and ?fleeing? from ?what is one?s own.? By ?one?s own? he means Christianity, and he writes that only a re-embrace of its Christian roots can assure Europe?s survival. With these views, it is easy to see why his election ?alarmed? the elites. In the lead paragraph of its story, the New York Times signaled its displeasure by using words like watchdog, uncompromising, and ultraconservative. That was mild in comparison to the reaction of the British newspapers. Both prior to and after his election, their headlines made sure to point out that Ratzinger had been a member of Hitler Youth. They neglected to mention that such membership was compulsory and that Ratzinger, who came from a staunchly anti-Nazi family, deserted the Wermacht shortly after being drafted. I was asked by an interviewer if the new pope would accommodate modern fashions. My answer was, ?I hope not.? Fashions come and go; the Church speaks eternal truth. Recommend this article Chuck Colson
global_01_local_0_shard_00000017_processed.jsonl/8824
View Full Version : Tennis sponsors... 11-25-2007, 09:16 AM Do you think it would be likely for someone to have a racquet sponsor like Wilson, but then they used another big company's overgrips like Prince? 11-25-2007, 10:38 AM well, the most obvious example is any player that uses tourna grip. not really the same as wilson vs. prince (because they each make racquets and all), but is somewhat similar. tourna is very unique, and there aren't any other overgrips that i know of that are comparable to it. i think that if a player didn't like the grips their sponsor produced, they would probably use something they liked more (but would probably use their company's finishing tape so you couldn't tell). if it were someone like fed or nadal, the company would probably make a line of grips that were just what they wanted. maybe others have info on exactly what grips people use on what sticks. i don't really follow all of that to a T, but others could prob shed some light on it.
global_01_local_0_shard_00000017_processed.jsonl/8827
View Full Version : Gosen Micro generic 660 not the same string. 07-06-2004, 06:52 AM I know this topic has been covered before, but I've finally received an OG Sheep Micro 660 spool that feels completely different than the 330 or individual package. The label on the 660 is nearly identical to the 330 - as the TW caption states, they should be the same string. The playability, however, is quite different. The latest 660 reel plays very stiff, not like a synthetic gut, but more like a polyester. There is a lot of control, but very little feel and power which is what I like about the OG Sheep Micro in general. There is feedback in the 660 reel section that hits the nail on the head about the comparison to poly. IMO, TW should remove the statement about the string being the same as the OG Sheep Micro when it is clearly different.
global_01_local_0_shard_00000017_processed.jsonl/8840
From Uncyclopedia, the content-free encyclopedia Revision as of 14:27, November 4, 2012 by Matt lobster (talk | contribs) Jump to: navigation, search F9 the movie took over 250 million dollars worldwide. "F9" or "Function Key number 9" as the Queen calls it, is the only key on a modern computer keyboard for which there has never been a verified instance of it being pressed. edit F9 History In 1997, Sir Isaac Newton discovered his need for another Function Key. He pondered that there was F8 F10, but no F9. He created Newton's Laws of Universal Function 9 Key. F9 is the only key on the modern keyboard to which its exact origin is not known. It was mentioned in the Old testement in JOB Chapter F verse 9. "And God said unto that bloke from earlier that he should never press such a button. To do so would be as to suck a horse." Despite such biblical warnings, almost all keyboards up until 2003 had an F9 key. edit Lotus Notes Such is the fear surrounding the F9 key, people were shocked when, in 1996, Lotus Notes decided that this button would be the one users had to press to update their email inbox. As a consequence nobody has ever been able to read any correspondance using the Lotus Notes system. edit Suspected Pressing of F9 On January the 12th 2003, Jack Skaner, a fourteen year old school kid from Wey-hey-mouth in England, told his parents that he was going upstairs to do research for his homework on the internet. As usual his parents reminded him not to press "F9". "Don't worry mummy.", reportedly came the reply. That was the last time Mr and Mrs Skaner saw Jack. It later emerged that Jack had been boasting to his classmates that "he was definitely going to press it" and that "F9 is a pussy button for pussys." edit FAF9 In February 2003, a month after the unexplained disappearance of Jack Skaner, Kate Skaner, his mother, formed, with several other concerned parents, FAF9, Families Against F9. Their aim was to spread awareness of the dangers of specific keys. "Computer Keyboard manufacturer's need to take a greater responsibility for their function keys", Mrs Skaner remarked at the campaign launch, "whilst F9 is such an unknown and volatile quantity, parents need to supervise their kids whilst they are using computer equipment." IBM Safety Keyboard - Beauty aint she?. edit Safety Keyboards In March 2003, partly as a result of the FAF9 campaign, Dell became the first company to produce a "Safety Keyboard". The Safety Keyboard was identical to a normal keyboard but with the F9 key removed. Almost all keyboard manufacturers have now followed suit. edit F9 Movie A movie entitled 'F9'was made of the John Skayner story starring Kevin Spacey. The keyboard used had an extra F8 instead of an F9. CGI was used to superimpose F9 onto the extra F8 key so it looked as if it had been pressed by Spacey. Look but don't touch! edit F9 and this article You do realise... that to get to this page you probably pressed the F9 key on that virtual keyboard down there? That tingling sensation you are now feeling is God being angry with you. edit F9 Trivia - Marilyn Manson claims to have traced his bloodline back to the Key F9 - Apple computers actually use F9 for something! Personal tools
global_01_local_0_shard_00000017_processed.jsonl/8841
From Uncyclopedia, the content-free encyclopedia Jump to: navigation, search edit English edit Verb defraud (third-person singular simple present defrauds, present participle defrauding, simple past and past participle defrauded) 1. to take the fraudiness away from someone Personal tools
global_01_local_0_shard_00000017_processed.jsonl/8845
The Last Codfish JD McNeill Henry Holt and Co. The Last Codfish TUT ROLLED THE NOTE into a thin tube and stuffed it inside the wine bottle. Then pounded in the cork with the palm of his hand. He was alone on the wide rock at the end of Sutter's Point. The wind came off the ocean hard and cold, roaring in his ears, drowning the sounds of the waves below. He turned like a discus thrower. When he neared the edge of the rock, he let go of the bottle. It seemed to hang for just a moment at the highest point of the arc and then fell, dark and sparkling, into the gray water. The tide was going out. Most of the fishermen had already come in. But there was still no sign of his father's boat. The worry of it gnawed at his insides. Tut shaded his eyes with his hand, trying hard to see what wasn't there. Mr. White had told him once that worrying didn't do a lick of good. But right now worryseemed to be the best-possible option to Tut. It prepared him for what might be hiding, just out of sight. "Hi!" a girl's voice came from behind him. It was the new girl who had moved into town a few weeks ago. She was dressed in thick-soled sneakers, jeans, and an oversized sweatshirt. Tut's grandmother, Esta, would have taken one look at her and said, "She's from away." "My name is Alex," she said, holding out her hand to him. He had no idea what to do with that, so he turned back to the sea. The water was the same color as Alex's eyes. Her hair was like the dark seaweed that floated in the waves. Tut bit his lower lip. The taste of salt reminded him of how hungry he was. "They say you don't talk," Alex said, sitting down beside him. "Is it because you can't or because you won't?" Tut wished there was some way to jump off Sutter's Point without breaking both legs. Death by fire ants? was the first thing that came to Tut's mind. He kept his hands still, resisting the urge tosign the words. Across the channel a wide band of wet stones showed how low the tide was getting. In another hour the channel would be too shallow for a boat the size of his father's to come in safely. The current beyond the islands would be roaring now. If his father came up from the south, he'd be okay ... . Every once in a while his father stayed out all night. Tut never knew when one of those nights would be. "How did you lose your voice?" Alex's words drew him back. "Our landlord said you talked when you were little. Here," she said, and held out a pad of paper and a stubby pencil. "I always carry paper with me. I hate it when I think of words that are just right and later when I try to remember them, they're lost. If you write, then we'll be able to communicate." Tut hadn't spoken since his mother died. From that moment words stopped for him and he couldn't seem to get them started again. He'd learned to trust silence. He looked out again to the open sea. That was what he was used to, the sounds of sea and wind, and waiting for his father to come home. There was a small gray dot coming from the south. He willed it to be his dad. Alex's arm brushed his. He didn't want to, but he looked at her. The wind blew her hair back from her face and she smiled into it. "What are you looking for?" she asked. Their eyes locked until Tut couldn't stand it anymore. He looked back out. It was his father's boat. He started running toward the harbor. It felt good to be moving away from her, up the thin trail of sand that cut through the heavy sea grass. He ran hard, all the time hoping she wasn't behind him. One more dash and he was up over the side of the bank and the harbor spread out in front of him like a painting. The long pier stood high above the low water. Gulls flew in loose circles above the boats. The flash of red and orange, yellow and green, on the different boats brought names to Tut's mind. The MacGregors, Wheelers, Nathan Briggs, and the others. Tut thought of their faces as he emptied the sand from his shoes. Over the roof of the fish market he could see the white shape of the Merry Anna II coming in much too fast. Her wake made the moored boats bob up and down against their ropes. Tut worried that they'd break. Someday the harbormaster would fine him. Tut knew the man turned his back out of pity. Everyone pitied Winston Tuttle, especially Winston Tuttle himself. Tut ran quickly over the gravel parking lot. His feet sounded like a drum on the gray dock boards. The boat's motor shifted to reverse to slow her down. Theengine was cut and she glided silently up to the side of the dock. His father threw Tut the bow line without a word. He caught it and tied it secure. He tied the stern line too, then jumped down onto the deck to help with the catch. The air smelled of exhaust, fish, and whiskey. "Did ya ever see such a pitiful catch in yer life, Tut?" his father moaned as Tut pulled the fish from the hold. "Look at that scrawny bluefish. Whose going ta buy that? And that codfish, Tut, it's the size of a sardine, fer cryin' out loud! Who in hell's going to want a cod like that?" His father's black hair curled around the edges of his hat. His wide shoulders filled the jacket he wore, but the bottom of it hung loose. He didn't eat right and Tut worried about that too. Tut had to get the fish to the market. He used the crane to lift it up onto the dock, then pushed it over the worn planks. The boat's motor droned as it moved to the mooring. Tut hoped his dad would be careful. "Kept open just for you, Tut," Mr. White bellowed from the far end of the building. He walked like he was moving down the rolling deck of a ship instead of the flat wooden floor. "Why, look at that," he said. "You know I haven't seen a decent cod in three weeks. This one here's perfect eatin' size." Tut watched the man's big hands. Mr. White put hisfinger on the scale so that the fish weighed more. Tut's face burned with shame. He knew that Mr. White did that often. When he was done weighing the fish, he gave a handful of bills to Tut. It amazed Tut how his father could hardly walk but could jump from the big boat into the skiff night after night and not fall into the sea and drown. When he got to shore, he threw his arm over Tut's shoulders and they headed for the marsh path. Tut saw Mr. White turn off the lights in the market, then stand in the dark door, watching them as they walked past. Copyright © 2005 by Joyce Darling McNeill
global_01_local_0_shard_00000017_processed.jsonl/8859
Brendan Hughes Plus Wellfleet, Los Angeles, New York User Stats Profile Images User Bio Brendan Hughes grew up in a commune outside of Boston, on a piece of land originally owned by the inventor of rubber gloves. There, he routinely napped in the sun on the stomach of a lazy bull named Stanley. He is a director of stage, film and opera, a writer, an acting teacher and graphic artist. Currently he is hard at work on a feature film about his parents' love story. External Links 1. Adam OByrne 2. Eric Kissack 3. Jeff Zinn 4. Libby Cuenin 5. Soviet Montage 6. OK Go 8. david j dowling
global_01_local_0_shard_00000017_processed.jsonl/8874
Take the 2-minute tour × I want to add my hometown on my Facebook Timeline but there isn't a matching option. It's an actual suburb (Dulwich Hill, New South Wales) but it doesn't have the option for me to add it to my info, so I have to choose the nearest suburb to me. How can I add a location or suburb to my hometown field in Facebook when it's not one of the suggested locations? share|improve this question add comment 1 Answer Create a new place and checkin to it https://www.facebook.com/help/?faq=175921872462772 then you should be able to add the new place as a hometown. share|improve this answer add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8875
Take the 2-minute tour × I have been reading on here and Google results for a few hours now including this question and the links therein and many others. Including a URI building styleguide from the w3c and others. I have settled on a format, I understand about apache, redirects, file extensions, and SEO. I am pretty sure (and it seems to be confirmed in the link to the Google Webmasters in the first question) that I understand but it just seems wrong... mysite.com/directory/specific-page/ is OK for a file, right? (with trailing slash "/") It doesn't necessarily mean that it is pointing to the index or default file in the /specific-page/ folder, right? It is significant mainly because while I am using blogging software for my blog, I am hand-coding (to retain more control) the rest of the site. It is entirely plausible to me that WordPress would, rather than creating pages/files would actually create directories with index/default pages in them. Up until now, I always thought that the trailing slash pointed to a directory's index page but that appears not to always be the case, is this correct? Sorry, I feel like this topic has been well-discussed, but that is part of what is causing me problems. I should note, I was leaning towards omitting the trailing slash from all pages, CMS generated or not, until I found this article from 2008 about the lack of a slash causing problems with Pingbacks in WordPress. share|improve this question Hi all, sorry for my--in retrospect--poor wording, as the people who have answered this question figured out, when I said "file" I really meant page as in 'mypage.html.' While my phrasing was poor, I did realize that other file types (for instance .pdf) should be designated as such. Sorry for the confusion. –  adam-asdf Aug 22 '12 at 6:39 add comment 2 Answers up vote 3 down vote accepted The key point to understand here is that a URL is an abstract concept. In fact, they should technically be referred to as a URI (Uniform Resource Indicator, rather than Uniform Resource Locator). In short, when a browser or user-agent makes a request to a URI, the server can return any content, with any headers. If you mean a binary file like an image, document or zip file, it should be avoided. As described above it's technically possible to serve files this way, but it could be confusing for users. Use an actual file name if possible. If you mean a web page (HTML file), yes it is fine. Again, you can make the server return whatever you like. It just happens that returning an index.html is the default behaviour on most servers. Yes. Apache will usually look for a folder in the specified location but there does not have to be one there if you configure something different via htaccess. And the "index page" could be any file. share|improve this answer add comment No, a trailing slash is not acceptable for files. You're going to need to set up canonical names on Apache. Now, what you're talking about is simply a sort of redirect. A canonical name is simply an alias of another name. So, if you want to reference a file, it would be mysite.com/directory/specific-page/ is an alias to mysite.com/directory/pages/specific-page.php. Files are always referenced with an extension. The reason for this is because of MIME types, so the browser knows what to do with the file that is delivered from the server. It sounds like you've been in learning mode for a while now, and I don't want to information overload you, however you might benefit from learning how the client/server relationship works. This will help you visualize exactly what is happening when someone requests your site (thus making all of the other stuff simpler). share|improve this answer OK, I read all of the above, and a fair amount of the apache docs on mod_rewrite for the version my server uses. MIME types and the basics of a server I was familiar with, and much of the MIME type configuration is included by my host (I am also using HTML5 Boilerplate). So let me summarize, clarify, and ask...While the file on my server will always have a file extension (and therefore a MIME type), I can use mod_rewrite to point a URL without a file extension and with a trailing slash to exactly where that file resides, correct? –  adam-asdf Aug 21 '12 at 12:15 I also noticed in the Apache FAQ that you cannot make a url case insensitive, but I also noticed the "[NC]" flag, I interpret this as you can make the matching to what you'd use on the web match (the canonical link) any case but not the path the the file. Is this correct?...Last but not least, if I create a canonical rewrite rule, is it safe for me to skip adding one to the header of my html documents? I think, I got it, just want to be sure because this is brand spankin' new to me. –  adam-asdf Aug 21 '12 at 12:23 After processing a bit more (the /pages/ folder in your example threw me off)...I was thinking about how I don't explicitly set the file path. Since I'm on shared hosting my entire account resides in a directory that is a directory above my /public_html/ folder (my site). If I am interpreting all this correctly, my folders and files are arbitrary (to the server) and are themselves canonical names that I have designated for wherever the file actually resides. Which explains why a trailing slash wouldn't really matter and why empty folders don't FTP (they are meaningless). Once more: Correct? –  adam-asdf Aug 21 '12 at 13:22 Canonical names are simply to aid in SEO and for the users. The trailing slash won't ever be on a file because that would make the file extension different (e.g. .txt/, .html/, .aspx/) and the browser (and server) won't know what to do with it. However, the canonical name itself may contain that trailing slash. To make it easier for users and more confusing for developers (the common trend), the trailing slash can be used for a myriad of purposes - one being for folders. You should put the canonical meta tag in your HTML documents for SEO (to not link to duplicate content). [Continued...] –  Christopher Aug 21 '12 at 13:37 As for your last question, the /public_html/ folder in your server is common. Imagine the directory /public_html/ as being a sort of root. It's like the C:/ drive on your computer, but one step above that. As far as your website is concerned, everything is contained inside of /public_html/, so there's no point to reference it. Anything above or outside of your /public_html/ folder is all server-side files (or FTP). I would caution against deleting any folders above /public_html/ as it won't harm you and it might be there for an important reason. –  Christopher Aug 21 '12 at 13:42 show 3 more comments Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8879
From Eclipsepedia Jump to: navigation, search • Borislav Kapukaranov - SAP • Hristo Iliev - SAP • Violeta Georgieva - SAP • Katya Todorova - SAP • Glyn Normington - VMware • Chris Frost - VMware 1. Glyn has started to integrate the region graph into the kernel on the branch. 2. Chris is working on bugs, reviewing the Gemini Web documentation, tooling CQs, and removing Felix dependencies. 3. Borislav's Declarative Services branch is nearing completion with one test failure to address. He is also looking at a bug. 4. Hristo has done some work on the telnet console. 5. Violeta is working on Tomcat 7 support and looking at how to obtain the Java EE APIs. 6. Katya gave an overview of how p2 could support the kernel and user region. As Glyn had to leave the call early, he and Katya will discuss p2 and Virgo separately.
global_01_local_0_shard_00000017_processed.jsonl/8880
Jetty/Feature/Stress Testing CometD From Eclipsepedia < Jetty‎ | Feature Revision as of 15:23, 23 April 2013 by (Talk | contribs) Jump to: navigation, search These instructions describe how to stress test CometD from Jetty7 running on Unix. The same basic steps apply to Windows or Mac; please feel free to add details and terminology specific to these platforms to this wiki. The basic steps are: Configuring/tuning the operating system of the test client and server machines The operating system must be able to support the number of connections (file descriptors) for the test on both the server machine and the required test client machines. For a Linux system, change the file descriptor limit in the /etc/security/limit.conf file. Add the following two lines (or change any existing nofile lines): * hard nofile 40000 * hard nofile 40000 You can tune many other values in the server stack; the zeus ZXTM documentation provides a good overview. Installing, configuring and running CometD The CometD client and server are now in the CometD Project at The Dojo Foundation, including downloads and documentation. Installing, configuring and running the Jetty server Jetty installation is easy to accomplish. See Downloading Jetty, and How to Run Jetty. Editing the Jetty configuration for CometD testing For the purposes of CometD testing, you need to edit the standard configuration of Jetty (etc/jetty.xml to change the connector configuration as follows: • Increase the max idle time. • Increase the low resources connections. The relevant section to update is: <Call name="addConnector"> <New class="org.eclipse.jetty.nio.SelectChannelConnector"> <Set name="lowResourcesConnections">25000</Set> To run the server with the additional memory needed for the test, use: java -Xmx2048m -jar start.jar etc/jetty.xml You should now be able to point a browser at the server at either: • http://localhost:8080/ • http://yourServerIpAddress:8080/ Specifically try out the CometD chat room with your browser to confirm that it is working. Running the Jetty Bayeux test client The Jetty CometD Bayeux test client generates load simulating users in a chat room. To run the client: cd $JETTY_HOME/contrib/cometd/client • lib/cometd/ • lib/cometd/cometd-client-6.1.19.jar • lib/cometd/cometd-server-6.1.19.jar The client has a basic text UI that operates in two phases: 1) global configuration 2) test runs. An example global configuration phase looks like: # bin/ 2008-04-06 13:43:57.545::INFO: Logging to STDERR via org.eclipse.log.StdErrLog rooms [100]: 10 rooms per client [1]: max Latency [5000]: Use the Enter key to accept the default value, or enter a new value and then press Enter. The parameters and their meaning are: • server–Host name or IP address of the server running Jetty with CometD • 8080–Port (8080 unless you have changed it in jetty.xml) • context–Context of the web application running CometD (CometD in the test server). • base–Base Bayeux channel name used for chat room. Normally you would not change this. • rooms–Number of chat rooms to create. This value combines with the number of users to determine the users per room. If you have 100 rooms and 1000 users, then you will have 10 users per room and every message sent is delivered 10 times. For runs with >10k users, 1000 rooms is a reasonable value. • rooms per client–Allows a simulated user to subscribe to multiple rooms. However, as these are randomly selected, values greater than 1 mean that the client is unable to accurately predict the number of messages that will be delivered. Leave this at 1 unless you are testing something specific. • max Latency–Instructs Jetty to abort the test if the latency for delivering a message is greater than this value (in ms). After the global configuration, the test client loops through individual tests cycles.¬† Again, press Enter to accept the default value. Two example iterations of the test cycle follow: clients [100]: 100 clients = 0010 clients = 0020 clients = 0030 clients = 0040 clients = 0050 clients = 0060 clients = 0070 clients = 0080 clients = 0090 clients = 0100 Clients: 100 subscribed:100 publish [1000]: publish size [50]: pause [100]: batch [10]: Got:10000 of 10000 Got 10000 at 901/s, latency min/ave/max =2/41/922ms clients [100]: Clients: 100 subscribed:100 publish [1000]: publish size [50]: pause [100]: batch [10]: Got:10000 of 10000 Got 10000 at 972/s, latency min/ave/max =3/26/172ms The parameters that you can set follow: • clients–Number of clients to simulate. The clients are kept from one test iteration to the next, so if the number of clients changes, or an incremental number of new clients are created or destroyed, take that into account here. (Currently reducing clients produces a noisy exception as the connection is retried. You can ignore this exception). • publish–Number of chat messages to publish for this test. The number of messages received is this number multiplied by the users per chat room (which is the number of clients divided by the global number of rooms). • publish size–Size in bytes of the chat message to publish. • pause–A period (in ms) to pause between batches of published messages. • batch–Size of the batch of published messages to send in a burst. While the test is executing, a series of digits outputs to show progress. The digits represent the current average latency in units of 100 ms. For example, 0 represents < 100 ms latency from the time the client published the message to when it was received. And 1 represents a latency >= 100 ms and < 200 ms. At the end of the test cycle the summary is printed showing the total messages received, the message rate and the min/ave/max latency. Interpreting the results Before producing numbers for interpretation, it is important to run a number of trials, which allows the system to "warm up." During the initial runs, the Java JIT compiler optimizes the code and populates object pools with reusable objects. Thus the first runs for a given number of clients is often slower. This can be seen in the test cycle shown above where the average latency initially grew to over 200 ms before it fell back to < 100 ms. The average and maximum latency for the second run were far superior to the first run. It is also important to use long runs for producing results for the following reasons: • To reduce any statistical effect of the ramp-up and ramp-down periods. • To ensure that any resources (for example, queues, memory, file descriptors) that are being used in a non-sustainable way have a chance to max out and cause errors, garbage collections or other adverse affects. • To include in the results any occasional system hiccups caused by other system events Typically it is best to start with short, low-volume test cycles, and to gradually reduce the pause or increase the batch to determine approximate maximum message rates. Then you can extend the test duration by increasing the number of messages published or the number of clients (which also increases the message rate as there are more users per room). A normal run should report no exceptions or timeouts. For a single server and single test client with one room per simulated client, the number of messages expected should always be the number received. If the server is running clustered, the messages received reduce by a factor equal to the number of servers. Similarly, if you are using multiple clients, since each test client sees messages published from the other test clients, the number of messages received will exceed the number sent. Testing load balancers When testing a load balancer, be aware of the following: • Start with a cluster of one so that you can verify that no messages are being lost. Then increase the cluster size. • You will not have exact message counts, and must adjust according to the number of nodes. • It is very important that there is affinity, as the Bayeux client ID must be known on the worker node used, and both connections from the same simulated node must arrive at the same worker node. However, the test does not use HTTP sessions, so the balancer must set any cookies used for affinity (the test client handles set cookies). In reality, IP source hash is a sufficient affinity for Bayeux, but in this test, all clients come from the same IP address. Also note that the real dojo CometD client has good support for migrating to new nodes if affinity fails or the cluster changes. Also a real chat room server implementation would probably be backed by JMS so that multiple nodes would still represent a single chat space.
global_01_local_0_shard_00000017_processed.jsonl/8883
I have a laptop running Windows 2000 Professional with Service Pack 1 (SP1) and Microsoft Internet Explorer (IE) 5.5. I accidentally powered off the laptop without properly shutting it down, after which my laptop was extremely slow performing simple tasks such as browsing my local drives and copying text from applications (e.g., Microsoft Word) to Visual Basic (VB). In addition, whenever I started IE, the system presented a dialog box explaining that an unexpected error had occurred, then IE would shut down. I tried reinstalling SP1 and IE and ran Chkdsk, but without success. Not until I used another account to log on to the system did I realize that the problems occurred only when I was logged on under my account. I backed up my personal files and settings, then right-clicked My Computer, selected Properties, and discovered on the User Profiles tab that my original profile was larger than 5MB. I deleted the profile, rebooted, and logged on to my original account. Suddenly, everything was back to normal. I've since had similar difficulties with a few other workstations in my office, and this solution has resolved all the problems.
global_01_local_0_shard_00000017_processed.jsonl/8884
Antivirus solutions are an important part of most business networks. The criminals who write and release viruses are increasingly prolific and clever at distributing their "products." Their industriousness and skill argues in favor of keeping antivirus scanners at your network perimeter, on your desktop machines, and on your Exchange Server systems. However, the cure might sometimes be worse than the disease. I've noticed a worrisome trend: Many Exchange administrators are having trouble with their server-based antivirus products, usually because of two simple problems that can easily be corrected. The first problem is that in some cases, antivirus scanners cause email to stop flowing to users. The precise cause of this problem can be difficult to isolate, but the symptoms are unmistakable: Users stop getting new email from the outside world. Stopping and restarting the scanning service will sometimes resolve the problem. Depending on the antivirus product you use, you might be able to use its management tool to pinpoint the problem, or you can use Exchange System Manager's (ESM's) queue-viewing tools to determine whether mail from particular origins is arriving at your Exchange servers normally. You'll probably find that the problem is caused by your antivirus software's failure to keep up under load, or by its behavior when it encounters a particular type of malformed (or poorly formed) message. If disabling the antivirus service solves the problem or if you can localize the problem to a single message, you've found an extremely valuable clue as to the cause of the issue. Also, stoppage might be because your perimeter SMTP scanner has stopped accepting mail or has fallen behind in its scanning. Exchange-aware scanners that use the Virus Scanning API (VSAPI--see "You Had Me At EHLO" at for a description) typically perform on-demand scans that aren't subject to this problem. The second problem is both more serious and easier to avoid. For years, the understood best practice has been to avoid running file-level antivirus scanners on Exchange servers. Why? Because those scanners look at patterns of data within individual files, quarantining or "cleaning" files that contain patterns that match virus signatures. Guess what happens if your scanner quarantines an Exchange database file? Nothing good, that's for sure: - If the EDB or STM file is quarantined, Exchange won't be able to mount the Store. If the file is quarantined while still opened by Exchange, the results are unpredictable but will frequently include -1018 errors. The Microsoft article "Error events are logged when the Exchange Server database service is denied write access to its own .edb files or to the .chk file" ( ) provides details about this particular type of misbehavior. - If a transaction log file is quarantined, Exchange will notice the missing file when you next try to mount that Store, and the database won't mount. - If the checkpoint log file is quarantined, the database won't be mountable, and you might notice other problems (including -1811 errors). The Microsoft articles "Error events are logged when the Exchange Server database service is denied write access to its own .edb files or to the .chk file" and "XADM: Database Won't Start; Circular Logging Deleted Log File Too Soon" ( ) describe typical results of this situation. If you run into one of these situations, your only option to get the file back is to release it from quarantine, restore it from a backup, or recreate the database by playing back your log files. Microsoft recommends against using file-level scanners on Exchange databases, log files, Message Transfer Agent (MTA) files, and SMTP queues (see the Microsoft articles "Overview of Exchange Server 2003 and antivirus software" at or "Exchange and antivirus software" at Many experienced administrators know this advice, but more than a few do not. As part of your job-security program, please make sure the folks you work with are in the former category. One last note about virus cleaning: Don't assume that an infected machine is OK just because you used an antivirus tool to clean it. Such cleaning can get rid of simple infections such as those caused by Blaster, but sophisticated malware can pass through cleaning. Serious infections might require you to flatten and rebuild the machine.
global_01_local_0_shard_00000017_processed.jsonl/8892
Take the 2-minute tour × These are the functions I use in my theme to display the "entry-meta" which includes published and last modified dates (among others) of an article: // Shows Author and Published Date if ( ! function_exists( 'reddle_posted_on' ) ) : function reddle_posted_on() { printf( __( '<span class="byline">Posted by <span class="author vcard"><a class="url fn n" href="%5$s" title="%6$s" rel="author">%7$s</a></span></span><span class="sep"> &mdash; </span><span class="entry-date"><time datetime="%3$s" pubdate>%4$s</time></span>', 'reddle' ), esc_url( get_permalink() ), esc_attr( get_the_time() ), esc_attr( get_the_date( 'c' ) ), esc_html( get_the_date() ), sprintf( esc_attr__( 'View all posts by %s', 'the-wolf' ), get_the_author() ), esc_html( get_the_author() ) // Shows Last Modified Date if ( ! function_exists( 'reddle_last_modified_on' ) ) : function reddle_last_modified_on() { printf( __( 'Last updated on <time class="updated" itemprop="dateModified" datetime="%2$s">%3$s</time>', 'reddle' ), esc_attr( get_the_modified_time() ), esc_attr( get_the_modified_date( 'c' ) ), esc_html( get_the_modified_date( 'F j, Y ~ H:i' ) ) Do you see anything wrong with these functions? The problem is, despite setting the time zone of my blog to GMT-05:00 (-04:00 DST) in WordPress Dashboard > Settings > General the timestamp that is output shows GMT+00:00. Any idea why? share|improve this question add comment 3 Answers up vote 3 down vote accepted The issue is that for correct output WP needs to process date through date_i18n() function. When you use date format, hardcoded in PHP code (not simply saved in PHP DATE_* constant) like 'c' - it's not available to your code and so for WP to process. System-wide fix would be to re-process date with analogous format that can be accessed by WP code: add_filter( 'date_i18n', 'fix_c_time_format', 10, 4 ); function fix_c_time_format( $date, $format, $timestamp, $gmt ) { if ( 'c' == $format ) $date = date_i18n( DATE_ISO8601, $timestamp, $gmt ); return $date; share|improve this answer add comment WordPress automatically sets the server's timezone in PHP to GMT. This is to make any date manipulations consistent - and if changed, can cause some errors. This means any native functions like date will interpret any date to be in the GMT (or UTC) format. Similarly the timezone for DateTime objects will be UTC. You should not really change this, as this may have unintended consequences. The problem The problem with using, say get_the_modified_date( 'c' ) is that the date-time it gets (say 2012-06-14 11:55:00) references the modified date in the blog's timezone. When the date is formated using the 'c' - it is assumed that the above date-time is in the UTC timezone. If using any format which (unlike 'c') doesn't include the timezone then you should be fine. (A unix timestamp, by the way, does implicitly reference a timezone). How to view dates in WordPress Its best practise to treat all dates in the UTC timezone and then only when displaying them, converting them to your local timezone. The solution get_the_modified_date( 'c', true ) instead ensures that the date-time it gets is in fact the date modified in the GMT (UTC) timezone. Now when it is formed using 'c', it is again (but now correctly so) assumed that the date-time is in the UTC timezone. Using a differenct timezone You could set PHP's timezone to your blog's timezone and then switch back again. But this isn't great. Instead, make use of PHP's DateTime object. A PHP datetime object will have timezone set to UTC, but this can be explicitly over-ridden in the construction of the object: $timestamp = get_the_modified_date( 'u', true ); //Correct date-time object in UTC $date_obj = new DateTime("@$timestamp"); //Displays 2012-06-14T14:32:11-00:00 echo $date_obj->format('c'); //Correct date-time object now in America/New_York timezone $date_obj->setTimezone(new DateTimeZone('America/New_York')); //Displays 2012-06-14T10:32:11-04:00 echo $date_obj->format('c'); If you are after the PHP DateTimeZone object of your blog's timezone, see this gist: https://gist.github.com/2724520 share|improve this answer Sensible answer. An alternative would be to use something else, other than c like Y-m-d\TH:i:sP as in get_the_date( 'Y-m-d\TH:i:sP' ); -- or -- DATE_W3C as in get_the_date( DATE_W3C ); –  its_me Jun 15 '12 at 12:24 add comment (Nevermind, follow the better answers above. Please do NOT edit this answer. It exists as a reference.) The Situation Most of the WordPress themes and plugins (especially ones by esteemed developers) use the c constant which outputs the timestamp in a format identical to this: 2012-06-14T10:32:11-00:00. For instance, <?php get_the_date( 'c' ) ?> would output something like this 2012-06-14T10:32:11-00:00. Initially I thought this is a thoughtless decision by them all, but then I've learnt that it's a timestamp format recommended by the World Wide Web Consortium, and has its own predefined date constant DATE_W3C. No more questions, period. Issues In WordPress Say for example, that in WordPress Dashboard > Settings > General I set the Timezone to New York. Now, this code <?php get_the_date( 'c' ) ?> in a template (themes or plugins as aforementioned) would output something like this: 2012-06-14T10:32:11-00:00 See the mistake? Yeah, when it SHOULD be this 2012-06-14T10:32:11-04:00 WordPress outputs this 2012-06-14T10:32:11-00:00 This is the case even with the themes and plugins developed by core WordPress developers. The date and time are absolutely right, wrt to the timezone that is America/New_York. But the timezone offset i.e. the difference to GMT/UTC is NOT. That's not a small problem, it's WRONG time! The solution At first I changed all instances of get_the_date( 'c' ); and get_the_modified_date( 'c' ); to get_the_date( 'Y-m-d\TH:i:sP' ); and get_the_modified_date( 'Y-m-d\TH:i:sP' ); respectively, and that seemed to have solved the problem (i.e. showing the right offset). The real problem was when I realized that I'd have to make these changes to a few plugins that I use (yes, they output timestamps, the Facebook plugin's open graph feature for example). This is not viable. So, I started looking for alternatives. Thanks to the examples in the PHP Manual functions reference for Date/Time, I realized that I could possibly override WordPress' Timezone setting with something like this in functions.php (right after the first <?php): And voila! get_the_date( 'c' ); and get_the_modified_date( 'c' ); now started showing the right date, time and timezone offset! One change to rule them all! Other Links Use Y-m-d\TH:i:sP instead of c -- timestamp format remains the same, but it shows the right time zone offset. This PHP Date() Cheatsheat was very helpful. share|improve this answer add comment Your Answer
global_01_local_0_shard_00000017_processed.jsonl/8912
Skip to navigation | Skip to content Universe a bit safer than we thought Colliding galaxies Two spiral galaxies collide, bringing two black holes together (Image: NASA and Hubble Heritage Team (StscI)) The Universe is not as violent a place as we thought, an Australian astronomer has found. Dr Alister Graham from the Research School of Astronomy and Astrophysics at the Australian National University in Canberra has published his research in the latest edition of Astrophysical Journal Letters. "Galactically speaking, things seem to be a little bit safer out there," said Graham, whose research supports the idea that the number of violent encounters between large galaxies is around one-tenth the number suggested by earlier studies. When two galaxies collide, the supermassive black holes (black holes 10,000 to one million times the mass of the Sun) at their centre go into a binary orbit around a central gravitational well. As this orbit decays, the black holes get closer and their combined massive gravitational pull strips the mass from nearby stars. Stars continue to be eaten up until the amount of mass stripped from them is equal to or bigger than the combined mass of the black holes. In the past, direct observations of galaxies suggested that there would have to have been multiple collisions to get enough mass to produce the size of the black holes seen at the centre of galaxies. But, said Graham, researchers had only been looking at galaxies which were the product of collision. "People had never carefully looked at the galaxies that hadn't been disrupted and had their centres stripped away," said Graham. Using the Hubble Space Telescope, Graham studied a sample of galaxies 100 million light years away. He compared the mass of black holes at the centre of collided galaxies, with the amount of star material available in galaxies that were not the product of collisions. He found that there was enough mass in the stars of an ordinary galaxy to produce a supermassive black hole in as little as just one collision with another galaxy. "In the past we thought we needed about 10 collisions to cause the damage we thought we were observing around black holes," he said. Graham's research provides the first direct evidence to support a theory that astronomers have been using for over a decade in their models of the Universe. But before this, their observations didn't fit the theory. It gives astronomers more confidence that their modelling of the Universe is "going down the right track", said Graham, who did his research while at the University of Florida. Tags: science-and-technology, astronomy-space
global_01_local_0_shard_00000017_processed.jsonl/8924
Chapter 11-style bankruptcy protection would hurt the economy By Eamonn Butler (July 16 2008) Cameron's "Chapter 11" idea seems to have come from a list of weekly headline-grabbers rather than through a long think-tanking process. Still, with the UK economy heading south, its timing is perfect. The idea of Chapter 11, which refers to a section of the United States Bankruptcy Code, is that individuals and firms can stave off bankruptcy and keep control of their assets while they reorganise themselves out. Individuals must agree to debt counselling and a repayment schedule. Businesses have to state all their financial information and file a recovery plan. Does it work? Well, some of the highest-profile Chapter 11 beneficiaries have been America's airlines, including Northwest and Delta (which went on to merge), ATA (which eventually failed), US Airways (limping along) and United (still in huge debt). It might have prevented the sudden shock of bankruptcy, but what eventually happened is probably what would have happened anyway. And America's airlines still look bloated. Compare that with the UK, where the threat of failure is much more acute, and where competitive, cost-conscious airlines like Easyjet and Ryanair are setting the pace. But the real problem with the UK's bankruptcy regime is not this. It's the fact that HM Revenue & Customs are first in the queue to be paid when a business fails. Not surprisingly, the biggest filer of bankruptcy petitions is HM Revenue & Customs. But the real problem with the UK's bankruptcy regime is not this. It's local authorities who willingly bankrupt people unable to pay a £1200 Council Tax bill, and HM Revenue & Customs, who have every incentive to force small traders out of business and pocket a fat bonus for the tax they recover, rather than working to help them through difficult times. Published by here Media Contact 07584 778 207 0207 222 4995
global_01_local_0_shard_00000017_processed.jsonl/9012
I looked at an early Leicaflex at a camera fair in France several years ago, and am still trying to figure out the "aerial image" that it presents to the user. Different from a "normal" ground glass image - and brighter. Thanks for your collected thoughts on the R6 shutter lag. I think it would bother me, the feeling that the camera doesn't react immediately when I press the shutter. My Leica RF cameras have spoiled me.
global_01_local_0_shard_00000017_processed.jsonl/9014
OK so I have been reading up on how to convert my old Kodak 116 folding camera to use 120 roll film and it seems quite easy but.....I thought, why not roll some 116 film? I have plenty of 70mm film. I bought some brass tubing and some washers from which I am confident I can fabricate 116 rolls. I have read the thread about "Exeter paper" for backing paper. Before I buy any, however, there is one missing ingredient: What are the exact dimensions of 116 backing paper (width and length) and where are the markings (film frame numbers etc) placed? If anyone can point me to an exact template, or has an old backing paper i could use as such, I would be obliged. I have seen some awesome pictures on the internet taken with the old Kodak Autographic Juniors, and I have even acquired a developing tank that will hold 116 film. So any help to enable to me to fabricate backing paper would be most appreciated.
global_01_local_0_shard_00000017_processed.jsonl/9016
turn the dial to the appropriate B&W program, shut the lid and turn the machine on.~~~~~~~~~~and after this, the machine will temper the water to 20c???? i will try later tonight. the machine seem so right without anything wrong. i just dont understand why it doesnt even do the water bath to temper the chemical before the process. btw, thank you so so so so much. i will post more later and see.
global_01_local_0_shard_00000017_processed.jsonl/9017
Quote Originally Posted by alarickc View Post Which is the idea behind this. There are 62k members on here; imagine if they all chipped in ten bucks to guarantee a new emulsion be made. $620k right there. Take the IR film. It's not economical because R&D is high, the film is short lived, and demand is low. Imagine if they did a Kickstarter to cover R&D and the first batch, and then offered it as a conditional part of the ULF run each year. If enough people preorder it they do a run. Then you can let demand build back up and maybe it takes three years for another run to happen, but at least it's still available in some form. I know that Ilford has some system where photographers pledge a certain amount and if there is enough demand they do a run, some of us are trying to get a run on 70mm PanF+ this year, however I don't know where this happens, I wish they would simply create an online sign up sheet with a deposit made as a pre-order, and if there isn't enough demand they refund the money? It seems simple to me, not sure why Simon hasn't just set up a site like that. Also technically like banks and such, if it's a 6 month wait on orders, they can make some % off the interest on the held monies which also helps them, it's a win-win. Just my take on it all...
global_01_local_0_shard_00000017_processed.jsonl/9018
There is a long thread on flickr about this film Generally people seem to like it, although like anything some are not so keen. It seems to be very similar to gold 100 but has been treated to allow room temperature storage even in hot climates. Printing characteristics are the same as gold 100. The only consumer films Kodak still lists are gold 200 and ultramax 400 although I've never found good info on colorplus/kodacolor which I think is still being made.
global_01_local_0_shard_00000017_processed.jsonl/9020
Quote Originally Posted by blansky I think the 1920-1930s were one of the most interesting times of that century. Don't know why but a lot of great writers and artists came out of that time. It was a time of enormous contrasts. In the US there was the unbounded prosperity of the 1920's followed by the economic collapse of the 1930's. The hey day of the Twenties was "sobered" by an unenforceable Prohibition against alcohol that fostered a disdain for government - to be followed by a Thirties that "slaked the thirst" while using the power of government to save many from deprivation. Meanwhile, in Europe you had total economic chaos on the Continent as Germany attempted to use inflation to absolve its unbearable war reparation debts leading to the rise of Fascism even while in Russia (and thus the nascent Soviet Union) the Communists were proclaiming their own vision of a "new order" to society. Lay on top of this an older European elite desparately trying to re-establish the pre-WWI order upon a world that they could no longer "control". The composer escapes me right now - but there is a famous "waltz" symphony written in the early 1920's that starts out very "formal" but slowly and inevitable "decays" to cacaphony - representing an ordered world that cannot be restored. The 1920's and '30's were times of social forment - so it is not surprising that there was a flowering of new forms artistic endeavors. They were echoed in the 1960's for different (but similar reasons). What is more interesting is that since the latter era - the arts, and the society they reflect, have been derivative and quiescent. Perhaps there will one day soon be a volcanic explosion of both?
global_01_local_0_shard_00000017_processed.jsonl/9022
The enlarger lamp is probably not bright enough. I use a R-30 reflector flood (45 watt) from any hardware store. The 300w are expensive and usually you'd have to special order. I filter the amidol with a filter flask and DE (do not ask me to spell it) first filtration. Second with coffee filters no DE. See the AZO forum. I would not recommend the Chinese Amidol for a first time user because of the extra work. After the first fix wash before the second to remove the stain.
global_01_local_0_shard_00000017_processed.jsonl/9024
I was perusing the local Craig's List and ran across a listing for "An old camera $10.00". I looked at the photo and it was a Graflex 4x5" press camera though I couldn't tell what model from the photo. I called the guy and went over and bought it. It appears to be a Crown Graphic I think because it does not have the focal plane shutter but does have the rangefinder and a Graf-lok back. Someone closed the camera before the lens and rails were in the right position and now the rear rails are slightly higher than the front rails and the focus won't work. There is a little rod that sticks out on the bottom lower left of the body near the lens that appears to be bent. My questions: 1. How do you remove the graf-lok back? I have slid both rails on the back to the unlock position but nothing seems to come loose. 2. Is this a Crown Graphic? I thought those did not come with the Graf-lok back. At least my other Graflex which was sold to me as a Crown model did not have it. This camera did not come with a lens but I have a 135 mm for it with the other camera. This body is in much better shape and I would like to get this one back into working order. Any suggestions would be appreciated.
global_01_local_0_shard_00000017_processed.jsonl/9025
I found this thread from the link to my site. Thanks Deniz! I would have bought your ROC too, nice camera. I mainly collect the ROC line. Photographica, Thats an awesome camera too! My guess is that it is an Anthony & Scovill "CLIMAX". Scovill & Adams used the white tags above the lens as yours has. It looks very similar to the climax model as shown in this 1906 catalog clipping. Advertised as being capable of making multiple images depending in the lens. It was packaged as a penny picture camea. hope this helps some.
global_01_local_0_shard_00000017_processed.jsonl/9029
Skip to Content Overview of content related to 'digitisation' Syndicate content This page provides an overview of 1 article related to 'naan'. Note that filters may be applied to display a sub-set of articles in this category (see FAQs on filtering for usage tips). Select this link to remove all filters. 'Inspecting article' image: copyright, used under license from Key statistics Metadata related to 'naan' (as derived from all content tagged with this term): • Number of articles referring to 'naan': 3 (0.2% of published articles) • Total references to 'naan' across all Ariadne articles: 5 • Average number of references to 'naan' per Ariadne article: 1.67 • Earliest Ariadne article referring to 'naan': 2003-10 • Trending factor of 'naan': 0 (see FAQs on monitoring of trends) See our 'naan' overview for more data and comparisons with other tags. For visualisations of metadata related to timelines, bands of recency, top authors, and and overall distribution of authors using this term, see our 'naan' usage charts. Usage chart icon Top authors Ariadne contributors most frequently referring to 'naan': Titlesort icon Article summary Date The Biggest Digital Library Conference in the World April 2004, issue39, event report Syndicate content about seo
global_01_local_0_shard_00000017_processed.jsonl/9030
Skip to Content Articles tagged 'seamus ross' Syndicate content This page provides an overview of 1 article tagged 'seamus ross'. Note that filters may be applied to display a sub-set of articles in this category (see FAQs on filtering for usage tips). Select this link to remove all filters. 'Inspecting article' image: copyright, used under license from Seamus Ross has contributed 1 article to Ariadne. Author profile is not yet available. Most frequently used terms in this author's articles (ordered by total usage / articles): "research", "university of cambridge", "university of edinburgh", "university of oxford", "university of leeds", "university of portsmouth", "university of surrey", "university college london", "university of manchester", "birkbeck college". For more statistics, see data charts for Seamus chart icon Titlesort icon Summary Date British Academy Symposium: Information Technology and Scholarly Disciplines September 1996, issue5, news and events Syndicate content about seo
global_01_local_0_shard_00000017_processed.jsonl/9046
The Mankind Award Spike's lofty Mankind award was given to daredevil Felix Baumgartner, presumably for his balls-of-steel, record-breaking jump from a space capsule last October. The thrill-seeking Austrian set new records for the highest manned balloon flight and for being the first human being to break the sound barrier without a vehicle. As Spike puts it, “that's one giant space leap for mankind.” More Like This Best of the Web Special Features
global_01_local_0_shard_00000017_processed.jsonl/9064
or Connect New Posts  All Forums:Forum Nav: "Play On" How does it work? post #1 of 5 Thread Starter  Hi, I'm kind of new to all of this new-age media, but I'm getting tired of paying for Dish network! I heard of this thing called Ruku, and an 'app' called "Play On". I guess with play on, you can watch a whole bunch of different shows, and different channels. And, what play on doesn't have, apparently you can go to something similar to an 'app store', and get 3rd party apps (called "Plugins") that have specific cable type channels, and even specific shows. So, what I'm trying to figure out, is how does this work, exactly? I know it's through the internet, and you use either the Ruku box, or a blue ray player with wifi, and basically play the internet on your TV. But, what I don't understand, is these channels you can get, and the plugins, are they all "live" (like as on Dish, or cable), or is it just certain programming? I watch many different 'cable' type channels, as well as primarily CBS for broadcast TV. I see that there is a plugin, with someone who says you can get city-specific local CBS programming on play on. Again, I don't know if it's 'live', or something from days, or weeks ago? I want to basically use this play on like my dish service, so I can drop them. But, I would still like to be able to watch programs that are on certain channels, that come on at certain times, like the channels currently on Dish. Can I do this? And, since we're on the subject, what about the 'play on' add on, called "Play Later". Is that just like a regular DVR? How does that work, exactly? I realize that I'm asking quite a lot of questions, but I can NOT find ANYONE in ANY electronics store that can answer any of these questions! HH Gregg, Best Buy, Wally World, Radio Shack, etc. I've asked them all! Everyone has heard of play on, but no one can tell me specifically how it works! Any help would be greatly appreciated. post #2 of 5 Well to answer the big question, no there is nothing like dish or cable available on a streamer. There are no "live' shows at certain times, though playon has plug ins that stream local content that my qualify. Hulu, not plus has a lot of local content available a day or so later, so that may work for you. If you have OTA available some boxes like the WD streamer will allow you to stream live TV from a USB tuner, but Roku is not one of them. There is a vast amount of content available on the Roku boxes, but sadly none of it comes close to replicating the regular tv viewing experience. BTW, playon is based on your computer, it must be on and Playon running to have any content available.... post #3 of 5 I purchased a lifetime license for PlayOn quite some time ago and when PlayLater offered a lifetime license I purchased it also I must admit, I don't use them frequently, but I have definitely gotten my '$$ worth' out of them many times over I cut the cable tv and Dish tv cords many moons ago and I don't miss them at all (especially the lack of high monthly charges... which has paid for the devices that helped to replace cable/dish tv) - the devices being, a combination of... the Roku (x2) - the Boxee Box (x3) (mostly for streaming local HD content from a multi terabyte HP MediaSmart server) - the Raspberry Pi with XBMC/OpenELEC (x2) (used infrequently) - live tv, streamed to 3 large screen TV's from a PC - the PlayOn UPnP software-media server installed on a PC and the HP server - (and the Ouya with XBMC, scheduled to ship to me next month) I might have a few extra remote control button and/or mouse clicks to get to what I want to watch... but considering the amount of $$'s I'm saving every month, the extra clicks are not considered a problem at all And then when you consider that you can 'share' accounts like Netflix and Amazon Prime streaming on different devices, this cuts costs also - My daughter who lives close to the west coast of the US, and me (living in the mid Atlantic/US area) both share Netflix and Prime - plus she's attending a University, so she gets the half price student discount for Amazon Prime ($39 a year) - so if the monthly charge is divided by 2 users, that's $11.24 per month for both services (but of course the 'Dad' pays the total monthly charges :-) ) - a fraction of the price that cable TV and/or Dish TV I could probably continue further with more examples of why to 'cut the cord', but instead of boring forum members any further, I'll decline post #4 of 5 Ive just starting looking into PlayOn myself. Basically what brought me to it was looking for a way to use Netflix (among others) inside of XBMC. Anyone know if this is the best way or suggest something else? The Pros of PlayOn for me appear to be its large "channel" list in addition to netflix and hulu. post #5 of 5 I looked at playon for the hulu part. I talked to a rep and he said your pc is used to play channels on your tv and record shows for viewing on tv or other devices. so yes you have to have your computer on to use it, but then he said you can put the recordings on different players. unsure exactly what that means, play them or copy your recordings to other devices. I found out I can do hulu in wmc without playon so I kinda stopped there and just use it now. Not sure about xbmc, hope someone chimes in. there was a plugin called xbmcflix that put netflix into xbmc. I think its gone now. I have wished that there was something that did it all but I guess we will never see it. Edited by etrin - 3/28/13 at 7:52am New Posts  All Forums:Forum Nav:   Return Home
global_01_local_0_shard_00000017_processed.jsonl/9097
The Story of Wales: Dr Sara Elin Roberts on Hywel Dda's laws Image of manuscript The laws are set down in forty 13th century manuscripts written in Latin and medieval Welsh Related Stories If you imagined compensation culture was a peculiarly modern idea, think again. The idea of claiming damages for injuries received was a central thread running through the laws of a king who ruled over most of Wales some 1,000 years ago. By about AD942 Hywel Dda (Hywel the Good) reigned over an area of Wales stretching from Prestatyn in the north to Pembroke in the south. A descendant of the early Welsh king Rhodri Mawr (Rhodri the Great), his legacy was a set of laws which lasted until the mid-1500s. As modern day legal historian Dr Sara Elin Roberts explains in episode two of BBC Wales' landmark history series The Story of Wales, the laws reflect the perhaps unexpected sophistication of early Welsh society. And, as she explains off-camera, seen from a distance of many centuries after they were drafted they are also on occasion delightfully quirky. Start Quote You often hear the term compensation culture these days... well, this is what you have in medieval Wales” End Quote Dr Sara Elin Roberts Legal historian The laws set the value of a lawyer's tongue, lay down a person's right to compensation in the event that they are sold a dodgy ox, and outline the punishment a woman might expect for hiding her lack of chastity from her husband-to-be. 'Very modern' Dr Roberts has spent much of her career studying 13th Century copies of the laws, which are set down in a mixture of Latin and medieval Welsh in around 40 manuscripts housed at the National Library of Wales in Aberystwyth. "They deal with the king, they deal with peasants and their rights - people's rights - injury, compensation for injury, homicide, theft, arson. You name it," she said. Dr Roberts describes them as very modern in their attitude to crime and punishment. "You often hear the term compensation culture these days. Well, this is what you have in medieval Wales. "Rather than physical punishments - whipping, hanging, eye-for-an-eye and all of that, what you have is compensation. Image from Hywel Dda's law manuscript The king himself is portrayed in the manuscripts "The laws set down tariffs, identifying the value of everyone's life, in the event that they were killed. This varied according to where you were in society." After a homicide, Dr Roberts explained, the killer and all of his family up to the third or fourth cousin had to pay compensation to the victim's family, up to and including the fourth cousin. "There was only one instance of capital punishment in Welsh law," says Dr Roberts. "For persistent serious theft you could be hanged, but this was used as a last resort." In terms of women's rights the laws were, in some ways, quite advanced, says Dr Roberts. In medieval Wales the first seven years of marriage was regarded as a trial period. After seven years, a couple could separate quite freely and their goods would be split on a 50:50 basis, with the laws laying down who got what. "Women did appear to have more independence than they would in other countries," says Dr Roberts. "They wouldn't be left destitute, they would get something if it didn't work out." Underpinning Hywel Dda's laws, she said, was the idea that a person should take responsibility for their actions. "If you were chopping down a tree you had to tell people you were doing it. If a tree falls on someone and they have been warned then that's their fault. If they haven't been warned you have to pay full compensation. "It's like health and safety gone mad." While they cover issues clearly deemed serious at the time, Dr Roberts is the first to acknowledge the quirky side of Hywel Dda's laws. "If you look at the law text in a vacuum you are likely to find something that will make you laugh," she says. "A lawyer's tongue was worth a fortune as it was the symbol of their office. Theirs was a speaking role. There was a price of around 100 cows on it." Image from 13th century manuscript of Hywel Dda's laws The illustrated manuscripts are housed at the National Library of Wales in Aberystwyth Many of the laws concerned animals - after land, the second most expensive item one could own. "The laws identified the value of wild and tame animals, and gives a description of each animal and what that animal was supposed to be able to do. "With an ox, for example, it was expected to pull straight when ploughing a field and not get tired. "There was an approximate value for compensation so, if someone sold you an ox, they guaranteed that it would plough straight. If you bought a dud ox, you got compensation. "A cat was supposed to have sharp claws, be an excellent mouse catcher, not eat its own kittens and wasn't supposed to go caterwauling during a full moon, keeping your neighbours awake." And the penalty to be paid by the non-virgin bride? "She gets taken outside, they cut her clothes off so that she is naked from the waist down and is given a young horse with a greased tail," explains Dr Roberts. "If she can hold the horse by his tail she gets to keep it. If not, she gets nothing, as her family would not want her back." The second part of The Story of Wales: Power Struggles can be seen on Thursday, 1 March on BBC One Wales at 21:00 GMT. The other episodes will be on subsequent Mondays. More on This Story Related Stories The BBC is not responsible for the content of external Internet sites More Wales stories
global_01_local_0_shard_00000017_processed.jsonl/9099
Thread: Family Reunion View Single Post Unread 02-20-2011, 11:52 AM   #3 is One Chatty Farker Join Date: 06-02-08 Location: Knoxville, TN Downloads: 0 Uploads: 0 Cut the ribs and put them at the end of the buffet table. You want to encourage folks to fill their plates up before getting to the ribs, otherwise you will have folks stacking their plates with half (and full) racks of ribs. I've seen it happen. Put out several squirt bottles with BBQ sauce. Seems to help the line move faster. Life's a party with a Backwoods Party! TN_BBQ is offline   Reply With Quote Thanks from:--->
global_01_local_0_shard_00000017_processed.jsonl/9133
Jeremiah 2:2 (GOD'S WORD Translation) View In My Bible 2 "Go and announce to Jerusalem, 'This is what the LORD says: I remember the unfailing loyalty of your youth, the love you had for me as a bride. I remember how you followed me into the desert, into a land that couldn't be farmed. Link Options More Options
global_01_local_0_shard_00000017_processed.jsonl/9196
Hellebore: The Deadly Flower that Sprang From Tears (Toxic Tuesdays: A Weekly Guide to Poison Gardens) Legend has it that a young Jewish girl began to cry when she had no gift to offer Jesus upon His birth. As her tears fell to the earth, tiny flowers sprouted and were called Christmas roses, also known as hellebores. Much beloved among gardeners, the hellebore heralds the coming of Spring, when most of the garden is dormant, by sending up flowers as early as January and continuing to bloom through late April. Hellebores, picture by Rosie 55 This highly toxic shade loving little flower is native to the mountainous regions of Southern and Central Europe. Delicate stems support five-petalled, buttercup-like flowers in shades of white, green, pink, purple, yellow and red. The flower is unique not only for its affinity for cold weather, but also for its longevity. Its petals do not fall off but rather stay intact, offering months of continuous color. Hellebores, picture by konnykards Ingestion of the plant can result in vertigo, swelling of the throat and tongue, vomitting, diarrhea and damage to the central nervous system. The sap also is a skin irritant. In the days of Hippocrates, the hellebore was widely used for the treatment of gout, paralysis, insanity and other diseases. Some historians believe a lethal overdose of hellebore ended the life of Alexander the Great. In 585 BC, the Greek army poisoned the water supply of the city of Kirrha by adding massive amounts of crushed hellebore leaves. The city became vulnerable to attack when citizens were overcome by illness. The Greek army conquered the town and chemical warfare was born. The Greek leader who ordered the poisoning of the water supply was reportedly an ancestor of Hippocrates, giving rise to a legend, one of many surrounding the pioneering physician, that it was guilt over this action by his ancestor that drove him to establish his famed ethical code for doctors, the Hippocratic Oath. Comments closed. Britannica Blog Categories Britannica on Twitter Select Britannica Videos
global_01_local_0_shard_00000017_processed.jsonl/9198
Pre-College Programs Summer Pre-College Courses « Return to Course Catalog Psychoactive Drugs: Brain, Body, Society One Section Available to Choose From: Course DatesWeeksMeeting TimesStatusInstructor(s)CRN July 14, 2014 - July 18, 20141M-F 9A-11:50AOpenRobert Patrick10050 Course Description Have you ever wondered about the difference between recreational and medicinal usage of psychoactive drugs (drugs that alter mood and behavior)? Are there basic differences in the action of psychoactive drugs when they are taken for recreational versus medicinal purposes? And how does society decide how to categorize psychoactive drugs: which ones to make legal and which illegal? Are government policies concerning psychoactive drugs enacted in a rational manner? In this course, you will learn about these issues, as well as basic biological mechanisms of action of psychoactive drugs such as cocaine, amphetamine, marijuana, nicotine and caffeine. In addition, you will learn about psychoactive drugs that are used to treat disorders such as drug abuse, depression, anxiety and schizophrenia. This course will help prepare you for college level neuroscience courses and show you how scientific and societal topics are often intertwined. By the end of this course you will have an enduring understanding of (1) how different classes of psychoactive drugs act in the brain, and (2) how legal and illegal drug use affects both individuals and society. There are no prerequisites for this course, but a strong interest in science is a must!
global_01_local_0_shard_00000017_processed.jsonl/9231
Sucks To Be A Red State In general, “Red States” that oppose gay rights and support abstinence only education have higher rates of divorce, teen pregnancy, childhood obesity, poverty, and lower high school graduation rates that Blue States. posted on I know, right? Now tell your friends! Sucks To Be A Red State Red States v. Blue States Childhood Obesity Rates Check out more articles on! Facebook Conversations Hot Buzz An Insanely Popular Korean Drama Is Ruining Lives In China 25 Cartoon Characters Whose Real Names You Never Knew Now Buzzing
global_01_local_0_shard_00000017_processed.jsonl/9239
Critics complained that Life's Too Short was too similar to Extras and The Office. Life's Too Short, ABC1, 9pm CRITICS overseas complained that this latest offering from Ricky Gervais and Stephen Merchant is too similar to their previous Extras and The Office, which is a bit like accusing the Beach Boys of sounding too much like the Beach Boys. This takes up where those other shows left off, a cringe-inducing, mockumentary-style take-down of a day in the life of a struggling actor - who happens to be a 106-centimetre thespian, the go-to-guy when casting dwarves. Warwick Davis may be a down-on-his-luck outcast, but he is also an obnoxious and obsequious fellow, whose self-delusion and vanity evoke our sympathies. Gervais, Merchant and Davis refuse to soften their politically incorrect satire. Tonight's episode starts out flat, but has a priceless scene in which actor Johnny Depp confronts Gervais about the insults he dished up while hosting the Golden Globes. Louis Theroux: Law and Disorder in Johannesburg, ABC2, 8.30pm A SOUTH African farmer pays a private security company a monthly fee to protect his cattle from thieves. He knows perfectly well the type of techniques the security enforcers-cum-vigilantes use. It is, the white farmer concedes, ''an African solution for an African problem''. Louis Theroux certainly earns points for intrepidity in this disturbing report on how people in one of the world's most violent cities are dealing with law and order. He joins the nightly rounds of security operators, witnesses the horrific retribution served upon suspected criminals and talks to hardened sadists, who will literally do anything for the contents of someone's wallet. Offspring, Channel Ten, 8.30pm THE third season of this Melbourne-shot dramedy is proving the best, with satisfying romantic hook-ups being played out - for instance, between Mick (Eddie Perfect) and Rosanna (Clare Bowditch) and the invigorated, on-the-rebound Nina (Asher Keddie) and Adam (Kick Gurry) - and the cliffhanger involving the premature baby that Zara (Jane Harber) has delivered. Less convincing is the affair between Deborah Mailman's Cherie and her weirdo boss (Lachy Hulme). RPA, Channel Nine, 10pm IT'S something of a surprise to discover that Channel Nine's stalwart observational documentary series has evolved into the terrain we associate with ''shockumentary''. While its focus remains the stoic and brave patients at the Royal Prince Alfred Hospital, much of tonight's episode consists of squirm-inducing footage from the operating theatre. Modern medical imaging means audiences can now watch the brain surgeon as he slices through the jelly-like grey matter of a patient, in search of a tiny blood vessel. Unlike the ''extreme surgery'' shows that proliferate on pay TV, RPA never lets us forget that the patients, their families and carers are as human as the rest of us. Still, you might find yourself averting your eyes. Ross Kemp: Extreme World: Chicago, ABC2, 10pm ROSS Kemp takes an access-all-areas tour of Chicago's flourishing heroin scene, a journey that takes him from homeless addicts and soccer mums to stash houses and shooting galleries.
global_01_local_0_shard_00000017_processed.jsonl/9242
The Job You Selected Has Expired... Jobs like Internal Audit Manager - Banking & Trust at Kforce Finance and Accounting (Expired)
global_01_local_0_shard_00000017_processed.jsonl/9248
Postings by Smokey's Family Behavior & Training > My two cats flip out at feeding time, but why? Purred: Thu Jan 26, '12 1:17pm PST  I have two 11-month old cats (brothers) who act completely insane when it's feeding time. As soon as they hear the can of food being opened, smell it, or see their food dishes in my or my husband's hands, they start leaping at us, trying to climb our legs, and generally acting like they've never had food in their lives. They wolf their food down more quickly than any cat I've ever seen, but once they're finished, they're back to normal. Additionally, one of them will chew through any packaging he can get his paws on to get to the food inside. If he finds a crinkly plastic bag - even if it's not food! - he'll either chew holes in it right there or will try to drag it behind the couch to open it in private. Some background: These boys are half Abyssinian, and show a lot of that breed's behaviors. We adopted them as rescue cats when they were about 3 months old, and this has been their "normal" behavior since day one. Initially, we thought we weren't feeding them enough; giving them extra food toned down the craziness a bit, but they started getting pudgy, so our vet suggested we go back to the recommended amount of food for their weight. (They've now lost their pudge and have stabilized at the "right" weight for the last 4 months.) Otherwise, their health is perfect, and outside of feeding time, they're very friendly, affectionate, happy guys who don't show any signs of aggression, fear, or anxiety. My suspicion is that they may have been starved as kittens - they were dropped off anonymously at a shelter before we adopted them, so there's no way to know their history - but we had hoped that after more than 6 months of regular feedings twice a day and lots of treats and love, they would settle down. We feed them together, but they each have their own bowl, and I've never witnessed one of them taking food from the other, so I don't think it's an issue of competition. We've tried teaching them with positive reinforcement (not putting their bowls on the ground until they're calmed down), negative reinforcement (spritzing them with a water bottle when they jump or try to climb), feeding them in different parts of the house and at different times, etc. Nothing seems to help. Any ideas or suggestions? We love our boys but are pretty frustrated with their crazy feeding habits (and I feel awful that they keep injuring our pet-sitters when we're out of town!) » There has since been 5 posts. Last posting by Baron, Feb 28 5:15 pm
global_01_local_0_shard_00000017_processed.jsonl/9260
Electroncs MOSFET plz help 0 pts ended what are the advantages of cmos? and its uses in applications? plzdiscuss it in detail Answers (2) • Anonymous View this solution... try Chegg Study Start Your Free Trial
global_01_local_0_shard_00000017_processed.jsonl/9262
Upgrade to Chess.com Premium! timeout ration • 18 months ago · Quote · #1 what is the timeout ratio in online chess games, and how can i lower it so i can play in tournaments again? thank you. • 18 months ago · Quote · #2 Don't time out! • 18 months ago · Quote · #3 The timeout ratio is the amount of games timed out divided by the total amount of games played (in a 90 day period). As mentioned above, to reduce it, play more games without timing out, or alternatively, wait enough days until the games you timed out on no longer factor in. • 17 months ago · Quote · #4 thanks whitepawn • 17 months ago · Quote · #5 ok but what is a timout? i have not been running out of time on online games? is a timeout where i dont move for 24 hours? • 17 months ago · Quote · #6 A timeout is when u run out of time and therefore lose the game Back to Top Post your reply:
global_01_local_0_shard_00000017_processed.jsonl/9295
Geekgasm's Guide to San Diego Comic Con! #1 Posted by jennizzle (1 posts) - - Show Bio I floored it to 88 MPH on muh DeLorean to bring you awesome folks a nifty PSA on San Diego Comic Con. Geekgasm's Guide to SDCC! It's our own strange little way of letting you guys know about bag issues, comfortable foot-wear, restaurants in the area, snacks to keep you belly happy while at the convention and more! #2 Posted by Danperrin (8 posts) - - Show Bio Hey, so I'm English, and am planning on traveling to San Diego comic-con next year (I'm saving big for it haha) but none of my mates are into it, so I am going alone. Do you recon thats a good idea? I don't really want to show up and then be like on my own for the whole trip. So basically what's your advice for someone conning it alone? cheers Jennizzle :D This edit will also create new pages on Comic Vine for: Comment and Save
global_01_local_0_shard_00000017_processed.jsonl/9298
Toad's Appearance #1 Edited by Teerack (4446 posts) - - Show Bio before Toad went to the Jean Grey school he had a lean average body type and a normal skin color. Then when he goes to the X-Men school he suddenly gains like fifty pounds.... also his skin became a shade of green. Toad & Husk - from Wolverine & the X-Men #15 All of these changes happened without reason, and honestly I hate them all. Does anyone actually like Toad's new look? #2 Posted by Strafe Prower (11572 posts) - - Show Bio This should interest #3 Posted by (((Prodigy))) (2444 posts) - - Show Bio Since nobody actually cares about Toad, nobody has ever made a standard appearance for him. Some artists make him look like an almost-normal human. Some make him short and fat. Some give him such a toad-like appearance that he might as well be Ultimate Toad.  @(((Prodigy))): I literally LOL'd at the last picture. #5 Posted by (((Prodigy))) (2444 posts) - - Show Bio @Strafe Prower: I'm guessing that Scarlet Witch hit him with a hex bolt and made him accidentally release his bowels right as the picture was being taken. #6 Posted by Strafe Prower (11572 posts) - - Show Bio @(((Prodigy))): LMAO I honestly don't know what the artist was thinking when he created that costume. Maybe he was on LSD.... #7 Posted by iLLituracy (13522 posts) - - Show Bio His current appearance is based off of Chris Bachalo's design that dates all the way back to the days he used to work on Generation X. I remember there was an issue where Toad was holed up in Emma's old institute and the design was very similar to his appearances in Wolverine and the X-Men which was also done by Bachalo, so it may have been Bachalo's call. Though I think he wasn't as big in Generation X. #8 Posted by Teerack (4446 posts) - - Show Bio @(((Prodigy))): The skin color thing does go back and forth, but that last picture was what toad looked like when his DNA was still messed up. They had a big story line about how Juggernaut's father did experiments to toad making him look all gross and fat, but once they fixed his DNA he changed to look normal. it was also when he got most of his powers because originally he could only jump, but once his DNA was repaired he got his long tong, special spits, poison sweat, and ability to stick to walls. #9 Posted by comkid100 (230 posts) - - Show Bio I Liked his appearence befor he joined wolverines school. This edit will also create new pages on Comic Vine for: Comment and Save
global_01_local_0_shard_00000017_processed.jsonl/9345
CS394R: Reinforcement Learning: Theory and Practice -- Spring 2011: Resources Page Resources for Reinforcement Learning: Theory and Practice Week 1: Class Overview, Introduction Week 2: Evaluative Feedback • Vermorel and Mohri: Multi-Armed Bandit Algorithms and Empirical Evaluation. • Rich Sutton's slides for Chapter 2: html. • Matt Taylor has done a lot of research on transfer learning for RL. • Week 3: The Reinforcement Learning Problem • Rich Sutton's slides for Chapter 3: pdf. • Week 4: Dynamic Programming • Email discussion on the Gambler's problem. • A paper on "On the Complexity of solving MDPs" (Littman, Dean, and Kaelbling, 1995). • Pashenkova, Rish, and Dechter: Value Iteration and Policy Iteration Algorithms for Markov Decision Problems. • Rich Sutton's slides for Chapter 4: html. • Week 5: Monte Carlo Methods • A paper that addresses relationship between first-visit and every-visit MC (Singh and Sutton, 1996). For some theoretical relationships see section starting at section 3.3 (and referenced appendices). • Rich Sutton's slides for Chapter 5: html. • Week 6: Temporal Difference Learning • A couple of articles on the details of actor-critic in practice by Tsitsklis and by Williams. • Sprague and Ballard: Multiple-Goal Reinforcement Learning with Modular Sarsa(0). • Rich Sutton's slides for Chapter 6: html. • Week 7: Eligibility Traces • The equivalence of MC and first visit TD(1) is proven in the same Singh and Sutton paper that's referenced above (Singh and Sutton, 1996). See starting at Section 2.4. • Dayan: The Convergence of TD(&lambda) for General &lambda. • Rich Sutton's slides for Chapter 7: html. • Week 8: Generalization and Function Approximation • Evolutionary Function Approximation by Shimon Whiteson. • Sridhar Mahadaven's proto-value functions • Dopamine: generalization and Bonuses (2002) Kakade and Dayan. • Andrew Smith's Applications of the Self-Organising Map to Reinforcement Learning • Bernd Fritzke's very clear Some Competitive Learning Methods • DemoGNG - a nice visual demo of competitive learning • Residual Algorithms: Reinforcement Learning with Function Approximation (1995) Leemon Baird. More on the Baird counterexample as well as an alternative to doing gradient descent on the MSE. • Boyan, J. A., and A. W. Moore, Generalization in Reinforcement Learning: Safely Approximating the Value Function. In Tesauro, G., D. S. Touretzky, and T. K. Leen (eds.), Advances in Neural Information Processing Systems 7 (NIPS). MIT Press, 1995. Another example of function approximation divergence and a proposed solution. • Experiments with Reinforcement Learning in Problems with Continuous State and Action Spaces (1998) Juan Carlos Santamaria, Richard S. Sutton, Ashwin Ram. Comparisons of several types of function approximators (including instance-based like Kanerva). • Binary action search for learning continuous-action control policies (2009). Pazis and Lagoudakis. • Least-Squares Temporal Difference Learning Justin Boyan. • A Convergent Form of Approximate Policy Iteration (2002) T. J. Perkins and D. Precup. A new convergence guarantee with function approximation. • Moore and Atkeson: The Parti-game Algorithm for Variable Resolution Reinforcement Learning in Multidimensional State Spaces. • Sherstov and Stone: Function Approximation via Tile Coding: Automating Parameter Choice. • Chapman and Kaelbling: Input Generalization in Delayed Reinforcement Learning: An Algorithm and Performance Comparisons. • Rich Sutton's slides for Chapter 8: html. • Week 9: Planning and Learning • Slides from 3/22: pdf. The planning ones. • Rich Sutton's slides for Chapter 9: html. • ICML 2004 workshop on relational RL • Sašo Džeroski, Luc De Raedt and Kurt Driessens: Relational Reinforcement Learning. • Week 10: Game Playing • Slides from 3/29: pdf. • The ones on minimax: ppt. • Slides from Gelly's thesis (I showed the UCT part in class): ppt. • Neural network slides (from Tom Mitchell's book) • Motif backgammon (online player) • GNU backgammon • Practical Issues in Temporal Difference Learning: an earlier paper by Tesauro (with a few more details) • A more complete overview of UCT as applied to Go (to appear): Monte-Carlo Tree Search and Rapid Action Value Estimation in Computer Go". Gelly and Silver. To appear in AIJ. • Some papers from Simon Lucas' group on comparing TD learning and co-evolution in various games: Othello; Go; Simple grid-world Treasure hunt; Ms. Pac-Man. • Week 11: Efficient model-based Learning • Slides from 4/7: pdf. • The ones on DBNs: ppt. • Near-Optimal Reinforcement Learning in Polynomial Time Satinder Singh and Michael Kearns • Strehl et al.: PAC Model-Free Reinforcement Learning. • Week 12: Abstraction: Options and Hierarchy • Slides from 4/12: pdf. The ones from Matthew. • Slides from 4/14: pdf. • A page devoted to option discovery • Improved Automatic Discovery of Subgoals for Options in Hierarchical Reinforcement Learning by Kretchmar et al. • Nick Jong and Todd Hester's paper on the utility of temporal abstraction. The slides. • The Journal version of the MaxQ paper • A follow-up paper on eliminating irrelevant variables within a subtask: State Abstraction in MAXQ Hierarchical Reinforcement Learning • Automatic Discovery and Transfer of MAXQ Hierarchies (from Dietterich's group - 2008) • Lihong Li and Thomas J. Walsh and Michael L. Littman, Towards a Unified Theory of State Abstraction for MDPs , Ninth International Symposium on Artificial Intelligence and Mathematics , 2006. • Tom Dietterich's tutorial on abstraction. • Nick Jong's paper on state abstraction discovery. The slides. • Week 13: Robotics Applications • Slides from 4/19: pdf. The ones on walking Aibos. The ones on biped walking. • Slides from 4/21: pdf. Dan Lessin's • Adaptive Choice of Grid and Time in Reinforcement Learning. Stephan Pareigis, NIPS 1997. • This paper compares the policy gradient RL method with other algorithms on the walk learning: Machine Learning for Fast Quadrupedal Locomotion. Kohl and Stone. AAAI 2004. • from Jan Peters' group: Learning Tetris Using the Noisy Cross-Entropy Method. • The original PEGASUS paper. • Some of the helicopter videos • Some other papers on helicopter control and soocer: • Autonomous Helicopter Control using Reinforcement Learning Policy Search Methods. J. Bagnell and J. Schneider Proceedings of the International Conference on Robotics and Automation 2001, IEEE, May, 2001. • Scaling Reinforcement Learning toward RoboCup Soccer. Peter Stone and Richard S. Sutton. Proceedings of the Eighteenth International Conference on Machine Learning, pp. 537-544, Morgan Kaufmann, San Francisco, CA, 2001. • The UT Austin Villa RoboCup team home page. • Greg Kuhlmann's follow-up on progress in 3v2 keepaway • Kalyanakishnan et al.: Model-based Reinforcement Learning in a Complex Domain. • Reinforcement Learning for Sensing Strategies. C. Kwok and D. Fox. Proceedings of IROS, 2004. • Learning from Observation and Practice Using Primitives. Darrin Bentivegna, Christopher Atkeson, and Gordon Cheng. AAAI Fall Symposium on Real Life Reinforcement Learning, 2004. • Week 14: Least Squares Methods • Slides from 4/26: pdf. The ones on LSPI from Alan Fern (based on Ron Parr's). • Yaroslav's slides and some notes he wrote up on representing/solving MDPs in Matrix notation. • Policy Iteration for Factored MDPs by Daphne Koller and Ronald Parr: UAI 2000 Some related slides • Online Exploration in Least-Squares Policy Iteration by Lihong Li, Michael L. Littman, and Christopher R. Mansley: AAMAS 2009 The slides from AAMAS 2009. • Week 15: Multiagent RL • Multi-Agent Reinforcement Learning: Independent vs. Coopeative Agents by Ming Tang • Final Project RL-GLue : http://glue.rl-community.org/wiki/Main_Page The following paper gives you an idea of what RL-GLue offers: pdf It is language independent. You can run your own agent program in any language of your choice. Its main purpose is to provide a standard platform where everybody can test their RL algorithms, and report results. More information can be found here : link PyBrain : link PyBrain, as its written-out name already suggests, contains algorithms for neural networks, for reinforcement learning (and the combination of the two), for unsupervised learning, and evolution. Since most of the current problems deal with continuous state and action spaces, function approximators (like neural networks) must be used to cope with the large dimensionality. The library is built around neural networks in the kernel and all of the training methods accept a neural network as the to-be-trained instance. I believe this can be a good resource for those who are planning to work on continuous domains. [Back to Department Homepage] Page maintained by Peter Stone Questions? Send me mail
global_01_local_0_shard_00000017_processed.jsonl/9360
Apple is making a handsome profit on its new phone Comments     Threshold RE: Is Apple different than MS By omnicronx on 6/25/2009 12:30:49 PM , Rating: 2 I disagree. Companies should study the demand for their product at various price points and pick the price point that maximizes overall profit. That's "Business 101" and any company with outside shareholders not doing that should have their management fired. Now if only it were so clear cut. Business 101 would also teach you that if these maximized profits are not sustainable, then you could easily end up in a far worse position down the line.. Just ask GM.. RE: Is Apple different than MS By TomZ on 6/25/2009 12:54:29 PM , Rating: 2 I don't see any risk in profits that are "not sustainable," so long as you manage your overhead costs so that you can cut prices in the future when/if competition requires it. I think Apple is perfectly positioned in that sense. GM is an entirely different situation, since they had high labor costs forced upon them by the unions back when they had a monopoly. I don't see Apple doing the same. Apple's labor is a small part of their costs for their hardware, as it's all built overseas with cheap labor. RE: Is Apple different than MS By omnicronx on 6/25/2009 1:16:46 PM , Rating: 2 That was pretty much the point I was trying to get across, I was not trying to take anything away from Apple and their business strategy, nor was I trying to directly compare them to the crappy management of GM. One thing I would like to mention though, the cell phone industry is not the PC industry, if Apple treats it as such they could be in for a big surprise. I think they will soon be forced to diversify into more than a single line or people will get bored.
global_01_local_0_shard_00000017_processed.jsonl/9362
Downsides include up-front costs and sometimes patchy network I. The Rollout Unsubsidized plans T-Mobile rolls out its new unsubsidized pricing scheme today. [Image Source: T-Mobile USA via TMONews] II. What Do You Gain? What Do You Lose? Source: TMONews Comments     Threshold RE: Total BS By Motoman on 3/25/2013 4:59:52 PM , Rating: 1 Oh, and as for the inevitable "well then why are you still a T-Mobile customer?" ...we have little choice. We live in the suburbs of a major metropolitan area of ~4 million people. I can be downtown in about 30 minutes. But we're "rural" - make no mistake. We are on 50 acres ourselves, and have 5 other houses as our neighbors close by. We're also 1.5 miles past the point where DSL ends. And there's no cable here. Satellite...don't even get me started. Did that once. Not going to do it again. And the cellular service that has the best reception here? T-Mobile. So, we're kind of a captive audience. For the past few months though, I've been trying EVDO Depot for internet. And yes, the website looks maybe not that great, and I've been taking it with a grain of salt myself. But in terms of putting my money where my mouth is, we're really trying to leave T-Mobile. This appears to be our only option at the time. For $120 a month we get unlimited data without throttling, served over the Sprint network. You'll note that earlier I said that T-Mobile was the only service that has good coverage here...and it is. The Sprint tower is farther away, and frankly it's pretty spotty. But I'm planning on putting up a huge YAGI antenna, or potentially something else this spring to boost our access to the Sprint network, and then (hopefully) everything will be peachy. Yes, $120 is a painful amount of money to pay for internet every month...but when your only other option is $80 a month for 10Gb, and then ~10k after that...$120 starts to look pretty good. Note that I'm not even necessarily recommending EVDO a number of ways I'm unimpressed, like the fact that we got used equipment from them for starters...but the fact of the matter is that we simply have no choice. And then: This comment is apparently spam and we do not allow spam comments. the f%ck is that spam?
global_01_local_0_shard_00000017_processed.jsonl/9421
Results 1 to 1 of 1 Thread: PLEASE HELP W/ Battery life on my new Droid 4 1. Droid Newbie mommacupcakes's Avatar Member # Join Date Jul 2012 droid 4 PLEASE HELP W/ Battery life on my new Droid 4 This is my 1st smartphone, a Motorola Droid 4, but I believe the battery life is terrible. For instance, last night I went to bed and it was at 70 % and woke up this morning and the battery was totally drained and phone was then off. I recently did the update for the Droid 4 which was to help the battery life, but it certainly didn't work. When I go to the gym and use an exercise APP, by the time the hour is up, the phone is about drained. I did do the suggestions on the site (lower brightness, animation off) It is also very slow to charge. If I leave it for an hour and a half it will only charge and additional 30 % Any suggestions? Thank you! Last edited by mommacupcakes; 07-05-2012 at 09:59 AM. 2. Sponsor DF Advertising Join Date Nov 2008 Posting Permissions • You may not post new threads • You may not post replies • You may not post attachments • You may not edit your posts Similar Threads 1. Best Battery life? Battery life for Liquid? 2nd init By loki993 in forum Droid 2 Roms Replies: 0 Last Post: 11-14-2011, 08:50 AM 2. Replies: 1 3. Replies: 36 Last Post: 08-10-2011, 11:20 AM 4. Replies: 11 Search tags for this page battery issues with droid 4 battery life droid 4 battery life on droid 4 droid 4 battery droid 4 battery issues droid 4 battery life droid 4 battery life help droid 4 battery life sucks droid 4 battery life tips droid 4 battery sucks droid 4 terrible battery life motorola droid 4 battery life new battery for droid 4 new droid battery life verizon droid 4 battery life Click on a term to search our site for related topics. Tags for this Thread Find us on Google+
global_01_local_0_shard_00000017_processed.jsonl/9446
EconStor > European Investment Bank (EIB), Luxembourg > EIB Papers, European Investment Bank (EIB) > Please use this identifier to cite or link to this item: Title:The economics of promoting security of energy supply PDF Logo Authors:Mulder, Machiel ten Cate, Arie Zwart, Gijsbert Issue Date:2007 Citation:[Journal:] EIB Papers [ISSN:] 0257-7755 [Volume:] 12 [Year:] 2007 [Issue:] 2 [Pages:] 38-61 Abstract:This paper analyses the welfare effects of two policies directed at the security of energy supply: investments in strategic petroleum reserves and a cap on the production of gas from the largest Dutch gas field. Market failures can justify such policies, in particular failure of individual consumers to account for their impact on energy prices and import dependency and, hence, the vulnerability of a country to geopolitical conflicts. But as the costs of investing in strategic reserves and capping gas production are not negligible, these options are welfare enhancing only in specific circumstances. Generally, measures to improve the functioning of energy markets promise to achieve more than investment-intensive measures or those restricting options of profit-maximising agents. However, policy makers might find it politically expedient to adopt rather than reject inefficient security-of-supply policies. Document Type:Article Appears in Collections:EIB Papers, European Investment Bank (EIB) Files in This Item: File Description SizeFormat 539674230.pdf351.31 kBAdobe PDF No. of Downloads: Counter Stats Download bibliographical data as: BibTeX Share on:
global_01_local_0_shard_00000017_processed.jsonl/9464
No matter how much sleek design, aromatherapy, USB power, WiFi connectivity, advanced technology or medieval torture companies manage to cram into their alarm clocks, they still remain one of the most hated devices in our electronics arsenal. Designer Duck Young Kong is hoping his hip new concept clock's pull-cord operation is charming enough to keep you from hucking it out the window. To set the alarm you simply pull the cord on the bottom of the unit until the numbers on the LCD screen reflect the time you wish to get up. The cord then slowly retracts into the clock as your awakening approaches, until it reaches the end and the alarm sounds. The alarm can be turned off by pushing (punching?) the LCD screen, so we're hoping the production models are made with durability in mind. Of course there's always the chance that like some alarms it'll kill you instead, but at least you'll have fun setting it. Pull-handle alarm clock concept
global_01_local_0_shard_00000017_processed.jsonl/9470
• News/  Bristol Palin Slams Kathy Griffin's Precious Fat Joke Kathy Griffin, Bristol Palin Adam Larkey/ABC; Alberto E. Rodriguez/Getty Images Just a word of advice, famous people. If you keep talking about Bristol Palin, she's going to keep responding. This time it's Kathy Griffin who has provoked the Dancing With the Stars finalist's ire with a dig at Bristol's weight in which she called her the "white Precious" during the VH1 Divas' Salute the Troops special. So, did Bristol kick Kathy all the way to the F-list for that? READ: Chelsea Handler drops a C-bomb on Angelina Jolie She actually didn't have to, because the audience did it for her, responding to Kathy's dig—"She's the only contestant in the history of the show to actually gain weight. No, come on, come on. She gained like 30 pounds a week, I swear to God, it was fantastic. She's like the white Precious!"—with a chorus of boos. So the comedian attacked a conservative teenage mom at an event honoring both women and the U.S. military? Way to know her audience. "The audience's reaction to this ‘comedian' spoke volumes, and the decent people I know would probably have booed her, too," Bristol said in a statement to Fox News' Pop Tarts blog. "I hope people didn't have to pay money to hear her negativity and criticisms." VH1 didn't comment, but Fox heard that producers considered editing Kathy's crack out of the show, which taped Friday and aired Sunday, but decided a little on-camera controversy wouldn't hurt...the ratings. (Originally published Dec. 6, 2010, at 4:15 p.m. PT) PHOTOS: Let's move on to people we aren't tired of, like the Top 10 Fresh Faces of 2010!
global_01_local_0_shard_00000017_processed.jsonl/9499
2 Stars Year Released: 2001 MPAA Rating: PG-13 Running Time: 100 minutes Click to Expand Credits: Posing the question “Who is Corky?” in huge block letters, the promotional campaign for “Corky Romano” not merely tempts but invites the easy, smart-ass retort of “Who cares?”–or, perhaps more accurately, “Who the fuck cares,” for the only image running with said query is the disembodied head of “Saturday Night Live” player Chris Kattan sporting an especially toothy, especially goofy smile. Surprising it is, then, that some of the silliness actually elicits laughter. Not terribly surprising, however, is that there’s not enough of that laughter. Kattan plays Corky, the black sheep son of mob boss “Pops” Romano (Peter Falk). The paper-thin plot has Pops enlisting Corky to infiltrate the FBI to destroy incriminating evidence, thus setting the stage for this flamboyant assistant veterinarian to bumble his way through fed headquarters and stumble his way through crime scenes. Seeing Kattan knock over numerous props on each set is as unfunny as it sounds, but every now and again pops up a scene good for some giggle-worthy stupidity, such as when Corky, accidentally tweaked on cocaine (don’t ask), has to give a speech to a room full of elementary school children. While Kattan is a nimble enough comedian to pull off some moments of amusing idiocy, thankfully director Rob Pritts has surrounded him with a cast of reliable pros, which in addition to Falk includes Richard Roundtree as Corky’s FBI superior and Chris Penn and Peter Berg as Corky’s far-tougher (at least on the outside) brothers. “Corky Romano” isn’t based on a “Saturday Night Live” sketch, but it might as well as been, considering how quickly the energy peters out before the sub-90-minute run time has expired. A subplot involving a FBI agent (Matthew Glave) jealous of the attention lavished on Corky is predictable and tiresome, and the film succumbs to the usual third act pitfalls of idiot comedies: the goofy hero somehow grows some brains in the final stretch, where some completely unearned attempts at heartstring-yanking take place. Some light amusements make “Corky” hardly the ordeal it appears to be, but that’s not exactly the most glowing of praise, now is it? Posted on October 12, 2001 in Reviews by Popular Stories from Around the Web Tell us what you're thinking...
global_01_local_0_shard_00000017_processed.jsonl/9512
General Question miasmom's avatar Is it cruel to flush a bug down the toilet alive? Asked by miasmom (3485 points ) January 21st, 2009 from iPhone This is totally random and weird, but sometimes I think about the bug and wonder if I’m doing something cruel. I would normally smoosh the bug first (which would kill it instantly), but sometimes I am so disgusted by the bug that I just put it in the toilet and flush it. Do you think it takes a long time to drown? And is that cruel to the bug? I’m not a vegetarian, I eat meat with no qualms about how the animal died, so I’m not against killing bugs, I just wonder when I watch it go down the toilet…maybe this stems from my fear of drowning…I do think that would be the worst way to die. Thoughts? Observing members: 0 Composing members: 0 39 Answers iAMi's avatar Dudet… it’s a bug.. KrystaElyse's avatar You’re so cruel! How do you live with yourself! i’m just kidding! I’m sure the bug didn’t have a chance living that long anyway. Vinifera7's avatar Insects can’t hold their breath due to the lack of lungs. It doesn’t take long for them to asphyxiate. Read How do flies breathe? on HowStuffWorks. charliecompany34's avatar nope, because since it’s a bug, the little booger just may survive it all anyway. wundayatta's avatar I met this cockaroach once. He was rather large, and he claimed to be some kind of writer. He was also a member of some kind of bug rights group (I think they wanted free access to kitchens across the land, if they promised not to go in the bathrooms). Anyway, I didn’t ask him this question directly, because, frankly, it’s not something I think about. I mean, I’ve stepped on bugs, inhaled bugs, eaten bugs and crushed bugs between my fingers, so I’m not exactly a bug’s best friend. I suppose the toilet is a reasonable place to dispose of bug remains, but given the bug rights platform, I’m not sure they appreciate it. They really prefer, so I’m told by Franz (that was the large cockaroach’s name) to have a full blown funeral with all the bells and whistles. Military guards, twenty-one gun salutes, steel lined coffins—the works. I mean, they are rather forgiving of us when we kill them. They are surprisingly magnanimous in that sentiment. It’s just, they like proper honors. Bugs, it seems, are big on protocal. Who knew? Anyway, if Franz were here (it is rather lamentable that at his passing, there was no one who could perform the proper rituals and ablutions), he would say that flushing them down the toilet is rather immoral and disrespectful. In the future, you should pick them up (you may use a tissue), place them carefully in an empty matchbox, and bury the matchbox under a tree in your yard. I can sell you a gross of empty matchboxes at a very good price, if you like. poofandmook's avatar Bugs are scary :( As long as it’s dead, I don’t care how it got there. Grisson's avatar I think it’s more humane to torture it to death by pulling its wings off and sticking it with pins before flushing it. just kidding But seriously, are you sure flushing it down the toilet will kill it? I suspect that most of the time it just removes the insect from sight, which is all we really want. I’d be willing to make a small wager that most bugs survive a trip down the loo. Now if we can just get government funding for the research…. jonsblond's avatar Only cruel if you flush it with a turd. basp's avatar Our government is busy watching the economy getting flushed down the toilet to have time to worry about bugs. Grisson's avatar @basp: At least the bug is in good company. basp's avatar Good point, grisson. miasmom's avatar Wow, I didn’t even fathom it might survive, I’m smooshing all my bugs now! arnbev959's avatar Is it so hard to just put it outside? Harp's avatar Just want to suggest one thing, here- I find that whenever I feel compassion nudging me one way or the other, I’m usually better off listening to it. That’s just based on personal experience: when I ignore my sense of compassion, I pretty much always feel smaller and more isolated as a result. When I let myself be guided by compassion, I feel more open and connected. That sounds overblown when we’re talking about bugs, I know, but I don’t think it works very well to say “I’m going to exercise compassion in most of my life, but I won’t sweat it with the smal stuff”. Compassion’s a habit; if you’re trying to cultivate it (and I hope we all are), then you listen to it even with the small stuff. Every time you shrug it off, its voice gets a bit softer. Does a flushed bug suffer? I have no idea. But if it occurs to you to ask such a question, it might be worth doing things differently anyway. lovelace's avatar Nope,not at all. When we enter their homes, they let us have it. I just look at it like “repaying the favor”. Allie's avatar I squish them first. A quick death as opposed to a frightening and prolonged death full of suffering. By the way, I only kill/flush spiders. Blondesjon's avatar I prefer to kill mine with a lethal injection. It’s really hard to find a good vein sometimes, but they just kind of slip away. Very humane. @daloonKafka’s estate attorneys are on line 2 wundayatta's avatar @Blondesjon: How do you know I’m not Kafka? Hmmmm? evelyns_pet_zebra's avatar don’t listen to daloon, or anyone else. I am your true bug expert. I raise Madagascar Hissing Cockroaches. I am the unofficial patron saint of spiders. Don’t feel bad. Bugs breathe through pores in their abdomen. They have no lungs. Drowning is nearly instantaneous. They do not suffer as you think that they might. Don’t feel bad. The bugs don’t. evelyns_pet_zebra's avatar @Allie, I am the unofficial patron saint of spiders. We have you on our list. :-) And just to creep you (and other bug haters out), you can kill as many as you like, you will never decimate the population of insects on earth. Pound for pound, invertebrates outnumber vertebrates almost two to one. There are more bugs on earth by sheer mass than there are humans, horses, kittens, and all the other ‘cute’ animals combined. It is only a matter of time, only a matter of time. BWahahahahahahahahahahaha! evelyns_pet_zebra's avatar and just so you know, spiders that are in your house have evolved to live in your house. They are known as house spiders. They are not outside spiders, since outdoor spiders only come indoors by accident. Putting indoor spiders outdoors is the cruelest thing you can do, next to flushing them down the toilet. :-) For everyone you kill, there is probably a couple dozen more you never see. I have learned to live with them, and simply wave when they go by. Oh yeah, house spiders don’t bite people either, that’s a myth. But I don’t expect anyone to believe that, no one ever does, even though I have it on very good authority. Vinifera7's avatar Creep factor rising… Anyway, I don’t even bothing getting rid of house spiders most of the time. In part because I am lazy, but they don’t harm anything, so why go out of my way to exterminate them? Allie's avatar @evelyns_pet_zebra If you knew how much I am terrified of spiders you might feel a bit bad about telling me the part about them evolving to live in my house and about how many I dont even know about roaming my house. Honestly, I’m probably going to have a hard time falling asleep tonight. wundayatta's avatar @evelyns_pet_zebra “Drowning is nearly instantaneous.” Crushing is instantaneous. It’s the remains, after crushing, that must be matchboxed and buried, or the great Madagascar Cockroach God will come to curse you. poofandmook's avatar @Allie: Yeah. I think it’s sort of rude to say something like that after anyone said they were scared of bugs. Especially since it had nothing whatsoever to do with the question. Allie's avatar @daloon What the hell?!? Madagascar Cockroach God? Oh no….. =’{ Vinifera7's avatar Just remember that while you sleep, house spiders are likely to crawl in your mouth. Sweet dreams! Muahahaha! timothykinney's avatar I read somewhere that certain insects can live for several days underwater due to oxygen trapped upon the hair on their legs (which they apparently absorb through their bodies). I believe what I read was specifically for ants, but it’s conceivable that the cockroach actually survives being flushed. Allie's avatar @Vinifera7 WTF!?!?! Really… thanks a lot.. =[ evelyns_pet_zebra's avatar @poofandmook, Hey, just because someone finds the facts uncomfortable, that doesn’t change the facts. Fears can be overcome, by learning to understand what it is you fear and discovering that there are things in the world much more horrible than a bug. I used to be like Allie, scared of spiders. I overcame the fear and now I strive to help others to discover that spiders aren’t out to harm you. In fact, in a spider’s view of things, you hardly exist. If that’s rude, then I’m sorry you think my attempt to stop the spread of untruths is a bad thing. evelyns_pet_zebra's avatar Want to know the truth about spiders? Then go here and discover the facts about spiders. Why believe the garbage when you can get the truth? Lupin's avatar I don’t flush. I consider wasting water a bigger “sin”. I crush and throw it into the wood stove. The tissue and the critter help warm my home for a millisecond or two. CMaz's avatar It is only cruel if you think bugs have emotions. Cruelty is a human emotion that a word has been attached to. timothykinney's avatar @ChazMaz: I disagree. It is cruel for people to destroy life solely for pleasure, no matter what the form of that life is. According to the OED, Cruelty is: Disposed to inflict suffering; indifferent to or taking pleasure in another’s pain or distress; destitute of kindness or compassion; merciless, pitiless, hard-hearted. While you might take up the argument that bugs or plants are not “another” and so their torture does not constitute cruelty, it is in fact merciless and pitiless. Who else can human beings have pity on except those who are disposed to our will? Or put into the words of Zushio’s father, Masauji Taira, in Sansho the Bailiff , “Without mercy man is like a beast.” trailsillustrated's avatar no. get real. cutipi108's avatar Nihilus's avatar First: To answer the question first asked, I think killing any form of life for pleasure or because of a phobia is cruel and unjustified. I never kill any bugs. I put them outside or leave them alone. Second: I wouldn’t waste so much water for such a useless thing. peege's avatar @Blondesjon iI agree with Blondesjohn that lethal injection is best, especially for spiders. However, a few caveats. Evidence suggests that the risk of major central venous line complications, particularly line-related bloodstream infections in spiders, is lower when the subclavian approach is used. Coagulopathy, while not an absolute contraindication, should be of concern with the subclavian approach in spiders because of the difficulty in applying tension to the abdomen while bending the fifth leg but otherwise it is OK. Answer this question to answer. Your answer will be saved while you login or join. Have a question? Ask Fluther! What do you know more about? Knowledge Networking @ Fluther
global_01_local_0_shard_00000017_processed.jsonl/9528
Omelet With Fried Sage and Gruyere Total Time: 10 min 5 min 5 min 1 omelet Fry the sage leaves: Heat a 6-to-8-inch nonstick skillet over high heat and add the oil. Have a tray lined with paper towels and a slotted spoon ready. When the oil begins to look thinner and spreads to the sides of the pan, turn off the heat and add the sage leaves. Stir them to coat with the oil and cook, stirring, until the sage pales slightly in color and gets slightly crisp, 45 seconds to 1 1/2 minutes. Use a slotted spoon to transfer the leaves to the paper towels. Season them immediately with salt and allow them to cool. Reserve the skillet. Blend the eggs: In a medium bowl, whisk together the eggs, 1 teaspoon water and 1/4 teaspoon salt. Whisk only enough to integrate the eggs; you don't want to whip too much air into them or make them frothy. Cook the omelet: Return the skillet to medium heat, remove the excess oil and add the butter, swirling it as it melts so it coats the pan. When the butter is melted (but not browned), reduce the heat to medium low and pour in the egg mixture. Use a fork to stir the eggs slightly, as if you were scrambling them. Then allow the eggs to cook, undisturbed, until they start setting in the middle. Sprinkle the cheese and sage leaves over them. Cook until the eggs look almost fully cooked and only slightly loose, 1 to 2 minutes. Serve the omelet: Lift the handle of the pan, tilting the pan away from you and toward the heat. This tilting should cause the omelet to slide down in the pan a little. Using a heatproof spatula, fold the edge closest to you toward the center. Fold the other edge in toward the center and invert the pan over the center of a plate so the omelet lands seam-side down. Season with pepper. Photograph by Johnny Miller Loading review filters... Flag as inappropriate Thank you! your flag was submitted. This recipe is featured in: Mother's Day
global_01_local_0_shard_00000017_processed.jsonl/9559
Nintendo Intelligent Systems Metroid Fusion Review Metroid Fusion Screenshot Metroid Fusion Screenshot Advance Wars – Review Advance Wars – Consumer Guide The ESRB reports that this game contains: Mild Violence Advance Wars Paper Mario Game Description: Paper Mario has a 2D look in a 3D game world—an aesthetic designed to make players feel as if they've entered an animated pop-up book. A stationary camera helps reinforce this storybook illusion. The game's title is taken from the paper-thin characters inhabiting the Mushroom Kingdom. For example, when Mario is sleeping, he flips and flutters through the air like a leaf falling from a tree. Paper Mario is the sequel to the classic Super NES role-playing game Super Mario RPG: Legend of the Seven Stars. Like the original, it contains a mix of turn-based battles and intricate puzzles, as well as timed attacks. Players time their attacks by moving the D-pad and pressing the A button at exactly the right moment to inflict maximum damage. This seasons Paper Mario with a little action/adventure flavor. Classic characters, such as Mario, Luigi, Peach, Bowser, and Toad, are joined by the likes of Goombario and Kammy Koopa. Paper Mario – Second Opinion Paper Mario – Review Paper Mario – Consumer Guide According to the ESRB, this game contains: Comic Mischief Advance Wars – Second Opinion Code of Conduct 1) Treat all users with respect. 2) Post with an open-mind. 3) Do not insult and/or harass users. 4) Do not incite flame wars. 5) Do not troll and/or feed the trolls. 6) No excessive whining and/or complaining. Please report any offensive posts here. Our Game Review Philosophy and Ratings Explanations. Copyright 1999–2010 GameCritics.com. All rights reserved.
global_01_local_0_shard_00000017_processed.jsonl/9568
Question from Landbeast Asked: 3 years ago What cars can be upgraded into racecars? I've bought several cars from the dealership and so far only one of them could be turned into a race car (Chevy Camaro Z28 '69). Is there a list somewhere that has all the cars that can be upgraded? What other cars can be modded in this manner? Additional details - 3 years ago An educated guess led me to discover that the lotus elise 111r can also be converted. Thanks for the info, please post any additional information should you come across something new, More news is always good news. Additional details - 3 years ago Here again, I found another car that can be modded. The 91' Acura NSX can be turned into a race car for 205,000. It looks similar to the JGTC but has minor differences. Accepted Answer From: laughjuana 3 years ago Acura NSX RM '91 Chevrolet Camaro SS RM '10 Chevrolet Camaro Z28 RM '69 Chevrolet Corvette Z06 (C6) RM '06 Chevrolet Corvette ZR1 (C6) RM '09 Dodge Challenger R/T RM '70 Honda CIVIC TYPE R (EK) RM '97 Lexus IS F RM '07 Lotus Elise RM '96 Lotus Elise 111R RM '04 Mitsubishi Lancer Evolution IX GSR RM '05 Nissan SILVIA spec-R AERO (S15) RM '02 Subaru IMPREZA Sedan WRX STI spec C Type RA RM '05 Suzuki Cappuccino (EA21R) RM '95 TVR Tuscan Speed 6 RM '00 Volkswagen Golf IV GTI RM '01 thats all 17 that can be race converted - List from GTplanet Rated: +2 / -0 This question has been successfully answered and closed Submitted Answers Camaro SS '10 can be Rated: +0 / -0 The new Honda Integra from Honda dealership can be Rated: +0 / -0 If you look at the car list on the Gran Tursimo website, next to some of the cars you'll see "RM" before their year made. These are the cars you can perform the modifications on, only looks like about 20 or so. Here's the link: Rated: +0 / -0 Went to link given and it's under service, go figure lol, i know the corvette c6 can also be converted Rated: +0 / -0 Respond to this Question Similar Questions question status from DLC cars? Answered MaxCHEATER64 I need cars? Open GTAgangsta101 Does anyone have these cars? Open olivierjaber I need some cars? Open rex121314 Where are all the cars? Answered Rmauer
global_01_local_0_shard_00000017_processed.jsonl/9569
Switch Lights The lights are on What's Happening Call of Duty: Ghosts Call of Duty: Ghosts Squad Modes Detailed The video goes through a number of different game types. Of particular interest is Wargame, which allows players to populate a six-person team with friends and/or AI teammates against an opposing computer-controlled squad. Activision claims that the AI will function similarly to real players, and difficulty will scale with player skill. This seems like a great training ground.  Squad Assault brings an asymmetrical element into Call of Duty, as you and friends can take on AI squads belonging to other, offline players. Squad owners get to choose the map, and XP is earned even when offline. For these and the other new modes (Squad vs Squad and Safeguard) check out the video below. Call of Duty: Ghosts is out on November 5 for Wii U, PlayStation 3, Xbox 360, and PC. Xbox One and PlayStation 4 versions are coming at the launch of those consoles. For more on Call of Duty: Ghosts, click on our October 2013 coverage hub below. Email the author , or follow on , , and . No one has commented on this article.
global_01_local_0_shard_00000017_processed.jsonl/9592
Funky Student's DNA Test Result #1 Posted by Pepsiman (2438 posts) - We all know about the controversy surrounding who fathered our eternal leader, Funky Student. It's been the topic of every talk show imaginable, from Maury and Jerry Springer to Dr. Phil and Ellen Degeneres. It's an issue that has intrigued people all over the world for months now. But, as some of you may remember, some private detectives were able to track down a few men who were deemed to most likely have fathered Funky Student. They then voluntarily took DNA testing and it turns out that one of them was indeed our figurehead's father. Who was it, you ask? Why, this man, of course. If you need a specific name, you're missing the point. What matters now is that one of life's greatest mysteries has finally been solved and our grand leader, Funky Student, can put it all behind him once and for all. Let's share in this joyous occasion together and down sake until the roosters remind us we should have gone to sleep hours ago. #2 Posted by CL60 (16906 posts) - I don't get it. #3 Edited by Fr0Br0 (3081 posts) - And the blood test determined... You are NOT the father. #4 Posted by TooWalrus (12896 posts) - CL60 said: I don't get it. Of coarse you don't... It's a joke. #5 Posted by CL60 (16906 posts) - TooWalrus said: CL60 said: I don't get it. Of coarse you don't... It's a joke. [more] I still don't get it. #6 Posted by Pepsiman (2438 posts) - Sometimes deriving rationality out of something inherently insane is just a lost cause. This is very much so one of those instances. #7 Posted by I_smell (3925 posts) - That man is nowhere near funky enough to be even affiliated with Funky Student. This edit will also create new pages on Giant Bomb for: Comment and Save
global_01_local_0_shard_00000017_processed.jsonl/9594
Harmonix has "at least one significant news announcement" for E3 #1 Posted by TepidShark (1042 posts) - No idea what it is. Unknown if it will be a new game, new entry in Rock Band or Dance Central or DLC related. News here. #2 Posted by Vexed (313 posts) - "We've decided all future DLC will be chosen by Vexed." Fuck yeah!  =P #3 Posted by ssj4raditz (1125 posts) - No offense to Rock Band (which I still love) or Dance Central (which is the only good Kinect game right now) but I hope it's a new IP. #4 Posted by Animasta (14398 posts) - all of midnight brown's music as dance central DLC #5 Posted by JJWeatherman (14456 posts) - I'd put money on DC2. That game is great, but could easily be so much better. #6 Edited by EuanDewar (4480 posts) - Frequency 2. Some say Amplitude was that. Fuck those people. #7 Posted by ajamafalous (11564 posts) - @Laketown said: " all of midnight brown's music as dance central DLC " #8 Posted by MightyDuck (1424 posts) - I would love a new Frequency or Amplitude. This edit will also create new pages on Giant Bomb for: Comment and Save
global_01_local_0_shard_00000017_processed.jsonl/9595
#1 Edited by Akolite (29 posts) - Hey Guys,  Just got this game and started it up. Seems really cool and different. Great music. Question I have is about the costumes. I have Raskulls and Keflings and it says i should be able to get some costumes. Now for the life of me I can't find where I check/equip these costumes. Am I just being blind?  Edit: I just figured it out by hitting every button :) D pad if anyone was wondering. This edit will also create new pages on Giant Bomb for: Comment and Save
global_01_local_0_shard_00000017_processed.jsonl/9606
GM Truck Club Results 1 to 4 of 4 1. #1 Exclamation Overdrive question! in all my life ive been told overdrive was for towing...but its the exact opposite. so that means ive been driving with overdrive off the whole time. would this harm the engine or transmission? if so i am going to be very upset about this.... and just to be sure. overdrive is on when the light is on right? or is the light on as a warning telling you that it is off? Last edited by Silverado1500; 01-05-2010 at 02:41 PM. 2. #2 Jr. Mechanic TMRuiz's Avatar Join Date Dec 2008 Gonzales, Louisiana It burns alot more fuel than it should but unless you drove around with the tach in the red zone all the time you shouldn't have anything to really worry about as long as you kept up with the maintenance. 3. #3 Sr. Engineer Join Date May 2009 Manitowoc, WI What light are you referring to? I think you might be confusing overdrive with the tow/haul mode.. Overdrive just means 4th gear in your truck, or technically any gear in a transmission that is lower than 1:1 so the transmission output is turning faster than the input. If you're driving and don't want to use overdrive, you have to have the gear selector on 3 instead. That way it will never shift into 4th gear. I'm guessing the light you're talking about is the tow/haul mode, thats usually a button on the end of the shifter or on your dash. It will turn a light on in your gauge cluster when you turn it on, it doesn't hurt anything to drive without hauling anything in this mode, it just burns more gas. This mode changes the way your transmission operates, it raises the shift points for upshifts and gives you a little more engine braking to help slow you down. You can tow in overdrive. Double check your owners manual if you want, but even there it says its fine. The only reason you would want to shift out of overdrive is if your truck keeps shifting between 3rd and 4th. It might do this if you're towing a heavy load on the interstate with a lot of headwind or just too much weight for your truck to handle, or possibly when going up a long hill. 4. #4 Cool overdrive question X2 what Greg84 said. I have lifted Z-71 with 35s and tow in overdrive with the tow mode on and have over 80,000 miles on truck and no tranny issues. Similar Threads 1. Won't go into gear, won't shift into overdrive By TravelingOnTheOutskirts in forum GM Powertrain Replies: 3 Last Post: 09-24-2009, 05:57 AM 2. Overdrive trans swap By PrestonM in forum Chevy C/K Truck Forum Replies: 5 Last Post: 08-05-2009, 01:08 PM 3. Towing in Overdrive By Jimmiee in forum GM Powertrain Replies: 14 Last Post: 07-08-2009, 08:07 PM 4. 99 Z71 Overdrive/Trans Help By Sweedon in forum GM Powertrain Replies: 1 Last Post: 05-18-2009, 10:03 PM 5. Can it click out of Overdrive? By DOTSS in forum GM Powertrain Replies: 2 Tags for this Thread Posting Permissions • You may not post new threads • You may not post replies • You may not post attachments • You may not edit your posts
global_01_local_0_shard_00000017_processed.jsonl/9607
GM Truck Club Results 1 to 3 of 3 1. #1 Default 1990 silverado defroster only working on driver side I have a 1990 Silverado regular cab and the defroster only blows on the driver side. Not really sure where to start on trying to correct the problem. Any ideas or thoughts are appreciated. I will try to provide as much information as I can. 2. #2 Check if the tube from the heater box to the defrost vent hasn't come loose or gotten clogged. If your 90 is like my 89, than the doors that direct heat around the cab are controled by cables, which may be loose. The newer vehicles are controled by servos instead of cables, and thats over my head. Check those things, or ask your question again in the General Tech section for a wider audience. Good luck, 1999 Chevy K2500 Suburban 350 K&N, reworked cai, Thrush cat-backs Vinyl, cranks, floor shift, and rear air! 3. #3 I will check those things and see how it goes. If that doesn't work out, I'll post in the general tech forum. Similar Threads 1. just bought a 1990 1500 step side By quicksilver8817 in forum Member Introductions Replies: 18 Last Post: 01-24-2011, 05:08 AM 2. wtb: driver side shock for chevy silverado 2004 4x4 By julio9817 in forum General Classifieds Replies: 2 Last Post: 10-15-2010, 01:28 PM 3. WTB 2005 silverado driver side mirror only By bacol14 in forum General Classifieds Replies: 0 Last Post: 09-07-2010, 01:58 PM By bigburb in forum Lifted & Offroad Suspension Replies: 28 Last Post: 09-24-2009, 10:31 AM 5. Side Mirrows are not working By pedraza202 in forum General Chevy & GM Tech Questions Replies: 5 Last Post: 12-08-2008, 02:46 AM Tags for this Thread Posting Permissions • You may not post new threads • You may not post replies • You may not post attachments • You may not edit your posts
global_01_local_0_shard_00000017_processed.jsonl/9618
Search Images Maps Play YouTube News Gmail Drive More » Sign in 1. Advanced Patent Search Publication numberUS279495 A Publication typeGrant Publication dateJun 12, 1883 Publication numberUS 279495 A, US 279495A, US-A-279495, US279495 A, US279495A InventorsArnold Nacke Export CitationBiBTeX, EndNote, RefMan External Links: USPTO, USPTO Assignment, Espacenet US 279495 A Previous page Next page Description  (OCR text may contain errors) n (No Model.) 43 sheets-Sheen 1. A. NACKE. SGRBW CUTTING TOOL. Patented June 12 llllllll nA Ferias. Pmwmugnumn mma-mon. n. c4 - 3 Sheets-Sheet 2. A. NACREl (No Model.) June 12,1883. Patented (No Model.) 3 Sheets-Sheet 3. A. NACKB. No. 279,495. Y Patented June 12,1883. SPECIFICATION forming' part of Letters Patent No. 279,495, dated June 12, 1883. Application led Novemhertl, 18E-2. (No model.) To all whom it may concern: Be it known that I, ARNOLD NAcKE, of and State of Pennsylvania, have invented certain Improvements in Screw-Cutting Tools, of which the following is a specification. ` This invention relates to a screw cutting or frasing tool wherein a series of radially moving or expanding cutters are applied to pivoted Io arms mounted in asupporting-body, and connected with devices whereby they may be operated, and with means whereby they are automatically moved to open the cutters whenever the screw-thread has attained a predeter- I5 mined length." The improvements consist in the various dctails of construction relating to the tool, which will be hereinafter described in detail, and to a supplemental gage adapted to effect the simultaneous and uniform adjustment of the cutters in order to adapt the tool for threading screws of different diameters. Referring to the accompanying drawings, Figure'l is a longitudinal central section of my improved tool. Fig. 2 is a cross-section -on the line m Fig. 3 is an elevation ofthe body portion of the tool, one-half being represented in section. Fig. 4 is an end view of the same. Fig. 5 is an elevation, one-half in section, of 3o the central portion of the body. Fig. 6 is an elevation, one-half in section, of the central device whereby the cutter-carrying arms or levers are loekedand released. Fig. 7 is a perspective of one of the cutter-supporting arms. Fig. 8 is a rear end view of the com'- plete tool. Fig. 9 is a side elevation of the rear end portion. Fig. l0 is a face View of the device for adjusting the cutters concentrically. Fig. 11 is a view illustrating the action l4o of the jaw-operating lever and adjacent parts. Referring to the drawings, A represents the Inainbody portion of the tool, made of substantially cylindrical form, with a series (usually four) of longitudinal slots, a, therein to receive the levers B, the forward'ends of which are provided each with a cutting or frasing tool, C. Each lever B is secured in the body A, at a central point, by means of a transverse pivot, b, whereby the series of levers are permitted 5o to move to and from each other at their for- `ward ends in order to close the cutters inward toward the center in position to operate upon the blank to be threaded, admit of their Philadelphia, in the county of Philadelphia, being separated when the nished screw is to be released. Each lever B is acted upon by a fiat spring, D, secured to the body, as shown in Fig. l, tending to throw the levers and cutters apart at the forward end when released.` For the purpose of operating the levers I mount centrally wit-hin the body A a second- 6o ary body-section, E, upon which the body A is free to slide endwise, as shown in Fig.V 5. The forward end of the inner section, E, is provided with an angular neck, C, which iits within a corresponding angular opening, d, in the outside body, A, whereby the two body-sections A and E are compelled to rotate in unison, although one is free to ,slide endwisc in respect to the other. Vithin the rear end of each cutter-supporting lever B, I pivot one 7o end of a link, G, the opposite end of which is pivoted in a slot.- in the central body, E, in the position indicated in the drawings. Vhen, therefore, the outer body-section, A, is moved A forward upon the inner section, E, the links are caused to assume an upright position, thereby operating thelevers Bl in such manner as to throw the cutters inward to operati ve position. A backward movement of the body A, 011 the contrary, operates the levers in such manner 8o Aas to separate the cutters from each other. This movement of the body-sections A and E- one in relation to the other-is effected by means which will now be explained. The inner section, E, has its end enlarged to a diam- 8 5 eter equal to that of the section A, and is provided with. a peripheral groove, e, wherein an encircling-ring, H, is loosely mounted. In like Inanner the rearend of the section A is provided with a circumferential groove con- 9o taining a loose ring, I. The two rings are connected and prevented from turning in relation to each other by means of an encircling band or hoop, J, having on its inner surface, in the direction of its axis, ribs j, which are seated loosely in corresponding grooves in the two rings. This connection, while preventing the rings from rotating in relation to cach other, as before stated, admits of the ring I moving laterally with the outer body-section, A, to and 10C from the ring H. y To the opposite sides of the ring4 H, lf` pivot vexterior ofthe ring I, I mount two rollers, N. On moving the hand-leverto the right, the levers L, resting at their forward ends upon the pins as fulcrums, have their rear ends carried to the right by thc hand-lever, whereby they are caused to act against the rollers N, thereby forcing the ring I away from the ring H and moving the body-sections A forward upon the inner section, E, so as to close the cutters in the manner before explained. Screws M inserted through the rear ends of the camlevers L, encounter the hand-lever and serve to limit mot-ion of said levers L in relation to the lever K. The forward ends of the'levers L, encountering in turn the studs i, serve to limit the motion of the hand-lever in that direction by which the jaws are closed. By adjusting the screw M the forward motion of the hand-lever may be regulated with great accuracy, and thus the cutters prevented from closing so near each other as to reduce the diameter ofthe screw below the limit desired. For thc purpose of throwing the lever backward when relieved from pressure, a spiral spring, O, is applied thereto, and arranged to bear at one end against the ring II or a stud thereon. i For the purpose of giving direct and solid support to the cutter-carrying levers B during the action of the cutters, I mount centrally within the inner body-section, E, a longitudinally-sliding tube, P, having its rear end enlarged and provided with forwardly-cxtending arms olf, which extend through openings in the body A in position to engage beneaththe rear ends of the respective levers B. Spiral springs Q, seated in the rear end of the inner section, E, are secured at one end to said section and at the opposite end to the rear end of thc sliding tube P. Whenever, therefore, the rear ends ofthe levers are moved apart to throw the cutters inward,the tube P is moved forward by the action ofthe spiral springs, and the arms n caused to rest beneath the ends of the levers B, as shown in Fig. l, thus holding the levers solidly in their operative positions. The central. tube, P, may be extended forward between the levers B in position to be encountered by the end of the screw or other object threaded by the tool whenever the same has reached a predetermined length. By means of the screw the tube P will be forced backward and the arms n removed from beneath the levers B, whereupon the latter will be immediately actuated by means of the springs D, and their forward ends thrown apart, so as to separate the cutters. For the purpose of adjusting the device for automatically producing screws of greater or lesslength, as required, the central tube, P, is provided with a central longitudinal screw, R, the forward end of which has a loose swiveling head, S. By adjusting the screw forward and backward, and thereby virtually lengthening or shortening the tube P, the automatic release of the cutters may be effected whenever the screw has entered a given dist-ance beyond the cutters. The forward ends of the levers B are split or divided, as shown, to embrace the cutters, and are provided with transverse screws T, whereby the divided .ends may be compressed upon the cutters. By adjusting the cutters C inward and outward from the ends of the levers the tool may -be adapted for the cutting of screws of different diameters. To secure the proper action of the tool it is necessary that the several cutters shall be adjusted with their inner ends at exactly the same distance apart from the axis of rotation. To secure this adjustment with readiness and certainty, I make use of a plate, U, such as represented in Fig. l0, provided with concentric slots p and eccentric slots q. Each of the levers B is provided at its ends with a fixed stud, lr, and each of the cutters C provided with Ya similar stud, s.Y In making use of the adjusting-plate U the cutters are first released, after which the plate is applied, as indicated by dotted lines in Fig. I, the concentric slots p receiving the studs upon the ends of the arms, and being compelled thereby torevolve about a center coincident with that of the tool, while the eccentric slots q receive'the studs upon the cutters, so that as the plate is turned the eccentric slots will `move the several cutters inward or outward to precisely the same extent. The cutters are secured in position while thus held to the plate, after which the plate is removed. Vhile it is preferred to make use ofthe studs and slots as a means of holding the plate in position, it is manifest that any other suitable guide which will cause the plate to revolve about the central axis of the tube may be substituted. A simple means to this end will be an overhanging flange to encircle the outer ends of the cutter-supporting arms. Having thus described my invention, what I claim isl. The combination of the body-sections A and E, arranged to slide one upon the other, the cutter-supporting levers, the links, the loose rings mounted one in each of the bodysections, and means, substantially as described, connecting said rings with each other, whereby they maybe moved to and from each other for the purpose of moving one body-section in relation to the other to effect the opening and closing of the cutters. 2. In combination with the body sections A and E, the cutter-supporting levers B, and the central slide provided with arms adapted IOO IIO to engage with the rear ends of the cutter-supporting levers, substantially as shown. 3. In combination with the body-sections, sliding one upon the other, the cutter-support` ing levers, the links, and the slide for locking the levers, provided with an adjustable or eX- tensible device, R, at its forward end, whereby the tool may be adjusted for automatically determining the length of screws produced. 4. In a screw-cutting tool, the combination of the external body, A, provided with longitudinal slots, the cuttersupporting` levers mounted in said slots, and the internal body E, provided with an angular neck or portion seated in a corresponding1 cavity in the body A, and links connecting the levers with the internal body-section, substantially as described. 5. In a screw-cutting tool, the combination of the longitudinal levers provided with cutters at their forward ends, means, substantially as described, for moving said levers on their pivots, and the spring-actuated locking-slide adapted to engage with and hold the rear end of the levers in an operative position, whereby the automatic locking of the levers is effected. 6. In combination with the two body-sections sliding oue in relation to the other, the links, and the cutter-supporting levers, the central slide, I?, provided with locking-arms to hold the levers, and a spring, applied substantially as shown, to urge the locking-slide forward. 7. The combination of the body-sections, the cutter-supporting levers, means, substantially as described, for operating said'levers with the rings applied to the body-sections, and a handlever and connecting devices, substantially as shown, adapted to move 011e of said rings laterally with respect to the other. 8. In combination with the two rings applied plied as and for the purpose described, theA hand-lever7 the stoppins, the pivoted cams or `arms applied to the ends of the l1and-lever, and the adj usting-screws whereby the position of said arms in respect to the hand-lever may be varied. 10. .Iointly with the cutter-supports and the cutters C, adjustably mounted therein, a plate, U, constructed and arranged to operate in connection with the cutter's and supports for the purpose of effecting the uniform adjustment of the cutters, substantially as described and shown. 11. J ointly with the cutter-supports B, havg ing studs r, and adjustable cutters C, provided with studs s, the adjusting-plate U, provided with concentric slots p and eccentric slots qto act upon therrespective cutters and effect their uniform adjustment. 12. .Iointly with a screw-cutting too] having a series of cutters adjustable to and from the center, a detachable plate adapted to revolve concentrically upon the cutters, said plate being provided with eccentric bearings to act upon the respective cutters and eifect their uniform adjustment, substantially as described. Referenced by Citing PatentFiling datePublication dateApplicantTitle US4688973 *Jan 31, 1985Aug 25, 1987Mcdonnell Douglas CorporationAutomated machine tool Cooperative ClassificationB23G5/12
global_01_local_0_shard_00000017_processed.jsonl/9629
Japanese Salad Recipes 45 recipes to browse. Filtered by • japanese Narrow your search Use the filters in this column to find the perfect recipe. Ingredient Filters meats vegetables fruits hot & spicy uncategorized seasonings & flavorings Cook Time Filters Maybe List When you're ready, we'll help you decide between similar recipes. Holding 0 recipes
global_01_local_0_shard_00000017_processed.jsonl/9630
Microwave Sweet Potatoe Recipes 27 recipes to browse. Filtered by • canola oil • oil Narrow your search Use the filters in this column to find the perfect recipe. Ingredient Filters meats vegetables fruits dairy flours hot & spicy uncategorized seasonings & flavorings Maybe List When you're ready, we'll help you decide between similar recipes. Holding 0 recipes
global_01_local_0_shard_00000017_processed.jsonl/9637
The Leader in Guild Web Hosting Invalid Guild Specified It appears that the guild you were trying to access 142670, "Alliance Death Bringers" was removed either at the request of the owner or as part of an automated maintenance process that removes guilds that have been inactive for a very long time.
global_01_local_0_shard_00000017_processed.jsonl/9638
indie musician en The Indie Idealist: Figuring It Out in the Real World of Independent Music <!--paging_filter--><p>Idealists are people who just never grow out of their childhood dreams. Some idealists believe that they can achieve world peace, join a top ballet company, or cure an incurable disease. Others think that if they ignore that parking ticket for long enough it will go away. </p> <p>Then there are the artistic idealists who believe that, despite massive financial obstacles, ever decreasing record sales, and a heavily saturated market, they can find a way to beat the odds and build a successful career selling and performing their own original music. </p> <p>My friends, that is me. If you are reading this it's probably you too. While we can be notoriously narcissistic (hard to imagine why) and impractical, I'm convinced there is a way to dream big and still be realistic about what being an independent musician means. I haven't quite figured it out yet, but that's what this blog is for. To write about me figuring it out. In real time.</p> <p>I'm a 23-year-old indie musician fresh out of music college trying to make my way through a business that is, not surprisingly, much more complicated than expected. As I step into the real world, I have found that the 4 years I spent in school taught me very little about the business side of music. Now, a year after graduating, I've enrolled in a class at Real World U: DIY Music Business for Broke Twentysomethings (and you get to audit it!). </p> <p>A few things I have learned so far:</p> <p><strong>1. Starting over sucks, but it is essential to art. </strong><br /> When it comes to writing songs, choosing a band, or recording an album, if it strikes you one day that it's not turning out how you thought it should....start over. If you have a vision of what you want to sound like and who you want to be, you have to adhere to your standards of musical integrity, even if it's painful at the time. </p> <p>I started recording my first album last year with a local studio and band. Although they were great musicians and the studio was nice, we were not achieving the sound I had been imagining. After several months of work and several thousand dollars spent, I finally realized that I had to make a change. I started over with new musicians, a great new co-producer, and a new studio. I even wrote all new songs. </p> <p>The album is finished now, and I feel giddy every time I hear it. It's exactly what I wanted my first album to be. Yeah, sometimes I cringe when I think of the money I spent on recordings that will never see the light of day, but I have never for a second regretted the decision to start over.</p> <p><strong>2. The start-up costs for an independent artist are enormous. </strong><br /> Major labels sometimes spend a million dollars or more developing new artists, focusing $200,000-$300,000 on recording the first album. I don't have that kind of money. I have student loan debt and a job teaching music lessons. Luckily there are cheaper options. </p> <p>I won't go into the specifics of how much I spent on my album just yet, but let's just say it cost about as much as your average mid-sized sedan. From hiring musicians, an engineer, a mixer, a producer, and a mastering engineer, to paying a studio and manufacturing the discs, the costs come at you from every angle. If you have to sign a contract of any sort you'll have legal fees. You'll need to hire a photographer and/or designer to create your album art. You'll also want a professional looking website. </p> <p>Then you'll have to buy hundreds of t-shirts/posters/objects with your name on them and hope they don't end up in your living room for the next five years. You're going to need a band for live performances. Sometimes you can find the right people who will be in your band for free, but, realistically, most good musicians want to be paid for rehearsals - especially for shows. </p> <p>The list of costs is kind of staggering, and I haven't even talked about PR and advertising, hiring a manager, or booking a tour. </p> <p><strong>3. The key to all of this is developing personal relationships with people and asking them to help you. </strong><br /> You're still going to fork over everything you've saved for the past 4 years, but you might actually be able to make it happen. </p> <p>The people who worked on my album with me were also passionate about it, which means they were willing to do more work for less money. Crowd-sourcing is also a great way to fund an album. Last July I launched a very successful Kickstarter campaign that raised over $5,000. I didn't just raise funds, though. I built a network of people who are invested in my career and don't just send my email updates to the spam box. Turns out those are the best kinds of fans. </p> <p>So what next?</p> <p>Well, in the next few months I'll be delving into the murky waters of PR and advertising. My album, <em>Sun &amp; Mirror</em> is currently unreleased. When is the best time to set a release date? When should I release my first single? How do I get that stubborn venue to email me back? I honestly don't know yet, but I'll find out. </p> <p>Keep coming back here to follow my very real education as an independent artist and find out first-hand what you can do (and inevitably NOT do) to help further your own musical goals! </p> <p><em>Kaela Sinclair is a 23 year old indie musician from Denton, TX. She is releasing her debut album "Sun &amp; Mirror" late 2013. It features producer and drummer McKenzie Smith (Midlake, Regina Spektor, St. Vincent) and names like Buffi Jacobs (Polyphonic Spree) and Daniel Hart (Broken Social Scene, St. Vincent). Listen to her music and see upcoming tour dates and news <a href=""> here on Facebook.</a></em></p> Acoustic Nation acoustic nation indie musician new music News songwriter Blogs Thu, 03 Oct 2013 01:31:06 +0000 Kaela Sinclair
global_01_local_0_shard_00000017_processed.jsonl/9655
[Haskell-cafe] Trouble with record syntax and classes Andreas Rossberg rossberg at ps.uni-sb.de Tue Feb 27 10:32:31 EST 2007 <ajb at spamcop.net> wrote: > When you type "class Foo" in Java or C++, it does three things: > 1. It declares a new type called "Foo". > 2. It declares a _set_ of types (i.e. a "class"). > 3. It declares that the type Foo (and all of its subtypes) is a member > of the set of types Foo. I would add: 4. Define a namespace, also called "Foo", for a set of values (and probably nested classes). > In Haskell, these three operations are distinct. > 1. You declare a new type using "data" or "newtype". > 2. You declare a new set of types using "class". > 3. You declare that a type is a member of a class using "instance". 4. You define a new namespace using "module". - Andreas Andreas Rossberg, rossberg at ps.uni-sb.de More information about the Haskell-Cafe mailing list
global_01_local_0_shard_00000017_processed.jsonl/9656
[Haskell-cafe] What's in a name? Robert Greayer robgreayer at yahoo.com Fri Aug 15 22:18:39 EDT 2008 --- On Sat, 8/16/08, wren ng thornton <wren at freegeek.org> wrote: > Personally, I have major qualms with the Java package > naming scheme. In > particular, using domain names sets the barrier to entry > much too high > for casual developers (e.g. most of the Haskell user base). > Yes, DNs are > cheap and plentiful, but this basically requires a lifetime > lease of the > DN in question and the migration path is covered in > brambles. The > alternative is simply to lie and make up a DN, in which > case this > degenerates into the exact same resource quandary as doing > nothing (but > with high overhead in guilt or registration paperwork). This does sound in theory like a real problem; the actual practice has worked out much differently for Java: the existence of durable domains willing to host development of small libraries for the Java space are plentiful. In other words, the barrier to entry has turned out to be quite low. Nevertheless, hackage of course provides an even cheaper alternative to DN-based naming, since package names registered on hackage are guaranteed unique (across the hackage-using community). The ubiquitous convention for Haskell could easily be that if you want your library to interoperate without conflict, register it on hackage (otherwise you take your chances, just as in Java if you ignore the DN-based convention). Having the ability to use package names to avoid module-name conflicts (i.e. an agile packaging system, in your words) would still be needed. The need to *recompile* to avoid conflicts is a problem though, if haskell aspires to attract commercial package vendors. I don't know how it could be avoided though. More information about the Haskell-Cafe mailing list
global_01_local_0_shard_00000017_processed.jsonl/9658
Simon Marlow simonmar at microsoft.com Tue Apr 11 08:24:07 EDT 2006 Attached is another variant of the extensible exceptions idea, it improves on the previous designs in a couple of ways: there's only one catch & throw, regardless of what type you're throwing or catching. There is an extensible hierarchy of exceptions, and you can catch and re-throw subclasses of exceptions. So this design contains a dynamically-typed extensible hierarchy, but it's fairly lightweight. Adding a new leaf exception type requires 3 lines + 1 line for each superclass (just 1 line for a top level leaf, as before). Adding a new node requires about 10 lines + 1 line for each superclass, msotly boilerplate. Perhaps the type class hackers can do better than this! A non-text attachment was scrubbed... Name: Exception-2.hs Type: application/octet-stream Size: 5432 bytes Desc: Exception-2.hs Url : http://www.haskell.org//pipermail/haskell-prime/attachments/20060411/15157ba9/Exception-2-0001.obj More information about the Haskell-prime mailing list
global_01_local_0_shard_00000017_processed.jsonl/9715
Quick Link to HTC Service Making a call with Smart dial Making a call with Smart dial 1. Open the Phone app. Tip: If there is more than one match, you'll be told how many matches. For example, tap "‍8 MATCHES"‍ to see all 8 matches. 3. Tap the contact you want to call. 4. To hang up, tap End Call. Changing the Phone dialer layout 1. Open the Phone app. 2. Tap > Full screen keypad or Smart dial keypad. 0 People found this helpful
global_01_local_0_shard_00000017_processed.jsonl/9736
The Lesson The Lesson The Roots Lyrically versatile My rap definition is wild I wrote graffiti as a juvenile Restin' on deuce trey And used to boost gray Kangol's With 555 Soul's from the streets Of the Ill-a-delphiadaic insane For monetary gain, niggas is slain on the train It's homicide For wealth stealth missions for crack In the alleyways, where niggas get grased in the back From stray shots Clips with hollow tips, for your spine or Either remain calm, catch a rhyme, to your mind Niggas ya know my style I run a-motherfuckin-rap-muk When Malik get a U-Haul truck I stand five, foot seven, in command of the party And scam like Uncle Sam I'm never caught up in the glass eye Of your action cam, cause I'm down low Artistic exquisite rap pro, that get the dough It's the Philly borough dread Thoroughbred for dolo I bag solo, like a nigga that boost Polo Steppin' through the corridor, of metaphors Lookin' over my left Shoulder the mic, still feel colder than before With this jasz shit I hit your jaw Dice Raw, get up on the mic, my young poor I be the nigga blowin' up the spot on tour Surely real to the core, old school like eighty-four I never die, and raps till my lungs collapse Then relax until my knack for tracks Bring it back, on time When I rhyme my rep remain Either go against the grain or your ass is found slain I overcome, niggas want styles then I throw you some Dice Raw, the motherfuckin' Wild Noid Get on the mic and perpetratin is void Ya leave niggas missin' in action like their dads in the projects My style like an old mac, travel round and catch wreck I'm ill versatile, with the skill no more Wack MC's wanna flex but their styles they bore Got to know the real meaning of the ill shit, kid I do mad damage but never will catch a bid With my knapsack, full of ill shit that I just boosted From the corner store when I let loose more Flavor that's me, rippin' heads off from the seams Niggas didn't play like Jeru and Come Clean Or 808's cause my style flows out great And superspectac, with all the raw rap Now do you feel the pain of course I guess you're believin' that I'm insane When I'm taggin' my name, upon the train I got so much pride I got so much soul, with lyrics high To make niggas stop drop and roll, now check me out one time For your ass, fat styles equivalent Of an AIDS infected Glock blast Niggas know my style, plus they know they want more Props from Mount Vernon, to Mount Rushmore OK kid, you know my style is buckwild literature That you can never get when I'm thinkin' your particular Flavor that you want I sit back and smoke a fat blunt in class Teachers can kiss my ass, I'm twice, Dice Nigga de Raw, never take a bad fall Smack your head up against the wall Like playin' handball, my style's ill I slam like Hulk Hogan, Dice Raw bettin' on my arm Niggas know my slogan while I breathe your last breath Niggas better watch they step, fat bull catch wreck Ill, gots ta keep you in check With the hellified beats and hard rhymes Niggas know my style, when I go the whole nine I beat down punks, cut em up into fruit chunks Like fruit salad, my style's smooth like white owl If ya don't well then forget it My rap style's exquisite, I'm Raw Daddy Like niggas with no Trojans on the stage when I rhyme I gots ta keep, my composure Where I'm from it's like a whole different world Hoppin' a train honey dip and I'ma snatch your squirrel Most corrupt, motherfucker in the tenth grade Juvenile cause Jeff McKay could not fade Don't ask me honey I'm not the one for stressin' If you wanna know better ask BR.O.Th.E.R ? Cause he know the time like I know the time When I grab the microphone It's like, summertime, laid back, to recline In my La-Z-Boy chair Dice Raw, the Wild Noid I'm the fuck up outta here Published by Universal Music Publishing Group Lyrics Provided By LyricFind Inc. Chat About This Song
global_01_local_0_shard_00000017_processed.jsonl/9759
Free Content The relationship of nightmare frequency and nightmare distress to well-being Authors: Blagrove, Mark; Farmer, Laura; Williams, Elvira Source: Journal of Sleep Research, Volume 13, Number 2, June 2004 , pp. 129-136(8) Publisher: Wiley-Blackwell Buy & download fulltext article: Please click here to view this article on Wiley Online Library. Nightmares can be defined as very disturbing dreams, the events or emotions of which cause the dreamer to wake up. In contrast, unpleasant dreams can be defined in terms of a negative emotional rating of a dream, irrespective of whether or not the emotions or events of the dream woke the dreamer. This study addresses whether frequency of unpleasant dreams is a better index of low well-being than is frequency of nightmares. A total of 147 participants reported their nightmare frequency retrospectively and then kept a log of all dreams, including nightmares, for 2 weeks, and rated each dream for pleasantness/unpleasantness. Anxiety, depression, neuroticism, and acute stress were found to be associated with nightmare distress (ND) (the trait-like general level of distress in waking-life caused by having nightmares) and prospective frequency of unpleasant dreams, and less so with the mean emotional tone of all dreams, or retrospective or prospective nightmare frequency. Correlations between low well-being and retrospective nightmare frequency became insignificant when trait ND was controlled for, but correlations with prospective unpleasant dream frequency were maintained. The reporting of nightmares may thus be confounded and modulated by trait ND: such confounding does not occur for the reporting of unpleasant dreams in general. Thus there may be attributional components to deciding that one has been awoken by a dream, which can affect estimated nightmare frequency and its relationship with well-being. Underestimation of nightmare frequency by the retrospective questionnaire compared with logs was found to be a function of mean dream unpleasantness and ND. Related content Free Content Free content New Content New content Open Access Content Open access content Subscribed Content Subscribed content Free Trial Content Free trial content Text size: A | A | A | A
global_01_local_0_shard_00000017_processed.jsonl/9789
Thea Hillman Gender Blender on 05/19/09 Air date:  Tue, 05/19/2009 - 6:00pm - 7:00pm Short Description:  Intersex activists talk about sex, gender and unneccesary surgery "Is it a boy or a girl?" Tuesday, May 19th, Gender Blender host  Jacob Anderson-Minshall  talked with three guests about the intersex experience and what it can teach us about gender, sex and the medialization of natural diversity. Syndicate content
global_01_local_0_shard_00000017_processed.jsonl/9800
Friday, April 30, 2010 A Brief Look at My Wife's Awesomeness Recently, my wife and I ran a little race called the Country Music Marathon. You may have heard of it or ran in it yourself because seemingly, half the world's population was in attendance. But despite the vast swarms of humanity, we miraculously were able to navigate the course and finish all 13.1 miles. I suppose broken down to it's most basic level, running isn't something that is inherently specialized. It isn't a finesse thing or a talent that is genetically gifted throughout generations. To be empirical about it, running is essentially a black hole of suckitude. What would our ancestors think if they could see us now? Where as running was a basic component of their life as they tried to avoid being eaten by basically unchecked predator populations, now we do it to keep from turning into bulbosed human marshmallows. Essentially, we have to go out of our way to schedule or plan physical activity because, by and large, our function in society is predicated more on our minds than it is our physical abilities. So more than anything, running is more like a lost skill than it is a specialized talent. It's like building a fire or not hyperventilating when you forget your cell phone; things we used to do, but no longer can. For me, I don't run because I love it. I run so I don't feel so racked with guilt every time I polish off a cheeseburger (bacon optional, but DEFINITELY preferred). But I've been doing it for a while now, so I've worn down the part of my conscience that yelps in frustration when I lace up the Asics. But this process has been entirely different for my wife. In the strictest sense of the world, she's never really been a runner. That isn't to denigrate her. She's just always been blessed with a teenager's metabolism and a Gandhi-sized appetite. She simply doesn't suffer from Fat Kid's Burden like me, so it has never been a necessity. But late last year, she became resolute in wanting to run the half-marathon. Why? I'm not exactly sure, because we never really had that exact conversation. There's a handful of possibilities: the health aspect, the accomplishment, the experience. All of those are good and swell things. But I think it was about something bigger. See, after her 2009, running 13.1 miles would be considered a walk in the park. Long story short, late in 2008, she gave birth to our beautiful, perfect and wonderful son. We were and are still overjoyed with him. But his birth also brought along some serious physical complications for Ashley. These were not complications of inconvenience. They were complications of  extreme discomfort and pain. They were the kind of complications that mess with your quality of life and mentally wear you down over time, like any time Heidi Montag speaks. But she endured these complications and she did so while balancing her duties as a new mom. Impressive, right? RIGHT? So when she finally regained her health after almost one year of complications, it was as though entering this race was a giant middle finger to 2009 and all the crap (and by "crap" I don't just mean the negligent care she received by her doctor. It also refers to the maddening effect of hopeful prognoses that were followed by more vague bad news. Just in case you were hazy on the specific meaning behind my use of that particular word) she went through. Recovering wasn't enough of a vanquishing for her. She was going to recover and do something she'd never done before. AND. SHE. DID. In a race that featured 36,000+ people, we can safely assume that a significant contingent of that number were running for basic purposes. Maybe to beat a specific pace or perhaps to outrun a fellow competitor. These are all worthy reasons. But a great many runners were there for altogether different reasons: memorializing loved ones, trying to raise money for causes, or just running to promote healthy lifestyles. Ashley never explicitly said why she was running, but she never really needed to. When you have something taken from you, you desperately want it back. And with interest. And get it back she did. If I've learned anything from running, it's this: Sometimes, it's good to be at war with yourself. It's good to throw yourself into unfamiliar territory because often, you will surprise yourself with what you are capable of. I'm so proud of my wife because her crossing the finish line wasn't the product of a few months of training; it was a looong road spanning a couple of years that were filled with substantial potholes. But she navigated through them all and now has a half-marathon to her credit. TAKE THAT, incompetent medical care providers. Thursday, April 29, 2010 Starving for Playmakers: Why The Patriots Need More Bacon and Less Fiber  In the scant few days since the 2010 draftgasm that was, Patriots fans are left with that familiar feeling of dissatisfaction. There are no cigarettes to be had, and no jubilant fist pumps for a draft class that was about as sexy as a big bowl of Raisin Bran. That isn't to say that the 2010 draft class wasn't good. It was. And it was needed. Extending the Raisin Bran analogy, this draft needed to create depth so that the fecal matter could be flushed from the depths of the roster's irritable bowels. And by fecal matter, I obviously mean Adalius Thomas. But lately EVERY personnel process comes with the faint taste of Mueslix. This roster is good on fiber; it needs a little Pollo Loco or Shrimp Fried Rice. If history has taught us anything, it's that while championship runs require a well-balanced roster, they also need the verve and panache of difference makers. Think Tiramisu. Click Here to Continue reading.... Wednesday, April 28, 2010 The Masters So I went to the Masters and two really weird things happened. I'll start with the second weird thing. Thanks to the genius behind Random Fowler, I was able to procure a ticket. Predictably, it was awesome and mainly because it will go down as one of the most highly anticipated sporting events of my lifetime. And if you're subconsciously accusing me of hyperbole, DO NOT. Believe me; I know hyperbole. We're fond acquaintances. If hyperbole and his wife had a baby, there's a good chance that I would be it's godfather or a really, really preferred uncle. So trust me when I say that the previous paragraph is devoid of hyperbolicy. If you're one of those people who refuses to acknowledge the relevancy of sports, understand this: Tiger Woods isn't just one of the most popular athletes in the world. He's one of the most popular PEOPLE on the planet. He's more popular than Ashton Kutcher's Twitter feed, the POTUS, or even Caesar freaking Milan. More specifically to sports, before last Thanksgiving, Tiger Woods was the most dominant and transcendent athlete of our generation. He was a squeaky clean Michael Jordan who built a brand based around his squeaky cleanness. But that's all changed now. Unless you've had your head in Farmville for the last 5 months, you should be well-aware of his rapid descent into the doldrums of public perception due to a problem with remembering who is his wife and who isn't his wife. In sports history, there has NEVER been anything remotely close to an athlete of Tiger's stature falling so fast and graphically. This would be like the Vatican being embroiled in some kind of sex scandal. Crap... I mean...wait... You get the point. Understanding the scope of this, you can see how much more intensely everyone watched him at the Masters. He's already the biggest deal on the PGA tour by a WIIIDE margin. Don't get me wrong: people love them some Phil Mickelson. When Phil approached the 15th green where we had camped out, he received a hero's welcome very similar to a reception Rob Pattinson would get when interacting with middle aged women: raucous, loud, and robust. But when Tiger approached, the feeling was different. If Phil was received like Superman, then Tiger was received like Lex Luthor. The interest in his presence transcended golf because all of us were privy to the tawdry and sordid details of his prodigious infidelity. This additional layer added a really bizarre dynamic to the atmosphere. There was a murmur of applause, but really it was just ominously quiet. He could obviously see all of us, but he didn't look at anyone nor did he interact with any fans. And maybe it's strange, but in that moment, I felt really, really sad for him. I know he has a Scrooge McDuck level of money and fame and success like you and I will never remotely approach. But, even with all that, he has to feel such a deep and profound loneliness. I'm not defending what he did by any stretch of the imagination. It was completely and utter wrong. I mean even the morally vacant people on Jersey Shore were offended by what all he did. But to have all your misdeeds laid out before the entire world? That's some pretty gnarly stuff to deal with. If I were to serially forget who my wife was, beyond being brutally murdered, a relatively small amount of people would be interested. But when the entire world is enthralled by your every step (and misstep), your pitfalls are that much greater. Still though, as surreal and weird as seeing Tiger like that was, it still wasn't the most bizarre thing that happened during the trip. The #1 weirdest moment honor goes to a certain coupling of dogs whom we interrupted having midnight relations in the middle of a rural Georgia road. Not exactly bizarre by stray dog standards, I know. But the weirdness is how they made us feel like WE were the ones intruding. Staring, judging, refusing to make way for our car. Very disturbing altogether. But I suppose it was befitting the Masters because as they say, it's a tradition unlike any other. Tuesday, April 27, 2010 The Beautiful Struggle Sometimes, I so understand why Christians are despised. Lately, I've been trying to make sense of some big decisions Ashley and I are in the process of making. Are they bad decisions? No. Essentially, they are very good decisions, but they come packed with change and the subsequent consequential action of change. Really, the issue isn't with the actual decisions. It's how we've arrived there. In the span of only a few days, we've changed course 3 times and, in doing so, I've convinced myself that God and I are in accord on each change. Stupid. I have this bad habit of bursting through walls like the Kool-Aid guy and then trying to figure out if God wanted this (unlikely) or Knox wanted this (93% likely). And this is where I can see how non-Christians get annoyed. As Christians, we feel like we have some divine right towards answers and clarity and happiness and rainbows. But. We. Don't. Maybe it has something to do with our culture's deliberate emphasis on the individual, but whatever the reasoning, it's true. To us, the idea of struggling is almost taboo. I get violently pissed if my DVR misses a show and you DON'T want to know what happens if Panera ever leaves out my french baguette. Why? It's because my life is comprised of this delicate balance of everything I want. I'm spiritually OCD and if things don't proceed a certain way, I get violent. I assume that I have offended God and now he's enacting the wrath of Sodom and Gomorrah on me. But couldn't it just be that sometimes life is inconvenient? When Non-Christians hear us apply the devil to everything, ("The Devil must be in Starbucks today, because they left off my caramel drizzle") it just sounds ridiculous and self-aggrandizing. Strangely enough, there's a comforting notion in thinking that tripping over a curb isn't my own clumsiness, rather it's small instance of spiritual warfare. But it's not. Satan needn't be bothered with me, because left on my own, I will trip over a great many curbs without provocation. I guess what I'm really saying is that I think struggling is an organic part of life. There doesn't have to be a label or tag on it categorizing it as a spiritual thing. It's just one of the consequences of living in the world that we do. I don't think that's bad, either. A pure and complete struggle is a beautiful thing because it authenticates our resolve. What is there to appreciate if things always go swimmingly? The funny thing about all this is that Ashley and I have our answer now. It is clear and loud and resounding. What's also clear is the lesson I've learned throughout this process, which is: by and large, we are the authors of our own struggles. Monday, April 19, 2010 What We Talk About When We Talk About French Fries Do you remember a couple of years ago when Burger King proclaimed that they had the best french fries? They threw some random passers-by in a taste test and when these random strangers chose Burger King, it was obviously some kind of resounding commentary as a representative sample. I, for one, was offended. Anyone with any sense WHATSOEVER knows that McDonald's fries are the benchmark of french fries. For Burger King to even declare that was offensive on several levels and I think the fact that people saw that commercial and thought, "Meh," is enough of an indictment on the ridiculousness of the claim. It would be like Justin Bieber saying that he's more of a sex symbol than Brad Pitt. You know Burger King should be known for? The amount of used prophylactics found in their parking lot. Seriously. If the tide of life ever pushes you into a BK parking lot, look around. It's like a burial ground for latex. I started thinking of this french fry firestorm recently when I picked up lunch for my son at Chick-fil-A. The food-snooties out there may point out that scientists aren't even sure that french fries are even a food, and you know what? I can't really defend that point. But when I go to one of these fast food joints, I don't go for the organic menu. I'm indulging. So back off and go get some sea kelp at Panera or something. As soon as we enter the drive-thru line, he's giggling and it doesn't stop until I get the feed bag from the window. At that point, giggling becomes shrieking because ROWE WANT FOOD. Specifically, he wants the waffle-cut deliciousness. So this got me thinking: where does Chick-fil-A sit among the preeminent purveyors of french fries? In due course, I present this top 5 list. But not just ANY top-5 list. I compare the various french fry offerings to their logical equivalents: Characters from TGIF. 5) Wendy's - Mr. Feeney Mr. Feeney was the straitlaced authority figure needed in the Boy Meets World universe. He liked stupid things like reading, classical music, and tweed jackets (I'm presuming). By no means was he any kind of a heavyweight in the show like, say, Cory or Shawn, but he was a good change of pace. Just like Wendy's fries. Listen, when our civilization is wiped away by the apocalypse, aliens, or Oprah, there will be no vestige of Wendy's fries. No hieroglyphics will be found praising the gloriousness of a Biggie-sized order of Wendy's french fries. The Baconator? Maybe. But definitely not the fries. Just like Feeney, they're ok in moderation, but not exactly memorable. In the same way, could you imagine an entire Boy Meets World episode built around his Feeniness? DOES NOT WANT. 4). Krystal's - Cody Lambert Krystal's Fries are decent. Make no mistake about that. But they're just that - decent. A step beyond Wendy's fries, but not quite into the upper echelon and this is reminiscient of the resonance Cody had. In Step by Step, he was cast as Frank's goofy nephew who lived in a van in the driveway, but like the show, it was just a second-rate iteration of the bizarre relative character. He had funny moments, but just never seemed to be able to build any momentum. Late in the show's run, if he did have any momentum, it crashed with the domestic abuse allegations that were filed against him by his wife, of which he was later exonerated. In a nutshell, that's where Krystal's fries are; unable to get out from under the sullied gut-bomb rep of the other foods. 3). Arby's - Steve Urkel Curly Fries are the wild card of the fry world in how they are all shaped like a roller coaster and what not. Who WOULDN'T want to eat them? But curly fries are something of a novelty like cotton candy or mall massages; cool every now and then but you can't live like that. Urkel operated in a similar fashion. Family Matters evolved to build each episode around his nerdy hijinks, but in doing so, they also boxed themselves in by keeping all the supporting characters static. This strategy became a self-fulfilling prophecy which left Eddie, Laura, and even Carl as soul-crushingly boring characters. Urkel's schtick may have been entertaining, but ultimately it made the show one dimensional. Just like Arby's Curly Fries. 2). Chick-fil-A - Uncle Joey Gladstone Uncle Joey was a fantastic character who can now be considered a relic because in today's age, an uncle who uses funny voices and plays with dolls is usually not welcomed in most households. But during Full House's run, he was a noble and wonderful character who generously helped raise the Tanner girls. The only negative against him was that he wasn't Uncle Jesse. Let me say this: Chick-fil-A fries are legit. There are few things better than pulling out a waffle fry that's bigger than your face. For this reason, if I ever meet Truett Cathy, I'll give him an uncomfortably long hug. But there is a dark underbelly of Chick-fil-A's fries that warrants mentioning: If you get a fry with the potato skin still on, it can taste like you're eating a crustacean's slimy exterior and NOBODY wants that. Most of the time, these fries show up maybe once per order, but they DO show up and for the prize of Best in Show fry rankings, it's a deal breaker. 1). McDonald's - Uncle Jesse Katsopolis Like I even need to explain why Uncle Jesse was awesome. 1) He jammed with the Beach Boys. 2) He said things like "Have Mercy" a lot. 3) He landed Rebecca Donaldson of "Wake Up, San Francisco" fame. 4) He was Greek. 5) He loved Elvis. Joey was cool and all, but Jesse was the indisputable king of TGIF characters. Likewise, McDonald's fries is the monarch of all fries with an unquestionable divine right to it's supremacy. No matter how incompetent the employees are, the fries are always good. Do you understand what that means? Their goodness is idiot-proof. It is transcendent and above human-error. I found this article about why McDonald's fries taste so good, but I refuse to read it. Why? Because I'm 93% sure that whatever I read is going to be a mental terrorist attack on my desire for those fries and I WILL NOT ALLOW IT. Ignorance, as they say, is bliss. Wednesday, April 14, 2010 Things That Piss Me Off #62 "Things That Piss Me Off" (An Ongoing Series) Volume 62 *When someone places a phone call to you and is subsequently confused when you answer.* NOTHING is more frustrating than being at work and answering the phone to someone who says, "What?" or "Huh?" or "Hello?" It wouldn't be so bad if it was a face-to-face interaction because sometimes those deviate wildly. Approaches can vary drastically. But with a phone conversation, no one launches right into a conversation. That would be disorienting, because there is no visual element aiding the process of recognition. It relies specifically on speaking and listening, so when your phone partner can't get the first foot in front of the other, it's provocatively frustrating for a few reasons. 1. I'm already mildly perturbed that I'm having to use my formal tone of voice. But you're making me do it AGAIN?! BAD FORM! 2. Can't you make a reasonable assumption about how I probably answered the phone? Do you really need to act like I spontaneously tried explain the political climate in Mozambique? ODDS ARE GOOD THAT I PROBABLY GREETED YOU VERBALLY. RESPOND IN KIND AND WE'LL PROBABLY GET THROUGH THIS. 3. It starts the conversation off on an awkward footing. I'm forced to either repeat myself and choke down my frustration, or I can also say, "What?" and tumble the conversation into a wormhole of stupid confusion. People who frequently find themselves disquieted when placing a phone call should review the first few seasons of Reading Rainbow and brush up on context clues. Location on the Frustration Scale: (1 being when I accidentally select Diet Mountain Dew when I wanted regular Mountain Dew and 10 being when my DVR doesn't record LOST) A solid 4.3 rating. May all your phone callers have the gift of logic. Tuesday, April 13, 2010 Clash of the Titans: A Lesson in Regret Clash of the Titans sucked. That may not be articulate, but the movie wasn't either so I don't feel like I should devote any extensive thoughts to a movie that was so underwhelming that my favorite part was walking out of it early. With that in mind, I must concede, that I can't speak to the entire scope of the movie. But let me put it like this: I've been in public restrooms before where horrific sounds were occurring in some of the stalls. Did I need to enter those stalls to see the culmination of these horrific sounds? No, I did not. I could pretty much put it together. Same with CoT. I didn't need to see the end because it was crappy enough on the front end (pun INTENDED.) I'll accept part of the blame. I definitely had some high hopes. Seemingly, it was a can't miss project. The sum of it's parts were: Greek mythology, a cult-classic original, 2010 special effects, LIAM FREAKING NEESON, Sam Worthington, and the ubiquitous phrase "RELEASE THE KRAKEN!" But with all those elements, the first hour went about as fast as a day at the DMV. The plot got underway and never really established why we should care about the main characters. Sure, they were caricatures of heroes we've seen before, but there was no development or relevance. Just action sequences followed by inane dialogue. Essentially, CoT had all the feel of an awesome movie, but it delivered no awesomeness. In fact, it was like a black hole that got too close to Galaxy Awesome and just imploded the entire galaxy. More specifically, it acted like a movie that was much more important and well-written than it actually was. It may perform well at the box office, but so did Transformers 2 and Pirates of the Caribbean 2 & 3. The lesson? Liam Neeson and a Kraken can cover up a lot, but I'd rather eat suppositories than see that movie again. Monday, April 12, 2010 So maybe I lied a little... Just like Britney, I did it again. I played with your heart and changed web addresses. I might remember saying at some point that I wouldn't change again...but I did. Here's the long and short of it (if you really care): in my eternal flippy-floppiness, I must have confused the blogging authorities, because every time someone tried frequenting my blog, this smirking girl greeted them... REAL COOL. Do you know what she's smirking at? The fact that my domain,, lapsed for ONE DAY, and some domain squatter swiped it from me. That's just a guess, but why else would she be so smug? She obviously knows NOTHING about parenthood coming along. She can't be a day past 19 and she looks like she's on her way to Western Civ 101 on Pepperdine's campus in Malibu. At any rate, the address ambiguity was too much. I had to think of the readers. All six of them. The blog location confusion, the smug coed, the sunny locale...I think we've all suffered enough. So I changed the address to my name. Self-indulgent? Maybe. But really, I switched because A.) I'm lazy and my name is easy to type and B.) I'm fairly certain that there is very little interest in scooping up my name as a web address. That is what we call a WIN/WIN. If you follow me, feel free to update with the new link. Or face the reality of staring down a smug undergrad who probably relies entirely on acronyms as a means of communicating her condition any time you try to look me up. It's totally up to you, though. So to recap, now and forevermore (hopefully), you can find my blog here at,,,,, That's the plan at least. Wednesday, April 7, 2010 Nosing Around So I went to the nose doctor today. But not just any doctor. This guy was a doctor who says hello by dousing your nose with numbing spray so he can jam a camera up your nose and telephoto your entire sinus situation. THAT KIND OF DOCTOR. If you are a male and are reading this and still find yourself unclear on this scenario, it's like a yearly physical but instead of clammy hands on your secrets and coughing twice, it's a camera (that probably costs more than Ryan Seacrest) scraping alongside your brain, while you try not to sneeze or gag. At any rate, it was this procedure that provided our meet cute. But there was nothing nice or lighthearted about it. Basically, I have some nasal shenanigans that will most assuredly translate to massive financial repercussions. Joy. But such is life. Just as you gain a little money traction, something breaks, something needs buying or you find out that you have a nose with the structural integrity of Owen Wilson's schnoz. But here's where the frustration comes in: why do doctors act like everyone has graduated from Harvard Medical School? Just because you pin up an Xray of my face to a bright light board doesn't mean that I can make like Dr. Derek Shepard and deduce my diagnosis. Make no mistake: my degree in English is SUPER useful. I can usually spot typos and I can totally tell you some freaky stuff about Oscar Wilde, so....there's that. But the point is, I'M NOT HOUSE M.D.. TRY TO EXPLAIN THE PROBLEM USING SMALL WORDS. When he snapped a couple of pictures with his brain-scraper camera and let me see those, I still was at a loss. YES, DOC, I SEE THAT MY INNER NOSE LOOKS LIKE A BLOODIED SPONGEBOB SQUAREPANTS. NOW CAN YOU TELL ME WHY? But no. I'm left with vague descriptions filled with medicalese and a REALLY big payment. At the end of the day though, if he figures out the problem, I won't care what kind of bedside manner he has. He could spray my eyes with the numbing stuff and make me watch a So You Think You Can Dance marathon. I'm just principled like that. And just so you know, I was this close to putting the pictures of my nose as bloody SpongeBob at the top of this post. I suppose I'm mellowing in my old age, though. Your appetites can feel free to carry on unmolested....for now. Monday, April 5, 2010 Crib-bound and down... Sometimes, no matter how clever you think you are, your child has a way of putting you in your place... Daddy - The funniest videos are a click away Saturday, April 3, 2010 The BluePrint #2: Wishing and Hoping I have an awful tendency to compartmentalize my life. Not exactly a grass is always greener thing, but sort of a "life will be good when (x) happens" kind of thing. I do not like this about myself. This flawed idea hinges on the idea that my life is leading up to this moment where my dreams will converge with reality. Only then will I be uniformly happy. Magically, I will be doing what I love to do. Donuts will be as nutritional as Raisin Bran and siestas will gain traction as socially acceptable workplace policies.These are my hopeful aspirations. There are a few things wrong with this line of thinking: First, I would imagine that eating donuts every day would get old fast. That may seem sacreligious in terms of donut devotion, but I think the wonderment and glory of a donut is in it's rarity. There's a novelty in having a donut in a similar way that Christmas or Memorial Day is awesome. If we had Christmas once a week, dealing with all the wreaths and tree lights would just get obnoxious, AM I RIGHT? But more to the larger point, my hopes beg the questioning of this murky point of tangibly living the dream. As much as I would love to be able to cross some finish line and just coast through life to never again be burdened with stress or trials, it simply doesn't work like that. I want it to, but it doesn't. But there's something refreshing in that. Life isn't broken into compartments of enjoyment and endurance. It's one long string of experiences. Some are good, some are bad, and some involve raisin bran. All of the separate elements exist to comprise the same singular thing. So for the Boy's blueprint, I want him embracing every part of life. I don't want him holding out until all the conditions are perfect, because life is short enough as is. Below is my favorite quote from The Curious Case of Benjamin Button. I can't read it and not think of my son because it encapsulates everything I want him to know. Twitter Delicious Facebook Digg Stumbleupon Favorites More Powered by Blogger
global_01_local_0_shard_00000017_processed.jsonl/9839
16 U.S. Code § 676 - Hunting, trapping, killing, or capturing game on Norbeck Wildlife Preserve unlawful When such areas have been designated as provided for in section 675 of this title, hunting, trapping, killing, or capturing of game animals and birds upon the lands of the United States within the limits of said areas shall be unlawful, except under such regulations as may be prescribed from time to time by the Secretary of Agriculture. It is the purpose of this section to protect from trespass the public lands of the United States and the game animals and birds which may be thereon, and not to interfere with the operation of the local game laws as affecting private or State lands. (June 5, 1920, ch. 247, §§ 2, 3,41 Stat. 986; June 25, 1948, ch. 645, § 11,62 Stat. 860.) First sentence of section is from section 2 and the last from section 3 of act June 5, 1920. Effective Date of 1948 Amendment 16 USCDescription of ChangeSession YearPublic LawStatutes at Large
global_01_local_0_shard_00000017_processed.jsonl/9843
§56-3-9. Service in other county; return. A sheriff or other officer may transmit by mail (the postage thereon being prepaid) any process or order which came to his hands from beyond his county, with his return thereon, in an envelope or cover properly addressed to the officer to whom or whose office such return ought to be made; and the receipt taken at the time from the postmaster, his deputy or clerk, certified as aforesaid, shall be evidence that the process or order, and return, were transmitted as aforesaid.
global_01_local_0_shard_00000017_processed.jsonl/9872
lfnetwork.com mark read register faq members calendar Thread: Recovery of Heads and new request: a few kotor1 male heads in the Sith Lords Send Page to a Friend Your Username: Click here to log in Image Verification Recipient Name: Recipient Email Address: Email Subject: LFNetwork, LLC ©2002-2011 - All rights reserved. Powered by vBulletin® Copyright ©2000 - 2014, Jelsoft Enterprises Ltd.
global_01_local_0_shard_00000017_processed.jsonl/9874
View Single Post Old 03-08-2005, 04:24 PM   #103 Curt-Man's Avatar Join Date: Apr 2004 Location: Rockin' on my Air Guitar! Posts: 3,476 Roy turned, still angry and sat down some distance away from as many people as he could. he fought people not interact with them. Curt-Man is offline   you may: quote & reply,
global_01_local_0_shard_00000017_processed.jsonl/9883
New! Read & write annotations You see all these people out here on this street Eddie? See they got blues I'm talkin' 'bout they po', they broke, they hungry That's blues Well the blues can live in Buckhead too I know, it's just a richer shade of blue But it's still blue I can feel it He got everything he want But everything he need money dont buy Now if that aint blues I say listen They look at him All they see is dollar signs Now, if that aint blues I say listen A rich shade of blue Okay, Okay, you snappin, you snappin A rich shade of blue Well im just playin' what I feel And it sure feels good A rich shade of blue I see I'm 'bout to bring you down to bankhead more often Cuz you goin' off A rich shade of blue Or we can take it to Buckhead, and do it Peach Street style A rich s'hade of blue Everybody fall down sometime Yeah just like that Oh but you gotta get to the place Where they know your face And they don't mind if you cry sometimes They listen, cuz they cry too Oooh, thats right right right A rich shade of blue I guess it aint where you from, it's where you at A rich shade of blue Its my birthday, and Im having the best worst time of my life A rich shade of blue Man, we stand out on this corner any longer You gon' make me rich A rich shade of blue Lyrics taken from Correct | Report • u UnregisteredJul 8, 2012 at 9:42 am It expresses a life away from high class society and takes you to a lower class setting. It means that you cant take va;luable items for granted because some of the lower class can't even afford it. Write about your feelings and thoughts Min 50 words Not bad Write an annotation Add image by pasting the URLBoldItalicLink 10 words Annotation guidelines: