id
stringlengths
50
55
text
stringlengths
54
694k
global_05_local_5_shard_00000035_processed.jsonl/44542
Take the 2-minute tour × Here is my fetch IDs function in DBAdapter class: I want to fetch all the IDs and display the list in a toast message, cant understand where I am going wrong. public Cursor fetchAllIDs() { return mDb.query(DATABASE_TABLE0, new String[] {IDno1}, null, null, null, null, null); Here is my function which I call on a button click and I want my toast to be filled with all IDs. private void fillData() { // Get all of the IDs from the database Cursor c = DBHelper.fetchAllIDs(); String[] from = new String[] {DBAdapter.IDno1 }; Toast.makeText(getApplicationContext(), ""+from, Toast.LENGTH_LONG).show(); share|improve this question Can you tell us what error you are experiencing? –  soren.qvist Oct 5 '12 at 7:26 I am not getting the exact ID numbers the toast message displays something like: [Ljava.lang.String,@4058... –  Heretic Monk Oct 5 '12 at 7:35 1 Answer 1 up vote 0 down vote accepted First, you are returning a Cursor but then you never use the information in this Cursor. Second, you cannot display a String[] as a string anyway. You'd have to loop through the String[] and display the values one by one. You want something like this: private void fillData() { Cursor c = DBHelper.fetchAllIDs(); List<String> idList = new ArrayList<String>(); if (c.moveToFirst()) { do { Toast.makeText(getApplicationContext(), "" + idList.get(idList.size()-1), Toast.LENGTH_LONG).show(); } while (c.moveToNext()); Edit: Fixed getLong() to getString(). share|improve this answer This is insightful, Ah how could I miss on that! But the problem now is that I get an error on: idList.add(c.getLong(c.getColumnIndexOrThrow(IDno1))); it shows an error on the "IDno1" field. Do I have to supply that in quotes? –  Heretic Monk Oct 5 '12 at 8:08 Oh, your "IDno1" field contains strings right? It should be getString(), not getLong(). –  UgglyNoodle Oct 5 '12 at 8:33 I don't know where you have defined IDno1. Maybe it should be DBHelper.IDno1, but you should be able to figure that out. –  UgglyNoodle Oct 5 '12 at 8:35 Yes I have done it, thanks for the help. :) –  Heretic Monk Oct 5 '12 at 8:53 Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44543
Take the 2-minute tour × Has anyone used the newer hglock extension? I am having trouble getting it to work with a remote (central) repository. Hglock says it is not a local. One thing I have not is install hglocks on the central repository server. So my question is: How do you really use this extension? I do the init-locks and the lock tracking file is created in my local clone of the repo and not up on the server. share|improve this question 1 Answer 1 I have a potential fix in Issue #11 but I haven't tested it with earlier versions of Mercurial. By returning a peer rather than a repo there can be other consequences - for example it broke cloning a local repo (which I've also got a fix for in the issue). There might be other problems caused by this. share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44544
Take the 2-minute tour × I cannot install pcap package under Windows 7 (64 bit). Anybody know how to do that? Error message if I run "cabal install pcap": cabal.exe: Missing dependency on a foreign library: • Missing (or bad) header file: pcap.h • Missing C library: pcap I downloaded WinPcap 4.1.2 Developers Pack from here: http://www.winpcap.org/devel.htm Installed MinGW/MSYS from scratch. Tried both: prepackaged GHC 7-6.2 (ghc-7.6.2-x86_64-unknown-mingw32.tar.bz2) and compiled it myself under MinGW/MSYS. There seems to be multiple problems: 1. When I provide include path to pcap.h (--extra-include-dirs), I can do "cabal configure" successfully, but it fails on "cabal build" with "netinet/in.h" not found. 2. If I install netinet/in.h by running under MSYS "mingw-get install msys-core-dev", then I'm getting tons of different type already defined messages. 3. WinPCap Developers Pack do not have libpcap.a (it has libwpcap.a). And it looks like there is no 64 bit version of it. Do I need to compile it myself? I would appreciate if anybody can suggest how such situations normally handled for cabal packages under Windows. share|improve this question 2 Answers 2 Correct. For better or worse, while the library is called "libpcap" on UN*X, and is thus linked with the flag -lpcap, it's called "WinPcap" on Windows, and the .a file is called "libwpcap.a", meaning that if you build an application with UN*X-style tools, it would be linked with the flag -lwpcap. So, no, even if you're using UN*X-style files on Windows, you don't use the same flags to link a pcap-based program that you do on UN*X. And, yes, you would have to compile a 64-bit version yourself; whilst they offer a 64-bit version of the .lib file for use with the Microsoft build tools, they don't appear to offer a 64-bit version of the .a file for use with more UN*X-like tools. share|improve this answer Thanks. My confusion arose from the fact that Haskell/Cabal Pcap package has "*-mingw32) EXTRA_LIBS=wsock32 CALLCONV=stdcall ;; *)" in its configure.ac. That is why I assumed mingw32 is supported platform, and may be I'm using completely incorrect pcap library, since there is a reference to wsock32 in the configuration. –  beanandgone Mar 27 '13 at 19:34 Have you tried just making netinet/in.h available? My recollection was that this was used to generate the Haskell equivalents. You may not need anything else. Warning: I last worked on this package 7 years ago. share|improve this answer Yes, I tried. The one installed with mingw-get has some dependencies on other directories (asm, sys, cygwin) which I also copied that finally result in compilation conflicts. There are two questions really: which pcap library under Windows is required, and how to install netinet/in.h to embedded mingw: C:\MinGW\msys\1.0\local\mingw\x86_64-w64-mingw32\. The conflicts are because of installed MinGW and mingw that comes with GHC. –  beanandgone Mar 27 '13 at 13:54 Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44545
Take the 2-minute tour × I'm getting weird errors including errors inside comments (see screenshot). Visual Studio 2010 Targeting .NET 4 • PInvoke.net • PowerCommands for Visual Studio 2010 • Productivity Power Tools • SQL Server Compact Toolbox • Visual Assist X Errors in comments. aka getting my opinion wrong share|improve this question Well, the editor thinks you have an error in the string you assign to cb.DataSource as well... It should still build fine though. –  Joachim Pileborg Mar 28 '13 at 13:40 @Yuck I mouse over them and no error pops up. It doesn't build and that's the problem. –  AppFzx Mar 28 '13 at 13:51 And to whoever thumbs downed this question, at least have the intelligence to leave a reason or it doesn't help the community improve their questions. –  AppFzx Mar 28 '13 at 13:52 @JoachimPileborg I'll post the errors it's giving at build after meetings and lunch. The errors like assigning "masterkey" string are what's befuddling me. #ProductivityMeetings –  AppFzx Mar 28 '13 at 13:58 Apparently, connection and Pre1p14p2Adp and MakeAdapter(connection) aren't correct either. Maybe those are the reason why your project is not building? –  Nolonar Mar 28 '13 at 14:13 2 Answers 2 up vote 1 down vote accepted Check which add-ons you're using. Sometimes they attempt to verify paths (even in comments). Although I haven't seen this prevent a build before I'm sure it's possible that is the cause. share|improve this answer It seems to me, there are two types of errors: 1. Syntax errors (e.g. connection underlined - probably because the declaration is commented out). 2. Grammar errors (e.g. "Dropbox" in comments). Nowadays, most IDEs check your documentation comments for typos, using a dictionary (thesaurus). If a word is not in the dictionary, it is underlined. Of course, the grammar checking often can't recognize a path and it just considers every path component a word. share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44546
Take the 2-minute tour × I'm getting tired of having to install hundreds of plugins(I use a lot of em) from the web everytime I change my eclipse installation. What eclipse does during a plugin install is download the relevant jars from the update site and install them. Is there any way to bundle up these download jars into an archive so that the next time one can update locally without having to download all the plugins again? share|improve this question 2 Answers 2 up vote 3 down vote accepted You can mirror the features you want and create a local repo. You need the IDs of the features you regularly install (they're in your eclipse/features directory), and then you can create a little ant script to create your local repo. From there, you can just install locally. Repo IDs are the same as the feature id + ".feature.group" <target name="CreateLocalRepo"> <p2.mirror destination="file:///opt/local/eclipseMirror" ignoreerrors="true"> <source location="http://download.eclipse.org/releases/helios"/> <iu id="org.eclipse.emf.sdk.feature.group"/> <iu id="org.eclipse.releng.tools.feature.group"/> That can be run by something like: eclipse/eclipse -noSplash \ -application org.eclipse.ant.core.antRunner \ -buildfile createLocalRepo.xml Another option if you still have your older eclipse install lying around is to use Help>Install New Software and provide your old eclipse as a repo location. OLD_ECLIPSE_INSTALL/p2/org.eclipse.equinox.p2.engine/profileRegistry/SDKProfile.profile share|improve this answer <target> not closed... –  mvmn Nov 16 '14 at 5:42 I'd like to add to Paul's answer the following Ant script in which you don't have to list all the IDs of the features contained in the site: <?xml version="1.0" ?> <project name="MyProject" default="CreateLocalRepo" basedir="."> <target name="CreateLocalRepo"> <p2.mirror destination="file://..." ignoreerrors="true"> <repository location="http://.../" /> share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44547
Take the 2-minute tour × I would like to change my profile background from no background image to a background image that I upload via the Twitter API using Ruby. I have no problems uploading new background images when my profile is already set to use an image as the background. When my profile is set to not use an image as the background, however, and I try to upload an image with the added param "use=1" to tell Twitter I want to use the background image I'm uploading, Twitter replies with this: {"error":"You tried to turn on your background, but don't have one selected.", suggesting Twitter's not recognizing that I'm uploading an image. In every other case, however, image uploading works perfectly. Adding the "tile" param with the request works too, so the problem doesn't seem to be with mixing file params and non-file params. I can even try to turn my background image off from being on while uploading a new image and Twitter gives me this: {"error":"You tried to turn off your background while also uploading a new one.", showing that Twitter is totally able to detect that I'm uploading an image. Am I missing something? Here's the code: require 'oauth' require 'net/http/post/multipart' consumer = OAuth::Consumer.new(APP_CONSUMER_KEY, APP_CONSUMER_SECRET, {:site => "http://api.twitter.com", :scheme => :header}) access_token = OAuth::AccessToken.from_hash(consumer, {:oauth_token => OAUTH_TOKEN, :oauth_token_secret => OAUTH_TOKEN_SECRET}) image_file = File.new(image_file_path) url = URI.parse('http://api.twitter.com/1/account/update_profile_background_image.json') req = Net::HTTP::Post::Multipart.new url.path, { "use" => "1", "image" => UploadIO.new(image_file, image_mime_type, image_file_name) consumer.sign!(req, access_token) Net::HTTP.new(url.host, url.port).start do |http| puts http.request(req) share|improve this question Your Answer Browse other questions tagged or ask your own question.
global_05_local_5_shard_00000035_processed.jsonl/44548
Take the 2-minute tour × I am a C# Developer recently started exploring the Restful web services in Java and I bumped into a weird issue and its not with any functionality in the rest service but with the Integration tests. The Integration tests are quite simple it hits the Rest URL and it does the checking from the client response received. The tests have no compilation errors and this is a seperate test project and when i try to run the tests through jUnit. or try to run the test file as jUnit test I am getting this error. There was an error while accessing the DNS servers from the resolver: There was an error while accessing the search domains from the resolver: When i do a mvn verify / clean install on the project I see that same test is running with no problem at all. All other projects on my machine run successfully on both jUnit and Maven seperately. I am not sure if its the problem with jUnit or anyone has seen a similar problem like this. As a matter of fact my unit tests for the same web service runs in jUnit successfully and its this one particular bunch of tests which are giving me the afore mentioned error message with jUnit tests on my console. I look forward to your perspective on this. Thanks and Cheers ! share|improve this question One possibility is proxy configuration which works fine from maven but not from junit. –  Raghuram Nov 30 '11 at 16:44 is there a way to manually resolve the proxy configuration? –  Venki Nov 30 '11 at 16:50 1 Answer 1 up vote 0 down vote accepted It was an eclipse configuration error. Reinstall resolved the issue. Cannot replicate the issue again. I found it very weird though. Seems like none encountered it before. share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44549
Take the 2-minute tour × Say I have: class A { static void DoStuff(); // ... more methods here ... And later on I have a function that wants to call DoStuff: B::SomeFunction(A* a_ptr) { Is it better to say: Or is the following better even though I have an instance pointer: This is purely a matter of style, but I'd like to get some informed opinions before I make a decision. share|improve this question A total nit: but C++ doesn't have "methods". It has functions. Nowhere in the C++ standard does it talk about "methods". Method is a general OO term which map in C++ to functions. As to your question: its purely a style thing, they both do the same thing. –  Brian Neal May 8 '09 at 16:22 Fixed the nit... –  i_am_jorf May 8 '09 at 16:24 LOL, sorry for being a picky b*stard. –  Brian Neal May 8 '09 at 17:47 Precision is important. –  i_am_jorf May 8 '09 at 18:03 7 Answers 7 up vote 22 down vote accepted I think I'd prefer "A::DoStuff()", as it's more clear that a static method is being called. share|improve this answer Though I really like Adam's example, I'll give the check for this subjective question to the crowd favorite. –  i_am_jorf May 8 '09 at 20:29 It's better to call the static method by its name, not through an object, since it doesn't actually use that object at all. In Java, the same problem exists. A not-too-uncommon problem in Java is the following: Thread t = getSomeOtherThread(); This compiles fine but is almost always an error -- Thread.sleep() is a static method that causes the current thread to sleep, not the thread being acted on as the code seems to imply. share|improve this answer Good point. I suppose similar errors could arise in C++ frameworks. –  i_am_jorf May 8 '09 at 16:03 If the API does have this, then I think this is a major "bug" in the API. Maybe it's because Java doesn't have the concept of free functions that it had to do this - but that isn't necessary in C++. A function should be a member function if it has special access to the object (eg. private constructor). –  Richard Corden May 11 '09 at 11:24 I personally prefer the A::DoStuff() convention because it's immediately clear to anyone reading the code that it's a call to a static member function. share|improve this answer Although I agree that A::DoStuff() is clearer, and it's what I'd write myself, I can see an argument for going via the pointer, which is "suppose the class name changes". If class A becomes class B, then we only need to update the class name in one place (the pointer declaration) instead of two. Just a thought... share|improve this answer Also, the static method might someday change to an instance method; I've seen that happen on occasion. –  Dan Breslau May 8 '09 at 16:12 Either change will cause compile time errors. Changing names is a simple matter of search and replace (usually--works fine with names more descriptive than "A" and "B"). –  i_am_jorf May 8 '09 at 16:16 Jon Skeet opened my eyes to why you should not call a static method through an instance pointer. His example is in Java, but the concept applies to C++, too: Thread t = new Thread(...); t.sleep(1000); // Which thread does it look like this will affect? As I commented when I first read his answer: "Until I read [Jon's post], I considered being able to call static methods through an instance reference a feature. Now I know better." In short, call static methods using the class name, not an instance. In my opinion, it's more than a style issue - it can result in misleading, buggy code. share|improve this answer This looks like a really contrived example. If you have a sleep member in a Thread class then if that member does not affect just that thread then you should shoot the person who wrote the API. –  Richard Corden May 11 '09 at 11:15 Another answer mentions this too - so this must be an issue in Java. However, a flaw in the design of a Java API (because of the lack of free functions) is not necessarily a good argument for something in C++. –  Richard Corden May 11 '09 at 11:25 While the example given was actually Java, it is more-or-less valid C++ as well, given a Thread class with a start() instance method and a static sleep() method. Of course, you'd also either have to get rid of the new or make t a pointer and change the t.start() to t->start(), etc. - but those changes are besides the point about calling a static method through an instance. –  Michael Burr May 11 '09 at 15:03 Also, you may want to get out your gun - a Thread class with a static sleep() method seems to be quite common. Even boost::thread has it, and while the boost developers are not perfect, I'd be reluctant to call them worthy of shooting. –  Michael Burr May 11 '09 at 15:11 Generally I do the A::DoStuff(); way instead of a->DoStuff(); because maybe someday the function I'm in won't have that instance pointer anymore due to refactoring. But it's a total style thing that you shouldn't loose any sleep over. share|improve this answer I've seen many questions in Java where if people called a static method using the syntax of calling an instance method through an object, and the object is actually a subclass of the variable type, people wonder why it doesn't call a static method of the same name in the subclass. The fact that they are calling it through an object makes them think that it is an instance method which can be overridden and it somehow does runtime dynamic lookup using the type of the object. But of course the object is never used in the call at all -- only the type of the variable is used at compile-time to decide what class's static method it is. So if you put an object there, it is completely misleading because it makes people think that it is used, when it is not. That's why I favor only calling static methods through the class name -- it is exactly equivalent to calling it through a variable of the class type; but it tells you exactly what is going on, with no useless misleading extra information. share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44550
Take the 2-minute tour × I have a page with 7 custom application I've made, tested and are currently attacked to a facebook page. For some users they see all 7 application, other users see only 1. The applications are in iFrame, with sandbox disabled. From my computer using my account and my sister's account (FF/Chrome) - we both see all of them, in Opera without login I also see all of the applications. What could be the cause? Here is the page: https://www.facebook.com/pages/Gloria-Mar/267571689965042 share|improve this question 1 Answer 1 up vote 0 down vote accepted I've tested viewing in various browsers with both "developers" and non- facebook developer accounts and I can always see 7 apps listed. I'm not sure how to reproduce this issue. Can you give specifics on how to reproduce? share|improve this answer This is the entire "problem" - there is no problem. We just have feedback from users where they state that they see either 1, a few applications or in my case see them all. All of the current applications are with site/tab/facebook app options enabled from developer menus. They are entirely the same, with different URL and main settings being different ofcourse. Like you, I have tested with different account types, but I always see them and they work normally. –  Iliyan Petrov Jan 3 '12 at 8:25 It appears that when I turn off the secure browsing, I don't see any of the application, except one. What could be the cause of this? –  Iliyan Petrov Jan 3 '12 at 9:29 Of course, you need to have both http and https setup for each of the apps. :) Good find. –  DMCS Jan 3 '12 at 15:56 You are correct, thank you. Apologize that I didn't mark it sooner. –  Iliyan Petrov Mar 14 '12 at 12:01 Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44551
Take the 2-minute tour × I have c# asmx service project that was running on framework 2 with vs 2008 Now i have updated it to framework 4 with vs 2010 when i build dll in debug mode it compiles successfully but when i build in release mode i get the following error: Error 51 Mixed mode assembly is built against version 'v1.1.4322' of the runtime and cannot be loaded in the 4.0 runtime without additional configuration information. C:\Service\MycService\SGEN UPDATE: Ok, I change the framework to 3.5 from project properties its build ok in release mode, but what's the problem in framework 4.0. I need it to be working in framework 4.0 share|improve this question In the project settings, do you see a difference in how you are building in the configuration manager or in the Build section? –  Davin Tryon Feb 6 '12 at 12:07 You have your answer at stackoverflow.com/questions/4018924/… –  Ravia Feb 6 '12 at 12:35 @Ravia The answer has a win application which has an app.Config file and set useLegacyV2RuntimeActivationPolicy, mine is web application do you mean that i have to add useLegacyV2RuntimeActivationPolicy in my webconfig –  Ali Hasan Feb 6 '12 at 12:44 3 Answers 3 up vote 5 down vote accepted I got it working By going to Project-> Right Click-> Properties-> Build->Generate Serialiazation Assembly Change Value here "Auto" to Off and build on release mode it now works share|improve this answer Do you have unmanaged code in your solution, or do you build against one? We had run into such issue at work when we moved to work with VS2010 and .net 4. What worked for us was adding App.config file to the project which contains the following: <startup useLegacyV2RuntimeActivationPolicy="true"> share|improve this answer no, I dont have any unmanaged code –  Ali Hasan Feb 6 '12 at 12:49 i did as u suggested but same issue... –  Ali Hasan Feb 6 '12 at 12:52 You would have to put it inside configuration tag check the link http://msdn.microsoft.com/en-us/library/bbx34a2h.aspx, which was also there in previous link answer. share|improve this answer i did added in webconfig under configuration tag but same issue <startup useLegacyV2RuntimeActivationPolicy="true"> <supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.0"/> </startup> –  Ali Hasan Feb 6 '12 at 12:59 Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44552
Take the 2-minute tour × Now I want to create three processes in my program and there are several threads in each process. And each thread is infinite task, which may sleep and be waked periodically. Besides, the process has some task to do. My questions are: 1) Do I need to set the threads as detached ? If I set the threads as detached , they seem not to run!! But, If threads as joinable, the process has to wait the threads to exit and it can't do its own work!! which one should I choose? 2)What's the scope of schedule policy ? I mean, if I set the schedule policy as FIFO, all the threads in the all processes are scheduled by FIFO policy? Or just the thread which is set with this attribute is scheduled by this policy? 3)What's the scope of thread priority? The thread priorities are just useful in the single process, and in another process, there exist another set of thread priorities ????? And they don't infect each other??? I would appreciate for your help! thank you! share|improve this question 3 Answers 3 up vote 0 down vote accepted (1) You have a coding error. A detached thread gets a time slice like everything else. If it is not running then it is something you are doing. You should post your threadfunc and the function which creates the threads in another question. It's impossible to say whether your threads should be joinable or detached without knowing what you are doing. The main benefit of joinable threads are you know when they finish and you can check the return data. If these aren't important to you there is no real advantage to making them joinable - other than it is marginally easier to create them because that is the default. If you don't want to block in pthread_join there are strategies you can pursue. Your threads can set switches before they die, you can use condition variables, you can have a separate thread that joins the dead threads and so forth. Again, it is impossible to know what is the best strategy for your particular case. (2 & 3) A thread inherits the schedule policy and priority of the thread that creates it and they remain that way unless you specifically change them. The policy/priority of threads in one process are not directly related to any other process. share|improve this answer Impressive answer!!!very useful! thank you! –  city Mar 10 '12 at 4:03 DETACHED OR JOINED: It depends on the type of requirement you need. If you want the main executable thread(which is spawning new threads) need to continue on its work and no need to wait for the spawned thread return value, you can use DETACH. If you need the main executable thread, to only wait for the return value and do not need to perform any other task on its own. You can use JOIN. When a thread is created, it uses the default scheduling policy unless changed by the attribute, before calling pthread_create. Also after creation, dynamically you can change the scheduling policy. NOTE: Scheduling Policy affects threads with same priority. Priority: you can change priority using pthread_setschedparam (also for scheduling policy). However, in Linux thread is also a light weight process. So, all the threads are priority are looked at entire process level, not within each process. share|improve this answer Do you mean that the whole program only have a schedule policy? And all the threads, no matter in which process, are regraded in the same set of priority in the whole program? –  city Mar 10 '12 at 5:51 priority and scheduling are set at thread level. Look at each thread as process in itself. If Process P1 has Th1,Th2 threads of sched policy Sched1 and Sched2. Process P2 has threads Th3,Th4 having sched policy Sched1,Sched2 respectively. So the OS schedules Th1,Th3 using Sched1 mechanism and Th2,Th4 uses Sched2 mechanism (assuming threads are having same priority). Similarly, If P1 has 5 threads of Pr1 and another 3 threads of Pr2. If P2 has 2 threds of Pr1. P1(5 threds)+P2(2 threads), each thread will get 1/7 of time slice for that priority by OS(assuming same scheduling policy). –  vamsi Mar 10 '12 at 6:17 I'm answering only to the first question: No need to create the threads as detached, since you can simply join them at the end of the main process. To create threads as detached you should first create an attribute and then use it as a parameter to pthread_create pthread_t thread1; pthread_attr_t attr; int chk; chk = pthread_attr_init(&attr); printf("attr_init: %d\n",chk); chk = pthread_attr_setdetachstate(&attr, PTHREAD_CREATE_DETACHED); printf("attr_setdetachstate: %d\n",chk); chk = pthread_create(&thread1, &attr, function, NULL); share|improve this answer Thank you for your answer. –  city Mar 10 '12 at 3:58 Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44570
View Single Post Lt. Commander Join Date: Dec 2007 Posts: 120 # 32 04-28-2012, 02:07 AM you have to log out of your account for the password reset to work. Cryptic found evidence of a hack attempt back in dec 2010. they reset peoples passwords on the affected database and sent out an e-mail. perhaps not everyone got the mail but the important bit though is the password reset will not work if you are logged into the forums. you must log out or it will just take you to the homepage.
global_05_local_5_shard_00000035_processed.jsonl/44576
Commodifying Compassion jd-in-georgia's picture I really got a kick out of the "What would Jesus cut" reference. This alone should send up a red flag for Chistians. After all, Jesus told Pilate, "My kingdom is not of this world." Personally, I do not need government telling me how to show charity. Government charity is earthly charity and is now as it always has been, doomed to fail. Why? Because real charity is freely given and not taken from one to be redistributed to another. (My comments do not necessarily reflect ideas and opinions of STR or the readers of STR, but my last sentence speaks volumes, regardless of one's beliefs.) Suverans2's picture G'day jd-in-georgia, Some things that some individuals may not know about that verse you quoted. First, according to Noah Webster (c.1828) the etymology of the word "kingdom" is, [king and dom, jurisdiction.] Secondly, the VERY FIRST definition Thayer's Greek-English Lexicon of the New Testament gives for the Paleo-Greek word, kosmos, translated "world" in that verse is "1) an apt and harmonious arrangement or constitution, order, government". Thus, Jesus [sic], in my opinion, was telling Pilate, the Roman procurators of Judea, that his authority was not of[1] Pilate's "jurisdiction", in other words, that his authority did not come from the Roman "government". And, for the record, my authority does not come from the United States Government or any of its franchises. OF, prep. 1. From or out of; proceeding from, as the cause, source, means, author or agent bestowing ~ Webster's 1828 American Dictionary of the English Language
global_05_local_5_shard_00000035_processed.jsonl/44577
Take the 2-minute tour × I'm going to upgrade my iPhone to OS 4 soon, and I'm worried that it might destroy my data. How can I back up texts? I think I've heard of an Apple product that lets you back up photos. Is there a free solution to do that? I am using Windows 7. How can I back up my texts (and other data) using it? share|improve this question 1 Answer 1 up vote 2 down vote accepted You can backup everything on the phone (texts, camera roll, apps, settings, etc) by right clicking or control clicking on the phone in iTunes and choosing make backup. That backup is normally created whenever you plug in to do a sync. The backup is stored in ~/Library/Application Support/MobileSync/Backup/ in a folder with a long string of numbers and letters. If there are multiple folders in there that is because iPods and iPads each also create their own folders. What does not get backed up is anything you sync to the phone (Music, Video, etc) although it will resync all of your same selections onto the new phone. If you are upgrading to a new phone your passwords will also not be included in the backup unless you have an encrypted backup. If you have time machine on then you are backing up that folder. If you don't have a regular backup of your computer (you should!) then you can duplicate the above mentioned folder onto your desktop after you do a sync to be sure you have it should the upgrade go awry. The thing about the iPhone backups is that it only keeps one (the most recent) so it is best paired with Time Machine. Basically just make sure you create that one last backup of the old phone, make sure you have that backup on your computer, and then plug in the new phone and you will be presented with the option to set it up with the backup from your old phone. Edit: I wrote this before you added the Windows tag. Most of what I wrote still applies, but the path for the backup is different in Windows, and of course Time Machine is Mac only. share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44578
Take the 2-minute tour × After messing around with a few mice and the trackpads of various laptops, it's time to get back to using a proper input device: A trackball. I used to be very happy with my old Logitech Marble trackball (PS/2, three buttons, "white"). But that's really showing it's age, USB converters are a bit flaky and I think it would be better not to operate the ball with my thumb. And as Kensington just has a mail-in rebate offer, I thought about buying a Kensington Expert Mouse. This used to be a pretty good model, and I dimly remember admiring the feel of its OS 2 / ADB predecessor. But the stories one hears about the current crop are pretty mixed. Apparently the build quality has been steadily going down since the '90s. So, did anyone buy one of those within the last 18 months? If the old adage "they don't build 'em like they used to" is true in this case, I'd be interested in alternatives. At least three buttons (X, Smalltalk), a ball that spins for quite a while and it should work at least in Linux and OS X (10.6), Windows 7 wouldn't be bad, but not required. share|improve this question 1 Answer 1 up vote 1 down vote accepted I use the same one and wouldn't be without it. Mine is a few years old by now but I have no complaints (I can't say whether a new one of this same model would be different). Being optical, it needs a lot less cleaning than my previous ones that had mechanical bearings and encoders. Kensington have always been responsive when I had any issues (none with this one). share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44579
Take the 2-minute tour × I heard that bookmarks of a pdf file are stored in plain text somewhere in the file. I was wondering if it is possible to import and export bookmarks of a pdf file into and from a text file, for batch processing? If yes, is there any description on the syntax for editing the text file containing bookmarks of a pdf file? I was hoping for free software solutions for Ubuntu 10.10 and for Windows 7. Thanks and regards! share|improve this question 2 Answers 2 up vote 7 down vote accepted There's quite a variety of tools that can extract bookmarks from a pdf to a plain text file, and vice versa. For example, you can use pdftk, the iText toolbox (older versions only, get itext-2.0.1.jar), my own pdfWritebookmarks tool, and JPdfBookmarks which even has a GUI. I have a script that can convert between the formats of many of these tools: bmconverter.py. Another very nice way is to add bookmarks to a pdf via pdflatex. share|improve this answer The specification for PDF files is available as a freely downloadable PDF from Adobe - or at least it was last time I checked. However, most PDF files have most compressible data in them compressed. There probably was a basically plaintext version of PDF once upon a time, and if so it will still be valid now, but actually getting a file in that form may be a problem. Although I haven't done it, one very likely possibility (if you're willing to pay) is to buy Acrobat Pro, and to use the Javascript scripting abilities built into that application. To get you started... This tutorial shows how to create bookmarks automatically using Javascript in Acrobat 7.0 Pro (the version included in Creative Suite CS2). Although that's getting a bit old, the same technique should work fine for newer versions. Adobe applications do include a library for reading/writing text files using Javascript (something that Javascript doesn't have as standard), so it's possible to write your own import/export scripts, though non-trivial to make those scripts robust. share|improve this answer Thanks! Is there a Linux version of Acrobat Pro ? –  Tim Apr 28 '11 at 6:58 Sorry - I very much doubt it. AFAIK its a Mac or Windows thing, and Adobe are unlikely to support Linux unless a huge number of creative professionals (1) start using that platform, and (2) show that they're willing to pay lots for proprietary software rather than use FOSS alternatives. Seems unlikely. For a free solution, you might try a library such as blog.rubypdf.com/2007/12/12/… (for Ruby). I know even less about this - I just found it on Google. –  Steve314 Apr 28 '11 at 7:10 Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44580
Take the 2-minute tour × Is there any Firefox addon which will delete my all cookies after specific interval of time. I do not want to block any site's cookie; I just want all the cookies to be deleted after every 30 seconds or 60 seconds. Can it be done ? share|improve this question Are you sure? ;) i.imgur.com/xoq5c.jpg –  Mehper C. Palavuzlar May 10 '11 at 12:36 That was funny Mehper...But i know how to delete cookies... :-) I just want any automted process to make it easy,,,,if there is no such addon i will create one for myself :-) –  Confused May 10 '11 at 14:09 Fun is good. I have examined the addons list page but couldn't find what you exactly need; but I might have overlooked. –  Mehper C. Palavuzlar May 10 '11 at 14:14 3 Answers 3 up vote 2 down vote accepted By default firefox can be set to delete cookies after a set time, but it can only be set by number of days, if that is of use to you then you can do this. Go to about:config Set network.cookie.lifetimePolicyto to 3 network.cookie.lifetime.days to 1 You could also set network.cookie.lifetimePolicy to 2 if you only want them to last the browser session If you install and setup CCleaner to erase cookies you could also run it on a scheduled task with CCleaner.exe /AUTO share|improve this answer @Thanks..for the info..That was useful but still not complete answer..i will serch more and if i dont get any thing like it..will accept ur answer. –  Confused May 12 '11 at 6:19 I am looking for that too. What I have found so far: I haven't found an add-on that gives you the choice setting of e.g. deleting all cookies every 10 seconds, or even that with white- and black-list exceptions. The above about:config with e.g. 0.01 days or so doesn't work. Only full days. In any case, I recommend using AddBlock+, NoScript, FlashBlock, BetterPrivacy, Ghostery, googleSharing, HTTPS-everywhere and maybe even still TrackMeNot. LongURLplease, WebDeveloper, FireBug and GreaseMonkey are fruther usefull AddOns. Also you might want to look into MAFIAAfire, Gee!NoEvil! ThePirateBayDancing and/or DeSOPA. share|improve this answer Please register your account with Super User, then you can edit your posts any time! –  slhck Feb 24 '12 at 12:55 Yeh, there is no addon which allows automation of cookie deletion after specific interval of time. –  Confused Feb 28 '12 at 6:26 One useful utility is called BetterPrivacy and can do exactly this for Flash cookies. It doesn't do the regular cookie side of things though. share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44581
Take the 2-minute tour × Where does the word at the beggining of the prompt on my MacBook Pro terminal come from? At the moment, it looks like this Last login: Fri Oct 14 12:55:34 on ttys000 sherrythinkpad:~ ConfusedNoob$ sherrythinkpad:~ ConfusedNoob$ Obviously, the ConfusedNoob is my username - but where on Earth is sherrythinkpad coming from? share|improve this question see also apple.stackexchange.com/questions/30552/… –  rogerdpack Dec 19 '14 at 17:49 1 Answer 1 up vote 7 down vote accepted Terminal is showing you the first label of your BSD hostname (assuming your shell is BASH). If your BSD hostname is yourhostname.mynetwork.com then Terminal will display only yourhostname- So from where does the BSD hostname come? It can come from several places: • from the file: /etc/hostconfig • else from the file: /Library/Preferences/SystemConfiguration/preferences.plist (System ▸ System ▸ HostName) • else the result of a reverse DNS query for your primary IP address (so you might notice a totally different hostname showing up when you visit an internet café than when connected at home) • else your "Bonjour" hostname in System Preferences > Sharing (preferences.plist again... System ▸ Network ▸ HostNames ▸ LocalHostName) • finally, if none of the above have been set, the BSD hostname will be simply localhost share|improve this answer #2 is where the default value of #4 is stored, not a separate thing. #3 is used before #2/#4, which is what ConfusedNoob is seeing. –  Kevin Reid Oct 14 '11 at 21:02 true, Kevin — yes, if you want to get specific. but since there is no place in the GUI, unless you have Server app installed, to set the former, I had to list the file. –  username Oct 14 '11 at 21:07 hang on a sec ;) #3 is most certainly not used before #2 — that would defeat the whole purpose. this is because #2 is a replacement for hostconfig, and is meant to allow one to override any other values, like a changing reverse DNS name. there would be no point setting a static hostname if it were to simply be steamrolled as soon as you connect to a network... aw crap, this is more complicated than the original poster probably wanted :( –  username Oct 14 '11 at 21:10 at any rate the original poster would likely not have a value defined for System ▸ System ▸ HostName unless he has installed the Server OS — the name he's seeing is likely the Bonjour name, unless he's got a public IP or a private DNS server running on his local network –  username Oct 14 '11 at 21:20 I think it must be 3. It isn't anywhere else and seems to change randomly... –  ConfusedNoob Oct 14 '11 at 21:44 Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44582
Take the 2-minute tour × I am trying to submit a paper to an academic journal. My file is in PDF form. Unfortunately, the journal only accepts papers as JPEGs or TIFFs. I can turn a single page into a JPEG using preview. However, I would rather not have to manually combine all the pages using image editing software. Is there a way to do this quickly? share|improve this question Maybe a bit off topic, but which kind of journal would do that? –  slhck Jan 8 '12 at 2:03 There are is a whole collection of Artificial Intelligence journals on Springer that specifically will not accept PDF submissions. They require Word, RTF, Powerpoint, or image files. It is extremely inconvenient for anyone not working on Windows. Word is out of the question because my Mac symbols used in equations translate to jibberish, destroying the intelligibility of the entire paper. –  credford Jan 8 '12 at 13:20 Interesting … I'd suggest to remove your solution from the question and post it as an actual answer below using the answer your question button. –  slhck Jan 8 '12 at 18:28 Agreed. My answer has been posted below. –  credford Jan 10 '12 at 0:57 3 Answers 3 Would the following imagemagick command do what you need? convert -colorspace rgb file.pdf file.jpg Here's some additional info as well. share|improve this answer Thanks for the suggestion. Unfortunately, that just produces a (low-quality) jpeg for each page. But this was helpful. I saw something on SO related to this program and I am checking it now. –  credford Jan 7 '12 at 21:05 This may explain how to do the merging (I'll try it later): superuser.com/questions/168444/… –  credford Jan 7 '12 at 21:17 Okay. I've tried several options and simply can't get imagemagick to convert the PDF to high-quality jpegs. I used Automator instead. I'll try the merging now. –  credford Jan 8 '12 at 14:02 Giving up on imagemagick. It always produces low quality images for me, whether the command is convert or montage. It completely ignores any quality parameters I give it. –  credford Jan 8 '12 at 14:34 I was looking up alternative ghostscript commands to convert but doesn't look like those will help either. –  Marvin Pinto Jan 8 '12 at 14:36 up vote 1 down vote accepted Converting to JPEGs To convert the PDF to JPEGs, you can use this Automator flow: Automator Image Combining the JPEGs into a Single JPEG No clue on this. I turns out, after some searching, that the journal will accept a zip file of the single jpegs. I ensured they were received in the correct order by naming them 01.jpg, 02.jpg, ..., 10.jpg, ..., 35.jpg. If anyone else using a Mac is submitting to a Springer journal with this issue, this appears to be the quickest solution. share|improve this answer I don't think the free Reader will do this, but if you can find someone with the full Acrobat, they could open your PDF and save each page out as image files. share|improve this answer Your Answer
global_05_local_5_shard_00000035_processed.jsonl/44583
Take the 2-minute tour × I would like to know how to enable 120Hz refresh rate on my monitor instead of 121Hz. Its because 3D programs need 120Hz, they do not work on 121Hz. If I put 120Hz in the resolution settings, the screen goes black for 10 sec and then turns back on with the 121Hz rate. I do have latest drivers for 7950. Latest drivers for monitor. Dual link DVI. share|improve this question What is the monitor? It sounds like it doesn't want to display that. –  Shinrai Oct 30 '12 at 14:08 I take it this is a CRT correct? Did you test the 3D program at 121Hz? The refresh rate is usually not going to be exact, just like how the frequency of a CPU or FSB is usually going to vary a couple of Hertz from what it is supposed to be. Have you tried different resolutions to see if you can get a more stable refresh rate? What about other monitor controls in your video-card’s control panel like the sync settings? –  Synetech Oct 30 '12 at 14:09 @Synetech I dont have CRT monitor ...And thats exactly the problem, the 3D program cant enable 120 HZ, it gives a black screen –  Robert Nov 1 '12 at 13:45 Wait, you are running an LCD/LED monitor at 121Hz? I have never seen an LCD/LED monitor that goes that high; they usually top out at 75Hz because they don’t need it; even 60Hz is usually more than sufficient. Again, have you tried different resolutions to see if you can get a stable 120Hz or tried altering the video-card settings? –  Synetech Nov 1 '12 at 18:24 Your Answer Browse other questions tagged or ask your own question.
global_05_local_5_shard_00000035_processed.jsonl/44607
Learn Japanese with JapanesePod101.com View topic - -しかないもの Do you have a translation question? Postby mella » Thu 09.01.2011 5:28 am We cannot fight always as we'd like (at full strenght). I have some problem to understand the ending of the sentece, but I think I understood the general meaning. Posts: 19 Joined: Mon 08.02.2010 2:42 pm Native language: Italian Re: -しかないもの Postby Ongakuka » Thu 09.01.2011 10:20 am I think you misread 金力 as 全力 I think you understand しかない right? It just means nothing (ない) but (しか), "We always have no choice but to fight with money" kind of thing もの ending a sentence usually implies a kind of emphasis and explanation to the situation, or acknowledgement of the situation. I'm sure somebody else can explain far better than me. It also turns up a lot in the more colloquial もん form. And, as with this sentence, it is a device often used by women. User avatar Posts: 1022 Joined: Mon 09.26.2005 1:07 pm Return to Translation Questions or Discussion Who is online Users browsing this forum: No registered users and 13 guests
global_05_local_5_shard_00000035_processed.jsonl/44622
Tolkien Gateway Dead faces Revision as of 22:09, 20 August 2012 by Morgan (Talk | contribs) "The tricksy lights. Candles of corpses, yes, yes. Don't you heed them!" The dead faces, or candles of corpses, were apparitions of ghostly faces of dead Elven, Mannish, and Orcish warriors in the Mere of Dead Faces in the Dead Marshes. The faces, rotting and twisted, with weed caught in their hair, appeared in dark waters being lit by pale and fell lights, as from unseen candles. How the dead warriors came to be transformed into such undead beings is unknown, but Frodo speculated about "devilry hatched in the Dark Land", likely referring to Sauron's dark arts in the nearby Mordor.[1] A corpse candle is defined as a "luminous appearance, resembling the flame of a candle, sometimes seen in churchyards and other damp places, superstitiously regarded as portending death".[2] For a poem, Tolkien created the Qenya phrase ve kaivo-kalma, meaning "as a corpse-candle".[3] Portrayal in adaptations 1982-97: Middle-earth Role Playing: Corpse Candles and Corpse lanterns are seen as two variants of the same basic type of creature. The latter are said to be more powerful and intelligent, capable of a "more alluring web".[4] A related creature are the corpse-lights, which haunt underground areas of the Shire.[5] 1995-8: Middle-earth Collectible Card Game: Cards depicting these creatures include "Corpse-candle" and "Wisp of Pale Sheen". 2002: The Lord of the Rings: The Two Towers: While Frodo in the book only claims to have seen the dead faces, Peter Jackson's film version includes a dramatic twist: Frodo falls into the water as under a spell from the dead. 2002-5: The Lord of the Rings Roleplaying Game: The faces of the dead are classified as phantoms, a subdivision of ghosts.[6] External links 2. "Corpse candle (in Webster's Revised Unabridged Dictionary, published 1913 by C. & G. Merriam Co.)" , (accessed 3 August 2012) 5. Wesley Frank (1995), The Shire (#2017)
global_05_local_5_shard_00000035_processed.jsonl/44629
Marybeth Hicks One week we'll be dealing with financial worries, and the sermon is about trusting God to provide everything we need, even if we can't quite see how that's possible. Another week will find us stressed by too many obligations and commitments, and we'll hear a lesson reminding us "From everyone to whom much is given, much will be required" (Luke 12:48). Either the stuff we're dealing with is universal, or someone is feeding talking points to the padres. This week, Father Joe displayed his typical, uncanny insight into my family's spiritual challenges. How did he know we're getting a little tired of spending so much time together, sharing bathrooms and cars, wondering when someone else will take a turn to replace the shampoo or fill up the tank? Must be my family isn't the only one counting the days until school starts. Either that or short tempers are serendipitously part of the liturgical calendar. Father Joe challenged us with the words of the late Pope John Paul II to "act as we wish we felt." Basing his lesson on the seminal work "The Acting Person" by the late pontiff, Father Joe reminded us that rising above our own selfishness and self-interest, even in little things, can lead us to heroic acts of love. Now, let's not tell Father Joe, but my mind wandered just a bit while he was talking. I didn't stray from the topic, mind you. But I'm sure he wanted me to reflect on my own behavior and not on the antics of one Steven Slater, erstwhile steward for JetBlue Airways. Mr. Slater is America's new celebrity because of his actions at the conclusion of JetBlue's Flight 1052 on Aug. 9. After claiming to have endured a final indignity of rude behavior on the part of a passenger, he delivered a cuss-filled rant over the aircraft's public address system, grabbed two beers and his suitcase and then exited the plane via the emergency inflatable slide. When his "Take This Job and Shove It" moment made the press, he became a folk hero. Within a few days, a Facebook fan page for him had garnered tens of thousands of members — there are more than 210,000 as of Tuesday — and he was the subject of a musical tribute on "Late Night With Jimmy Fallon," among other noteworthy accolades. Now there's talk of a TV reality show in which Mr. Slater would help people quit their jobs. Pretend you're surprised. Not everyone was impressed. Marybeth Hicks
global_05_local_5_shard_00000035_processed.jsonl/44632
Titanic irresponsibility: Part II Thomas Sowell 4/14/2004 12:00:00 AM - Thomas Sowell  Attacks on American and other troops and civilians in Iraq are not based on any illusion that terrorist acts and guerrilla warfare can defeat our military forces there. But the strength of a chain is that of its weakest link -- and the weakest link in American security is in the United States itself. It is the political link.  For those old enough to remember the Vietnam war, this is another version of the Communist "Tet offensive" that marked the turning point in that war. During the holiday period known in Vietnam as Tet, the Communists launched spectacular attacks within South Vietnam, catching American and South Vietnamese forces by surprise -- and shocking American public opinion.  President Lyndon Johnson's administration had for years painted such an optimistic picture of the war that many Americans were shocked that the Communists still had enough strength left to launch such widespread and coordinated attacks. The Tet offensive was such a blow to the administration's credibility during an election year that President Johnson announced that he would not seek re-election.  For much of the American media, their role in turning public opinion against the Vietnam war was among their proudest achievements. For our enemies, Vietnam provided a formula for defeating Americans politically at home when they could not be defeated militarily on the battlefield. Iraqi terrorists are already saying that they will create another Vietnam.  Fortunately, not all of the media today is in Vietnam nostalgia mode. Nor have our leaders repeated all the mistakes of Vietnam.  First and foremost, the Bush administration has never tried to tell us that the war on terrorism would be either quick or easy. On the contrary, the President announced back in 2001 that the war on terrorism was going to be a long and hard war.  Most of us at the time would probably not have believed that we could have gone this long without another and perhaps more catastrophic terrorist attack on the United States. Do you remember how every symbolic occasion -- the World Series, Christmas, New Year's Eve, the Super Bowl -- brought widespread fears that this could be when the terrorists would strike us again?  Yet our respite from terrorist attack has seldom brought even a grudging acknowledgement that perhaps the government's anti-terrorism policies and activities might deserve some credit, instead of the constant barrage of media and political criticism and carping.  Make no mistake, a new and more terrible terrorist attack could happen here at any time -- especially now that Spain has shown how easy it is to panic politicians. But the fact that our enemies see our politics as the weakest link in the chain of American national security means that we need to recognize that as well.  John F. Kennedy said it all: "We dare not tempt them with weakness." He went to the brink of nuclear war with that philosophy during the Cuban missile crisis of 1962 -- and the public supported him.  That is why the Soviets backed down. Had we been bickering among ourselves, the outcome could have been very different.  Today as well, weakness is our greatest danger -- whether that weakness takes the form of wishful thinking about the United Nations or other soft options. Politicians who are too irresponsible to recognize that our deadly enemies -- whether in Iraq or North Korea -- are listening to their every word cannot be trusted with the power to shape the future of this nation.
global_05_local_5_shard_00000035_processed.jsonl/44644
View Single Post SystemicAnomaly's Avatar Join Date: Feb 2006 Location: Stuck in the Matrix somewhere in Santa Clara CA Posts: 10,798 As I see it, "arming the ball" means to generate most, if not all, of the racket speed/power, using (only) the shoulder/arm. This is not what Novak is doing. He is using a full kinetic chain. It start with his lower body and transfers to the hips, then torso followed by shoulder and arm. Notice that, as his racket is dropping (prior to the forward swing), his torso is coiled more than his hips. This means that he has energy stored in his core. The hips uncoil followed by the torso. As the torso catches up and passes the hips, the energy stored in the core is being released/transferred. At the start of of his forward swing, the racket head lags -- the arm/racket is being dragged by the uncoiling torso. There is tension/energy stored in the (right) pectoral muscle. As the forward swing progresses, the stretch in the pectoral muscle is released and the energy is released/transferred to the shoulder/arm. As this transfer happens, the arm starts to move faster than the uncoiling torso. The kinetic chain for this FH is actually a bit more complex than I have described here -- I have just highlighted some of the links and transfers of the chain (of events). SystemicAnomaly is offline   Reply With Quote
global_05_local_5_shard_00000035_processed.jsonl/44646
Thread: PS4 or Xbox 1 View Single Post Old 11-18-2013, 12:33 PM   #72 Join Date: Sep 2013 Location: Birmingham, UK Posts: 849 Is it true that the PS4 costs $1800 ish in Brazil? If so, won't the people from Brazil just go to USA, buy them in bulks, and sell them in Brazil for crap load of profit? Likely thing to do if I was in that situation. Or it isn't easy as it sounds? Solo is offline   Reply With Quote
global_05_local_5_shard_00000035_processed.jsonl/44650
Analysis: Australian Wildlife Inexact title. See the list below. We don't have an article named Analysis/AustralianWildlife, exactly. We do have: If you meant one of those, just click and go. If you want to start a Analysis/AustralianWildlife page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those.
global_05_local_5_shard_00000035_processed.jsonl/44651
Doujinshi: After Story Inexact title. See the list below. We don't have an article named Doujinshi/AfterStory, exactly. We do have: If you meant one of those, just click and go. If you want to start a Doujinshi/AfterStory page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those.
global_05_local_5_shard_00000035_processed.jsonl/44652
Funny: The Count Of Monte Cristo Inexact title. See the list below. We don't have an article named Funny/TheCountOfMonteCristo, exactly. We do have: If you meant one of those, just click and go. If you want to start a Funny/TheCountOfMonteCristo page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those.
global_05_local_5_shard_00000035_processed.jsonl/44653
''The Farwalker Trilogy'' by Joni Sensel, consists of ''The Farwalker's Quest'', ''The Timekeeper's Moon'', and ''The Skeleton's Knife''. The world has lost its past to generations of blindness and can no longer understand and use the knowledge left over, despite the return of sight. It all starts with Ariel's best friend Zeke bringing her to his favorite tree, who refuses to speak to him. Ariel doesn't know the art of Tree-Singing, but she feels an urge to climb and fetches a relic from its branches. It is a telling dart, a device used in the past to deliver a message that only opens for the person who is meant to receive it. She doesn't think of it as anything more than an interesting trinket... [[TheCallKnowsWhereYouLive until two strangers come to their tiny little village to find it, and its recipient.]] Suddenly, she is kidnapped by [[PsychoForHire Elbert]] and [[TallDarkAndHandsome Scarl]] and whisked away from her hometown. Her rescue and escape starts off a new adventure for a Ariel and Zeke, must find unlikely allies and flee from many more pursuers, who are out to prevent the rediscovery of knowledge and the resurrection of Ariel's new-found name-- Farwalker. !!Provides examples of: * AntiClimax: Ariel and Co. spend the book trying to prevent the BigBad from killing her, and when they are finally on Mason's doorstep, he lets them go, because she never found what he didn't want her to find. Ironically, she then realizes how to find it. * BecauseDestinySaysSo: Essentially why Ariel must ply her Farwalking trade. That, and there are people out to get her. * BewareTheNiceOnes: Elbert seems the kinder one of the two Finders at first. * CallBack: Quite a few. Ms. Sensel seems to be fond of these, which is very refreshing. ** The Ariel and Zeke take shelter in Tree-Singer Abbey before they even learn what they need to find. [[spoiler:It turns out that the Vault of ancient knowledge was hidden in the Abbey.]] * FunctionalMagic: Each of the thirteen trades have their own system of skills and abilities relying on a certain sixth sense brought about mostly by the blindness. * GaiasVengeance: [[spoiler:The trees let Mason Tree-Singer die.]] * IGaveMyWord: [[spoiler:Scarl]] promised the woman he loved that he would protect Ariel and Zeke from [[PsychoForHire Gust's]] gang of Finders. He tries to abandon them when the Finders are all killed [[spoiler:by Zeke's request for a rockslide, along with two innocents,]] but he doesn't get very far. * LastNameBasis: Significant when used, since everyone's last name is their trade. Ariel is often called Farwalker, and Gustav is called Fool as an insult. * MeaningfulName: Farwalker. And [[spoiler:Stone-Singer]]. * ProphecyTwist: A Tree-Singer that Ariel and Zeke meet tells Zeke that he will no longer be a Tree-Singer. [[spoiler:Then stones start giving him advice.]] * SpiritAdvisor: Misha the ghost helps out as much as he can, even if he is kind of terrifying, leaving {{BloodyHandprint}}s everywhere as his signature and giving Ariel nightmare messages. * YouCanRunButYouCantHide: The pursuers are mostly Finders, which is a trade that involves being able to find things, and people.
global_05_local_5_shard_00000035_processed.jsonl/44654
Spider Man Noir Inexact title. See the list below. We don't have an article named Main/SpiderManNoir, exactly. We do have: If you meant one of those, just click and go. If you want to start a Main/SpiderManNoir page, just click the edit button above. Be careful, though, the only things that go in the Main namespace are tropes. Don't put in redirects for shows, books, etc.. Use the right namespace for those.
global_05_local_5_shard_00000035_processed.jsonl/44655
Quotes: The American President Janie: The 10:15 event has been moved inside to the Indian Treaty Room. President Shepherd: 10:15 is American Fisheries? Janie: Yes sir, they're giving you a two hundred pound halibut. President Shepherd: Janie, make a note; we need to schedule more events where somebody gives me a really big fish. Janie: Yes sir! President Shepherd: Janie, I'm kidding. Janie: ...Of course, sir. Janie: Mr. Rothschild asked to have a moment with you this morning, sir. President Shepherd: Is he upset about the speech last night? Janie: He seemed... concerned. President Shepherd: Well, it wouldn't be a Monday morning unless Lewis was concerned about something I did Sunday night. [Elevator doors open] Lewis: You skipped a whole paragraph. President Shepherd: And Monday morning it is! Lewis: Mr. President, I really do believe— Lewis: I don't drink coffee, sir. President Shepherd: Hit yourself over the head with a baseball bat? Janie: Happy birthday, Laura! President Shepherd: [Loudly] Laura, happy birthday! [To Janie] I should send her flowers. Janie: You already did, sir. President Shepherd: Three years ago we were elected to the White House by one of the narrowest margins in history. Today, Kodak here tells us sixty-three percent of registered voters think we're doing a good job. Leon Kodak: [Jokingly] Wait a sec. You- You wanted me to poll registered voters? President Shepherd: The pole also tells us what we already know. We don't get our crime bill through Congress, those numbers are gonna be a memory. So starting today, we're shifting it into gear. Robin McCall: Can I tell my morning press gaggle that gun control is— A.J. MacInerney: Crime control, Robin. Gun control means that we're wimps and we're soft on crime. Lucy Shepherd: What'cha got behind your back? President Shepherd: I have a little surprise for you. Lucy: Is it a dirt bike? President Shepherd: [Chuckles] No. [Hands her a thick book] Lucy: Is it a really old seventh-grade textbook of yours that you're gonna make me read cover to cover and discuss at dinner and drive me crazy with it's— President Shepherd: Well, I'm not comfortable with the "really old" part, but everything else you said was true. President Shepherd: Luce... take a look at this book. This is exciting stuff. It's about who we are, and what we want. Read what it says on the first page! Lucy: "Property of Gilmore Junior High". President Shepherd: The next page, Luce. Lucy: "We the people... of the United States... in order to form a more perfect union— President Shepherd: Now ya see what I mean, it grabs you right off the bat; this is a page turner! Lucy: [Smiles in a way that says "sure, dad"] I can't wait. President Shepherd: Well good, because its possible this subject may come up at dinner tonight. Lucy: Do you see it as part of your job to torture me? President Shepherd: No, just one of the perks. See you tonight, honey. [walks out] Lucy: [Plays "Hail to The Chief" on trombone - poorly] President Shepherd: [shakes head, smiling] A.J.: Goodnight, Mr. President. President Shepherd: A.J. A.J.: Yes, sir. President Shepherd: When we're out of the office... alone... you can call me Andy. A.J.: ...I beg your pardon? President Shepherd: You were the best man at my wedding for crying out loud, call me Andy! A.J.: Whatever you say, Mr. President. Goodnight sir. President Shepherd: ...Goodnight, A.J. Sydney: [To guard] Hi; I'm Sydney Ellen Wade— Susan: He just needs your driver's license. Sydney: —I'm from Virginia— Susan: He doesn't care. Sydney: —I'm here for a meeting with Mr. MacInerney— Susan: He doesn't need to know that. Sydney: Forgive me! This is my first time at the White House. I'm trying to savor the Capra-esque quality. Susan: He doesn't know what Capra-esque means. Guard: Yeah I do. Frank Capra. Great American director, It's a Wonderful Life, Mr. Smith Goes to Washington,... Sydney Ellen Wade of Virginia, knock 'em dead. A.J.: ...Now the President is willing to go it alone on this, but he's asking for, and frankly he's expecting the full support of the GDC. Sydney: The President's expecting our full support. A.J.: Yes, he is. Sydney: The President's dreaming, A.J. The President has— Susan: SYDNEY— [President Shepherd walks in behind Sydney, but motions for A.J. to remain seated] Sydney:critically misjudged reality. If he honestly thinks that the environmental community is going to whistle a happy tune, while rallying support around this pitifully lame mockery of environmental leadership, just because he's a nice guy and he's done better than his predecessors, then your boss is the Chief Executive of Fantasyland! President Shepherd: Let's take him out back and beat the shit out of him! A.J.: Good morning Mr. President, how are you today? President Shepherd: Couldn't be better. My apologies for the interruption; A.J. suggested I come by and say hello. You wouldn't be Sydney Ellen Wade by any chance, would you? Sydney: [mortified] Mr. President, I'm... uh... don't know what to say. I... I'm speechless. President Shepherd: All evidence to the contrary. President Shepherd: Sydney? Sydney: Yes sir? President Shepherd: You have a second? Sydney: Uh... Of course. [They walk into the hall] President Shepherd: I thought maybe we might talk in private, someplace less intimidating? [loudly] Janie? [to Sydney] This is Janie Basdin, my personal aid; Janie would you show Ms. Wade to the rec room, please. Janie: This way. President Shepherd: I'll be with you in a sec. [Janie shows Sydney into the Oval Office] President Shepherd: [walks in through side door] Sorry to keep you waiting. Sydney: Mr. President, I— President Shepherd: Is it all right if I call you Sydney? Sydney: Of course. Mr. President— President Shepherd: Have you ever been in the Oval Office? Sydney: Ahh, ah, I've just been on the regular tour. Didn't make it through... President Shepherd: I hear its pretty good. Sydney: Mr. president, what you saw in there was nothing more than vanity run amok. I was trying showing off for a colleague who doesn't think very much of me. It would be a real injustice for you to hold the GDC accountable for my behavior today; on top of which, I am monumentally sorry for having insulted you like that. President Shepherd: ...Are you under the impression I'm mad at you? Sydney: Well... ah— President Shepherd: Sydney, seldom does the day go by when I'm not burned in effigy. Sydney: Not by a professional political operative standing thirty feet from he Oval Office! President Shepherd: Nah, I'll grant you that. President Shepherd: Listen, um... Are you hungry? I skipped breakfast; you wanna... have a doughnut? Coffee or something? Sydney: [narrow-eyed stare] Sir, I'm a little intimidated by my surroundings; and yes, I have gotten off to a rocky and somewhat stilted beginning, but don't let that diminish the weight of my message. The GDC has been at every president for the last decade and a half, that global warming is a calamity; the effects of which will be second only to nuclear war. The best scientists in the world have given you every reason to take the GDC seriously, but I'm gonna give you one more. If you don't live up to the deal you just made, come New Hampshire we're gonna go shopping for a new candidate. [turns and stalks to the door] President Shepherd: You can't do that, Sydney. Sydney: With all due respect, Mr. President, who's going to stop me? President Shepherd: Well if you go through that door, the United States Secret Service. That's my private office. Sydney: Ah. President Shepherd: You have to go out that door. Over there. President Shepherd: Two ball in the side. [sinks it cleanly] A.J.: Nice shot, Mr. president. President Shepherd: "Nice shot Mr. President" You won't even call me by my name when we're playing pool? A.J.: I will not do it playing pool, I will not do it in school. I do not like green eggs and ham, I do not like them Sam I Am. President Shepherd: At ease, A.J., at ease! A.J.: Also, Sydney Wade called. [Shepherd fumbles shot; A.J. raises eyebrows] President Shepherd: Sydney Wade? A.J.: She wanted to apologies one more time for her behavior. 'Scuse me, sir. [clears throat] Three in the side. President Shepherd: Did she say anything about me? A.J.: Ms. Wade? President Shepherd: When she called. A.J.: Did she say anything about you? President Shepherd: Well no, it was just that we had a... nice couple'a minutes together. She threatened me, I patronized her, we didn't have anything to eat but, ah, I thought there was a connection. A.J.: 'Scuse me, sir. Thirteen in the corner. President Shepherd: She didn't say anything about me? A.J.: Well no sir, but I could pass her a note before study hall. President Shepherd: ...Well tell me this. Hypothetically— A.J.: I feel a nightmare coming on. President Shepherd: What would happen if I called Sydney Wade and asked her to be my date at the state dinner on Thursday evening? A.J.: ...You're not serious. President Shepherd: Don't I sound serious? A.J.: The President can't just go out on a date. President Shepherd: Well why not? Jefferson did, Wilson did. Wilson was widowed during his first term, he met a woman named Edith Galt, he dated her, courted her, and married her. And somewhere in there he managed to form a League of Nations. A.J.: Mr. President... This is an election year. If you're looking for female companionship, we can make certain arrangements that will ensure total privacy— President Shepherd: I don't want you to get me a girl, A.J.; what is this, Vegas?! A.J.: No sir, this is the White House. President Shepherd: And I'm talking about something that is in no way a conflict with my oath of office. I'm a single adult! I met a woman who I'd like to see again socially. Now how is that different from what Wilson did? A.J.: The difference is, he didn't have to be president on television. You said it yourself a million times. If there'd been a TV in every living room, sixty years ago, this country does not elect a man in a wheelchair. President Shepherd: This is not the business of the American people. A.J.: With all due respect sir, the American people have a funny way of deciding on their own what is, and is not their business. President Shepherd: She didn't say anything about me? A.J.: Well, she did say you were taller than she'd thought you'd be. President Shepherd: Well that's something. Sydney: [on phone] No Richard, no! No, I don't wanna hear your Andrew Shepherd impersonation. Beth Wade: I wanna hear it. Sydney: [on phone] ...I'm hanging up now, Richard. ...Ah, tonight I was gonna go to bed early and wake up when there's a new president. [hangs up, sighs] The president must think I'm a third-rate jerk. Beth Wade: No, if he thinks you're a jerk, I'm sure he thinks you're a first-rate jerk. Sydney: I tell you one thing, boy, I regrouped! You gotta give me that. I pulled it together at the end. I stood in the middle of the Oval Office and I made it absolutely clear that from now on he who doesn't take the GDC seriously does so at his peril! Beth: And then you walked out the wrong door. Sydney: Are you going to be throwing that at me the rest of my life? Beth: That's my current plan, yes. [apartment phone rings] Sydney: Ah. That's gonna be Leo Solomon, he said he'll call at nine. [picks up phone] Hello? President Shepherd: Yeah, hi, is this Sydney? Sydney: Leo? President Shepherd: No, this is Andrew Shepherd. Sydney: [disbelievingly] Oh, its Andrew Shepherd! Yeah, you're hilarious, Richard. You're just a regular riot. President Shepherd: No, this isn't Richard, this is Andrew Shepherd. Sydney: Oh, yeah, I'm so glad you called, because I forgot to tell you today what a nice ass you have; I'm also impressed that you were able to get my phone number given the fact that I don't have a phone. Goodnight, Richard. President Shepherd: No, this isn't Richard— [Sydney hangs up] [Shepherd stares at the phone] This used to be easier. [apartment phone rings] Sydney: I don't believe this! Beth: You want me to deal with him? Sydney: No way! I may choke in front of Shepherd; Richard Reynolds, I can handle. [picks up phone] Hello? President Shepherd: Sydney? Sydney: Are you learning impaired? President Shepherd: Listen, do me a favor; hang up the phone. Sydney: ...What? President Shepherd: Hang up the phone, then dial four five six, one four one four. When you get the White House operator give her your name, and tell her you want to speak to the president. [hangs up] Sydney: Oh my god... This isn't happening to me. Beth: What's going on? Sydney: No, it's not possible I did this twice in one day. [dials phone] Operator: Good evening, the White House. [Beat] Hello? Sydney: Hi! My name's Sydney Ellen Wade; I'd like to, ah— Operator: The President's expecting your call, ma'am, I'll put you right through. [beep] [click] President Shepherd: Hello. Sydney: Mr. President. Um, I— I— I'm— sure there's an appropriate thing to say at this moment, um; probably some formal apology for the nice ass remark would be in order, I just... I don't quite know how to word it. President Shepherd: Nah, it's my fault, I shouldn't have called you at home. Should I call you at the office tomorrow? Sydney: No, no! Of course not! I mean yes, you can call me anytime you want. It— this is fine, right now is fine. When I said of course not I meant, y— You know what, the hell with it. I'm moving to another country. President Shepherd: What did you mean when you said that you didn't have a phone? Sydney: Oh, I just moved to Washington over the weekend, and my apartment isn't ready yet, this is my sister's apartment... come to think of it, how did you get this number? President Shepherd: How did I get the number, that's a good question. Um... I don't know, probably the FBI. Sydney: Oh the FBI. Sure! Cause... If you wanna find someone and you're the President, that's who you'd call! President Shepherd: You know who else is good at that. Sydney: Uh... CIA? President Shepherd: Well yeah, but I was thinking of the, Internal Revenue Service; they have these computer files that, uh... Well, I [cough] should stop stalling. Um, as you probably know the French have elected themselves a new president, and we're having a formal state dinner at the White House and I was wondering, and uh, you're under no obligation at all but I thought it might be fun and I was wondering if maybe you wanted to go! With me, and uh... that's it, that's why I was calling. Sydney: [expression of intense confusion] President Shepherd: Sydney? Sydney: [...] President Shepherd: Sydney, Congress doesn't take this long. Sydney: ...Mr. President. You have asked me to join you in representing our country. I'm honored, I'm, equal to the task, I won't let you down, Sir! President Shepherd: Ah, Sydney, this is just dinner, we're not going to be doing espionage or anything. Sydney: No, of course! I'm a little, um... ah... What do I do? [nervous laugh] I mean, you know, where do I go, I mean, would you- will you, meet me, should I— President Shepherd: I'm gonna have a very nice woman named Marsha Bridgeport call you, and she's the White House Social Secretary and she's gonna help you with anything, You, Want. Now - when she calls you, and tells you her name is Marsha Bridgeport, it'll help if you give her the benefit of the doubt. [Lucy is putting her dad's tie on him] Shepherd: That's, that's a little tight, Luce. Lucy: Its supposed to be tight! It's supposed to make you look regal. Shepherd: Is it supposed to cut off the blood flow to my face? Shepherd: You know I'm a little nervous. Lucy: You'll be fine! Just be yourself. Shepherd: Be myself. Lucy: Yeah and um... complement her shoes. Shepherd: ...Her shoes. Lucy: Yeah. Girls like that. Shepherd: ...'Kay. Thanks. A.J.: Sydney, come on in. You look beautiful! Sydney: Thanks. I have no idea what I'm doing here. A.J.: I promise you there's no hidden agenda. This is my wife Esther, you know each other. President Shepherd: Sydney! [walks over] Andrew Shepherd; we spoke on the phone. Sydney: Yes sir. I remember. President Shepherd: 'Scuse me one minute. [walks away] Esther MacInerney: The President told me how you to met, Sydney. I think it's priceless. Sydney: I don't know what happened. One minute I was calling him a mockery of an environmental leader and the next I'm minute I had a date. Esther: Men like being insulted by women, makes them feel loved, don't ask me why. President Shepherd: When we get to the bottom of the stairs I've gotta do a thing, but you'll be escorted to— Sydney: They took me through it. President Shepherd: Ah, good. Sydney: Do you do this often, sir? President Shepherd: Well this is actually only our second state dinner! The, first one was for the emperor of Japan... who died shortly after, so we stopped having them for a while just in case. Sydney: No I, I meant do you go out on, do you often... President Shepherd: Do I date a lot? Sydney: Yeah! President Shepherd: No! How 'bout you? Sydney: Me? Well, lately I seem to be going out on a lot of first dates. President Shepherd: Well then you're experienced at this? Sydney: Oh, yeah, you can ask me anything. President Shepherd: Well how are we doing so far? Sydney: It's hard to say at this point, so far its just your typical first date stuff. [They reach the bottom of the stairs. Cameras flash and a band starts playing] President Shepherd: Damn, and I wanted to be different from the other guys. Announcer: Ladies and Gentlemen! The President of the United States! Accompanied by... [continues speaking] President Shepherd: [to Sydney] Oh, by the way; nice shoes. Sydney: [quietly] Mr. President. The president and Mrs. D'Astier look bored. [cut to them staring into space] They're not talking to anyone. President Shepherd: [quietly] They're hammered. Esther, you speak French? Esther: Latin. President Shepherd: [quietly] I thought you spoke French. Esther: No, Latin. President Shepherd: Great, next time Julius Caesar comes to town you're our gal! Sydney, I don't suppose- Sydney: Monsieur le President, nous sommes tous habilles, nous avons ce merveilleux orchestre, une piece magnifique...comment se fait-il que les invites ne dansent pas? President Shepherd: [quietly, to A.J. & Esther, pointing at Sydney] That's my date. President D'Astier: Je ne connais pas la tradition en Amerique, mais dans mon pays, si les invites de Louis XVI et Marie Antoinette avaient ose danser devant le roi et la reine, ils auraient perdu la tete. Sydney: ...Really! Madame D'Astier: Absolument. President Shepherd: Sydney, you didn't dissolve our trade agreements, did you? Sydney: No, I just said we're sitting in this beautiful room, listening to the music of this, wonderful orchestra, and I wondered why no one was dancing. President D'Astier: [in heavy French Accent] And I informed Ms. Wade that in my country, a guest at the palace of Louis XVI and Mari Antoinette, would soon find their head in a guillotine if they made the, impertinent gesture of, dancing without so much as a by-your-leave, from the king and the queen. [laughs] A.J.: Bet no one accused Lois of being soft on crime. [all chuckle] Sydney: There's a lesson there, Mr. President. President Shepherd: More beheadings in the White House! A.J.: Bob Rumson would embrace it! President Shepherd: Yes, I'm sure he would. ...But I have a better idea. [stands up, turns to Sydney] Would you like to dance? [Sydney and Shepherd are dancing; everyone else is watching them] Sydney: [nervous sigh] I don't know how you do it. President Shepherd: Its Arthur Murray, six lessons. Sydney: [giggles] That's not what I mean. Two hundred pairs of eyes are focused on you right now, with two questions: Who's this girl, and why is the President dancing with her? President Shepherd: Well first of all the two hundred pairs of eyes are not focused on me, they're focused on you. And the answers are, Sydney Ellen Wade... because she said yes. President Shepherd: Janie, can you get me the number of a local florist? Janie: I'll take care of it Sir, where do you want them sent? President Shepherd: No, I wanna do it myself; I just, need the number. Janie: ...I don't understand. President Shepherd: [glances around uncertainly] ...I, want the phone number of, a florist. Janie: ...You just, want the phone number? President Shepherd: ...Yeah. Janie: I don't understand Sir, is there a problem— President Shepherd: Janie, I wanna send some flowers, I wanna do it myself, I don't wanna staff it out, I don't wanna issue an executive order, I just, want the number. Janie: ...I'll, get it for you, right away! Sir. [Shepherd walks into his office. Robin and Lewis are waiting for him.] President Shepherd: Good morning! Robin McCall: Good morning. Mr. President, we need five minutes of your time before scheduling— President Shepherd: I'll be with you in two minutes, I just need to make a call. [Janie hands him a slip of paper] Thank you, Janie. [He starts to dial, then slowly glances back up at Robin & Lewis. They are watching him expectantly.] Lewis: Who are you calling, sir? President Shepherd: I'm calling the organization of the United Brotherhood of It's Not Your Damn Business Lewis, I'll be with you in a second. Lewis: Yes Sir. President Shepherd: [picks up phone] Yeah, hi, good morning. How do I get an outside line? [pause] 'Kay, let's see... [dials number] Lewis: Janie! Janie: Yes Sir? Lewis: What's the President doing? Janie: I'm sorry, I'm... really not at liberty to say. President Shepherd: Yes, hi, good morning. Is this Carmen's House of Flowers? ...Well, I'd like to order some flowers, please? ... Well tell me, what is the state flower of Virginia? Lewis: Does this have something to do with Sydney Wade? Janie: I'm really not at liberty to say. President Shepherd: Well is there anybody there who might know? ...No, I'm not trying to be difficult. Uh, hang on please. [switches to intercom] Janie, what is the state flower of Virginia? Janie: Misses Chapil, state flower of Virginia? Mrs. Chapil: Dogwood. Janie: Dogwood, Sir. President Shepherd: Thank you. [switches to outside line] It's the dogwood. ... Really. Hold on please. [switches to intercom] Janie? The dogwood's a tree, it's not a flower. Kodak: [passing by] Actually it's a tree and a flower. Janie: Are you sure? Kodak: Yes. What's going on? Janie: Sir, it's a tree and a flower. President Shepherd: [switches to outside line] The dogwood is a tree and a flower. I'd like a dozen please? ... Really, no dogwoods. How about, uh... roses. Simple, classic; two dozen? Lewis: Janie, I'm the President's senior domestic policy advisor. It's important that I have a full understanding of— President Shepherd: [switches to intercom] Janie, do you know where my credit cards are? Janie: ...They're in storage in Wisconson with the rest of your personal belongings, Sir. President Shepherd: [switches to outside line] Perhaps it would be better if you'd bill me for the flowers, I'm sure it'd be all right with your boss. ... Well I don't know if you recognise my voice, but, ah, this is the President. ... Of the United States! ... Hello? Hello! Leo Solomon: If this [relationship] doesn't work out, the amount of time it'll take you to go from being a hired gun to a cocktail party joke can be clocked with an egg timer. Sydney: Leo, there's no relationship, it was one night, it's done! Secretary: *brings in large basket* Doctor Solomon? This was just delivered by a White House messenger, it's marked perishable. Leo Solomon: The White House has sent me something perishable? Secretary: It's for Miss Wade. Leo Solomon: Oh, here we go... Sydney: Oh relax Leo, I'm sure its just a formality. Secretary: It's from him. Leo Solomon: Of course it's from him. Sydney: So he had some staff flunkey send me a fruit basket. Secretary: Oh, he wrote the note himself. Sydney: I'm sure he didn't take the time to— Secretary: The messenger said he waited in the Oval Office for ten minutes while the president wrote the card. Sydney: Okay, listen— It took him ten minutes to write the card? Secretary: Apparently he went through several drafts. Sydney: *Reads card* *giggles* *laughs* Leo Solomon: *stony glare* [...] There's never an egg timer around when you need one. RobinMcCall: How do you want me to handle the Sydney issue? President Shepherd: ...The Sydney "issue"? Lewis: Well, we should have a consensus on how the White House is gonna handle it. President Shepherd: Well I certainly hope the Sydney issue refers in some way to a problem we're having with Australia, because if it's anything other than that... Lucy: Are you Miss Wade? Sydney: Hi. Ah, Sydney. Lucy: Hi, Lucy Shepherd, nice to meet you. Sydney: Hi, nice to meet you. Lucy: Um, my dad told me to tell you that he is on the phone with his dentist, and that I should behave myself and entertain you till he gets back. Sydney: Hm. Your father's on the phone with his dentist? Lucy: No, he told me to tell you he's on the phone with his dentist. He wants you to think he's a regular guy. Sydney: *chuckles* Oh. Well who's he on the phone with? Lucy: The Prime Minister of Israel. Sydney: Oh. They're probably not discussing his teeth. Lucy: I hope not. *giggles* Shepherd: *walks in* Let Meatloaf Night begin! Hi. Sydney: Hi. How's everything with your teeth? Shepherd: My teeth? Sydney: The dentist. Shepherd: Oh! Right, right right, yeah I got a, cavity in my upper bicuspid region. Sydney: You have a short-range weapon system outside Tel Aviv. Shepherd: I think somebody told on me! *grabs Lucy playfully* Lucy: *squeals and dodges* For the last couple of months, Senator Rumson has suggested that being president of this country was, to a certain extent, about character, and although I have not been willing to engage in his attacks on me, I've been here three years and three days, and I can tell you without hesitation: being President of this country is entirely about character. For the record: yes, I am a card-carrying member of the ACLU. But the more important question is, "Why aren't you, Bob?" Now, this is an organization whose sole purpose is to defend the Bill of Rights, so it naturally begs the question: why would a senator, his party's most powerful spokesman and a candidate for President, choose to reject upholding the Constitution? If you can answer that question, folks, then you're smarter than I am, because I didn't understand it until a few hours ago. President Andrew Shepherd, the climactic World of Cardboard / Reason You Suck Speech
global_05_local_5_shard_00000035_processed.jsonl/44656
Series: The Edge of Night Long-running Soap Opera, running on CBS from 1956-1975, and on ABC from 1975 to 1984. Produced by Proctor & Gamble Productions, it was the second half-hour long soap opera (premiering the same day as As the World Turns). Often referred to as Edge or EON for brevity. Unique in that, unlike most other soaps that focused on domestic drama, Edge focused on crime and mystery elements; according to The Other Wiki, Edge was P&Gs attempt to salvage a planned daytime adaptation of Perry Mason. Its focus on crime/mystery and its late timeslot (originally scheduled at 4:30pm - hence the title) allowed it to amass a large male audience. This show provides examples of: • Artifact Title: The title referred to the show's original, late afternoon timeslot, which moved forward through the years - to the point that it aired at 2:30pm at the end of its run on CBS. Averted once the show moved to ABC, where it aired in the 4:00pm timeslot. • Captain Ersatz: Mike Karr was one for Perry Mason. • A Day In The Lime Light: Edge did this twice: • Dramatic Half-Hour: The second half hour soap on U.S. TV, premiering the same day as the first (As the World Turns). • Happily Married: Mike and Nancy Karr for over 20 years. • Live Episode: By necessity in the early years, Edge was produced live until 1975...about a decade after the other soaps had moved to videotape. • Long Runner • Soap Opera Rapid Aging Syndrome: Notably, inverted on Nicole Travis. She originated on the show in 1968, played by Maeve McGuire. When the character was recast in 1977 and 1981, the new actresses were 18 and 15 years younger than McGuire, respectively. Alternative Title(s): The Edge Of Night
global_05_local_5_shard_00000035_processed.jsonl/44657
{{Missmonkeh}} is an irritatingly talkative South Londoner. She does indeed talk with a Cockney accent (albeit a "posh" one) and indulges frequently in pie 'n' mash. She is married to a [[LatinLover Sicilian]] man who coerced her into moving to Essex. If you ask nicely, she'll make you a cup of tea and maybe some toast. She is relatively new to the site and apologises for the slightly rubbish page. She does not typically talk in the third person but feels it a necessary requirement in this instance. '''Tropes that describe this Troper''': {{Perky Goth}} - or used to be before she got a Respectable Job {{Beware The Nice Ones}} {{Spot Of Tea}} - always. {{Consulting Mr Flibble}} - actually does own a Mr Flibble puppet. {{Crazy Cat Lady}} - or getting there. {{Fiery Redhead}} {{Older Than They Look}} - mostly due to the below attribute. {{Pettanko}} - used to hate it, but have now embraced it. {{Hartman Hips}} - see above. {{Bookworm}} - and proud. {{One Of The Boys}} - love football, hate shoes. Often accused of being a {{Straw Feminist}} despite being a perfectly reasonable feminist (the kind who campaigns for equal rights but understands that most men are perfectly nice human beings}
global_05_local_5_shard_00000035_processed.jsonl/44670
Forms Management: What Forms Managers Think About Electronic forms need management just as much as paper forms do. Web forms may be the most common type of electronic form in use today, yet they may also be the most uncontrolled and, arguably, the most poorly designed from a forms management perspective. What is Forms Management? Forms Management comprises the development and management processes used to keep forms under control: from the first moment they are considered, through publication, the points at which they are filled in, their eventual life as records, and eventually making them obsolete. All organizations have a forms management function—even if they don’t realize it. That is because all organizations develop and use forms, and the costs are borne by every department or individual who creates, uses, or extracts data from a form. What professional forms managers do is to bring all that under control. We make sure we know exactly how much each form costs at all stages of its life, and exactly what forms the organization has published, when, and for what purposes. Sometimes a department attempts to exclude itself from forms management by redefining what they develop as something other than a form. I often hear something like, “This isn’t a form, it is a web page.” My answer: “No. If it has fields for the capture and/or display of variable data, then it’s a form.” If you are bringing data into an organization using a form, then you need forms management. You may think, “That’s a lot of work for something as simple as a form.” The answer is, “Yes, but it’s a lot cheaper in the long run than not doing it.” Looking at Different Types of Online Forms Very often, a person who says, “I want a web form,” has given little or no thought to the business rules and validations that must back it up, let alone to the route that the form will take through the business once it is completed. From a forms manager’s point of view, there are various degrees of complexity with an online form: 1. Print-on-Demand (POD) Essentially, paper forms that are made available electronically. The most familiar technology is Adobe’s PDF. Users print the form for filling in manually. The main user benefit is that the form is available immediately. The main organizational benefit is that the form does not have to be printed, stored, or sent out to the user. There is no obsolescence cost if it gets updated, and only the current version is available to the user. POD forms save organizations a lot of money, but the user still has to print and send in the form. POD forms also have the disadvantage that the organization is likely to receive a lot of handwritten forms, which are harder to process. Despite their problems, POD forms can still be a good solution for getting forms to people who do not have their own computer but can get someone else to print out a form for them to complete later. 2. Fill-and-Print (F/P) These are an improvement on POD forms. The user fills in the form online, then prints and sends it in. There is usually a tab order, some field restrictions, some masking, and special fields such as checkboxes and simple dropdown selections. These forms provide the same advantages as POD and are easier to fill out, more legible, and contain fewer errors. These forms are often a good solution where the organization requires a real signature, or the user has to attach another document that may not be electronic. 3. Intelligent Electronic Forms (IEF) These forms have more intelligence, such as calculations, conditional fields, logic choices, logon access, hidden fields, and help messages. They are truly online from the user’s perspective, but data collected is not integrated with enterprise applications. Many ordinary web forms fall into this category by accident: the organization has thought about how to collect the data, but not paid enough attention to what to do with it when it arrives within the organization. IEFs do work well, however, as a further improvement on F/P forms for forms with complex internal routing. 4. Enterprise-Enabled (EE) These employ email connections, database connections, secure access, intranet/internet access, usage tracking, edition control, ecommerce connections, electronic signatures, and other enterprise features. They can eliminate or reduce paper from the process, improve productivity and customer service, and eliminate or reduce filing. 5. Complete Business Applications (CBA) A full CBA typically employs multiple forms and sub-forms in an integrated business solution. It may have a mixture of IEF and EE forms pulled together into a system that routes forms from the user to the different parts of the business as needed. CBAs require custom programming to build business rules and logic into the forms set. A CBA has the potential to save costs across a business, eliminating paper and duplicate keystrokes, and making sure that the data gets to the people who need it. The overall complexity of the forms is also reflected in the complexity of the development process for the forms: the tools to create them, the amount of programming required, and most of all, the level of understanding of the business processes required. Keeping Control Because forms affect so much of a business, forms managers think a lot about controlling the forms. They don’t want a carefully established business process undermined by an unofficial form that does something different. It could well be that there is a need for a change to the “official” form, but this should be brought to the forms management team and built into the system. We forms managers have a fear of “bootleg” or “rogue” forms. To be really effective, an organization needs to have a forms management strategy so that all forms used within an organization are regularly reviewed for obsolescence, effectiveness, retention, and compliance with security and privacy policies. Bootleg forms represent risk to the organization in many areas, including compliance, efficiency, and cost. Any forms management professional can regale you with horror stories of organizations where all the forms are bootlegs. These will be the ones where nobody knows which version of a form to fill in; where different departments have competing forms; or where customers are continually bothered by emails or telephone calls that try to patch up the problems in the data collection process. And often there are hundreds or thousands of them. Forms managers have a rule of thumb: without a forms management strategy, the number of forms in use will be approximately equal to half the number of employees. Think about all the duplication and confusion that can represent! Are Your Web Forms Under Control? As a forms manager, I often help organizations create enterprise-wide forms management strategies that include plans for development, deployment, support, software standards, output strategy, and management reporting and cost benefit requirements, including return on investment (ROI). Here are some of the things that you should look for when creating such a strategy: What departments and individuals have forms development responsibilities? Can anyone create and publish, or is there an appropriate process in place for creating and revising forms, declaring forms inactive or obsolete, and assigning control numbers? What happens if multiple versions of a form are needed, for instance, for different states within the U.S., or different languages? Who ensures that the various approvals (legal, regulatory, marketing, etc.) are obtained? Do the developers have the appropriate development tools and information technology infrastructure, such as database access, server scripts, networks, and email compatibility? How does the form get published? Technological issues to look for include email support, servers, and forms portals. This is also where you should start investigating the issues of user experience: user interface, submission of forms, and security requirements are all crucial when we start thinking about deployment. What happens when something goes wrong? Consider issues such as user training, help desk support, instruction manuals, user guides, and designer training. Software standards and style guides It’s almost unheard of for an organization to have just one form. So when creating a forms management strategy, look for what the organization is doing to ensure that forms are built using appropriate tools and in appropriate ways. Consistency for users is important, but it doesn’t happen easily and it is particularly hard when the forms are being built using ad-hoc tools that were never designed for that purpose (Word, for example). As a forms manager, I would never recommend using general-purpose office software to design forms. You would not expect your programmers to develop in Microsoft Word; forms designers need the same consideration. Output strategy What happens when the users have filled in their forms? In the early days of web forms, we learned very quickly that users must be able to save and print their work or they simply will not use the electronic form. This is particularly true for the public doing business with your organization, but it also applies to employees. We generally think in terms of paper being unnecessary (after all, they are electronic forms), but this issue has stopped more than one electronic forms strategy. Users want what they want! Management reporting Make sure the forms management strategy includes all statistics necessary to determine who uses the forms, how often each form is used, how long it takes to develop and maintain, how many user requests for enhancements there are, and anything else that can be easily counted and might have an impact on the overall efficiency of the organization. You cannot manage what you do not measure. Cost-benefit analysis This element is crucial to the long-term success of any strategy. For each form, the expected development and maintenance costs should be compared to the expected cost savings, including productivity improvements. You can then calculate ROI, including expected payback period. Are Your Web Forms Part of an Effective Workflow? Forms managers look on in disbelief at some of the arguments we see about features of web forms, like the best “required field” indicator or the position of the labels. These details do matter, but not nearly as much as making sure that the form is part of an effective workflow. Making a badly designed printed form an electronic form just means getting bad results quicker. Understanding your business processes is critical to developing effective forms. Forms must fit the process, not the reverse. We recommend at least an annual review of each business process and the forms that support them. This staff function will generally pay for itself many times over. Here is one example of the things that we check for when reviewing a business process: signatures. Signatures on electronic forms are still a very thorny area. Here in the USA, the Electronic Signatures in Global and National Commerce Act (2001) made electronically generated signatures “legal,” but there is a big difference between being legal and being accepted as evidence in court. Signatures must meet at least two tests: 1. Authenticity: Is the signature the authentic signature of the person it purportedly represents? 2. Non-repudiation: Did the person signing intend to enter into the transaction represented? Also, the document containing the signature must exactly represent the transaction as it occurred. Many business processes require a signature. You need to consider the requirements for signature capture, both for external forms as signed by the users, and also as the form is dealt with internally. This requirement will vary for each form based on the value of individual transactions and the potential for loss. Web forms bring a further complication into the matter: the substitution of a username and password combination for the authentic signature. In the U.S., we have not yet seen what the courts make of this new type of authenticity, nor have we seen whether username/password plus a “confirm” button will be regarded as enough for non-repudiation. Generally, signatures can be more casual for low value transactions or where customer denial of the transaction is not likely. For larger value transactions such as insurance applications, or frequently contested transactions, such as beneficiary changes, the signatures must be more secure and non-repudiation measures are more important. Most worryingly, we see web forms being released constantly in “internet time” without any sort of reference number or release control. How will organizations be able to prove which transaction happened on that exact date? Organizations often take good care of the form data (whatever is collected by the form) but make little effort to keep control of the form container (the part that collects the data). Form data is generally stored separately from the container. This requires that a specific association be created between the container and the data, so the transaction can be recalled and displayed appropriately. As the container is revised and new additions created and deployed, the data display will change. Accordingly, all editions of a container must be maintained and accessible, with data mapped to the original container. Good forms software provides for this mapping automatically, but many organizations are using “write your own” HTML or other technologies and give no thought at all to how they will control their forms containers. Paper, Web, and Other Electronic Forms If all this seems too much to think about, then remember that not all forms need be developed with all requirements intact. Do not over-engineer a form. Include only those features necessary to the workflow and avoid costly, over-technical solutions. Remember, paper is not the enemy. Paper is but another technology available to the professional designer. When electronic solutions become problematic, take the form to paper. A good example is a form that provides a confidential PIN to a customer. Communicating the PIN electronically can introduce considerable risk, where a self-mailer product can resolve the problem simply and perhaps at a lower cost. What may start as a simple requirement—“I need a web form,”—may end up with an enterprise-wide effort to understand, develop, and control the forms. To create really good forms, you need to think across the enterprise and consult with all major departments to assess fully their requirements, needs, and preferences Killam, R. (2009). Forms Management: What Forms Managers Think About. User Experience Magazine, 8(2). Retrieved from Comments are closed.
global_05_local_5_shard_00000035_processed.jsonl/44673
You are here Mad as hell I got really PO'd at a meeting today.  After the meeting some chatting was going on.  A co-worker was talking about how his parents feed his dog stuff he doesn't want them to eat so he can't leave them there.  Without thinking I said "oh yeah, it doesn't stop when you have kids either, my cousin and her husband are vegetarian (and they know I am) and her in-laws fed their kids meat".  He answers with "Well I don't think it is right to force being vegetarian on your children."  And he knows my kids were raised vegetarian.  Pissed me right off.  I reacted a little bit saying that vegetarian diets are actually more healthy but I knew my anger was showing through a little.  I went back to my office and sent the ADA position paper on vegetarian diets and another medical article on the benefits.  He just sends me back some bogus thing on how they can be harmful to their growing bodies and brains.   I'm pissed off that he was so rude and I'm kind of pissed off that I bothered to engage in the debate.  I should know better by now.   Ms. veganhippie has started a thread similar to this..... Ms. shelloid also has one here........ Log in or register to post comments
global_05_local_5_shard_00000035_processed.jsonl/44702
Does Modeler support reading Cognos packages in Dynamic Query Mode? Technote (troubleshooting) Cannot connect using the Cognos source node in Modeler to Cognos TM1 package to import data. Connecting to a package of type 'Compatible Query Mode' is successful. When attempting to connect to Cognos TM1 pkg to import data, get's the following error: Modeler 15. error received: DPR-ERR-2014 Unable to load balance the request because no nodes in the cluster are available, or no nodes are configured for the service Modeler 16. Could not get metadata from selected package. Or sometimes you will see this error: <Error id="kCOGNOS_GetMetadata_Failed"> <Param>XQE-V5-0001 V5 syntax error(s) found: Encountered "*" at line 1, column 10. Was expecting: The Cognos BI source node can only connect to the Cognos server using Compatible Query Mode(CQM). It cannot pull from a TM1 package that is set to Dynamic Query Mode(DQM). Windows 2008 R2 Diagnosing the problem The Cognos admin can gather the 'Set Properties' of the package involved. Towards the bottom of this window will exist a heading 'Query Mode'. If the value for that is 'Dynamic'(DQM), the symptoms above will be presented. If Query Mode is Controlled,(CQM) then it will work. Resolving the problem Modeler doesn't support the reading of Cognos packages in Dynamic Query Mode (DQM). There is an Enhancement Request already open for this: ECM00191215 Document information More support for: SPSS Modeler Software version: 15.0, 16.0 Operating system(s): Reference #: Modified date: Translate my page Content navigation
global_05_local_5_shard_00000035_processed.jsonl/44725
Background Briefing 27 January 2013 Sunday 27 January 2013 8:05AM In this episode • For years the greyhound industry has accepted the routine killing of injured and failed racing dogs. A leading official reveals thousands are killed each year in NSW alone, and says the practice is out of step with community values. Timothy McDonald investigates the often brief life of a racing dog. (Originally broadcast on 11 November 2012) This [series episode segment] has and transcript
global_05_local_5_shard_00000035_processed.jsonl/44729
Monday 11 September 2006 Monday 11 September 2006 8:30AM In this episode • According to US estimates, only one in two patients receives the healthcare they should receive according to the evidence. One in ten patients receives care that isn't recommended and which is potentially harmful. In the first part of this series about getting health professionals to practice with evidence, Associate Professor Alex Barratt takes a close look at the catastrophic errors that have occurred when evidence has been ignored, and why evidence based practice is still not being implemented in consultation rooms near you. This [series episode segment] has and transcript
global_05_local_5_shard_00000035_processed.jsonl/44736
Spice Girls To 'Zig-a-zig-ah' For The Queen? The return of the Spice Girls has fans around the world jumping up and down with anticipation, including the Queen of England. The Spice Girls have been invited to perform in front of her majesty for the Royal Variety Performance, according to Hello Magazine. The show, set for December 3, is the same day the Girls are supposed to kick of their world tour in Canada. “We’ve been having talks with them,” a Royal Variety Performance organizer said. “They are keen, but it’s a question of making it work physically.” If the Spice Girls go make the performance happen, they may have a very quick turnaround to make their tour kick-off in Vancouver. Copyright 2015 by NBC Universal, Inc. All rights reserved.
global_05_local_5_shard_00000035_processed.jsonl/44774
A Defense of Ardor - Zagajewski, Adam, and Cavanagh, Clare, Professor (Translated by) Ardor, inspiration, the soul, the sublime: Such terms have long since fallen from favor among critics and artists alike. In his new collection of essays, Adam Zagajewski continues his efforts to reclaim for art not just the terms but the scanted spiritual dimension of modern human existence that they stake out. Bringing gravity and grace to his ... A Defense of Ardor 2005, Farrar Straus Giroux, New York, NY ISBN-13: 9780374529888 Trade paperback
global_05_local_5_shard_00000035_processed.jsonl/44775
State of Play - David Yates The government's dangerous penchant for favoring corporate interests is put to the ultimate test after an ambitious politician's research assistant perishes under mysterious circumstances, and a crime that at first appeared unconnected with the death is exposed to reveal an intricate web of lies and deceit. Stephen Collins (David Morrissey) is a ... State of Play 2008, UPC: 883929005932
global_05_local_5_shard_00000035_processed.jsonl/44811
Hello Like Before Testo Testo Hello Like Before Amici, ecco i finalisti Hello like before I'd never come here If I'd known that you were here I must admit though That's it's nice to see you, dear You look like you've been doing well Hello like before I hope we've grown 'Cause we were only children then For laughs I guess we both can say 'I knew YOU when' But then again, that's kiss and tell Hello like before I guess it's different 'Cause we know each other now I guess I've always known We'd meet again somehow So THEN it might as well be now
global_05_local_5_shard_00000035_processed.jsonl/44846
Friday, November 1st, 2002 Sam Taylor-Wood: Passion Matthew Marks Gallery 523 West 24 Street, New York October 21 to November 2, 2002 Sam Taylor-Wood, Pieta 2001 35mm Film/DVD Duration: 1 minute 57 seconds Courtesy Matthew Marks Gallery In the large video projection “Pietà,” facing the desk at Matthew Marks Gallery, the artist Sam Taylor Wood labors to support the draped body of Robert Downey Jr. Why him, one might ask, and for that matter, why her? Why ask, is the likely reply. Taylor-Wood has appropriated widely in the past-from Atlas to Roman orgy scenes (updated to the present day) to Hollywood movies. Here, as elsewhere in her work, surface registers of emotion and physical distress take the place of narrative. The pietà becomes an icon of exhaustion and distress, in her hands. Or, to put it differently, exhaustion and distress become iconic, if only by association. Elsewhere, a young woman is depicted morphing into distress, frame by frame in slow, slow motion. Taylor-Wood has returned several times in her career to this approach, breaking down highly charged scenarios with a wry slow-mo detachment, like a female Freud liberated by an encounter with Marcel Marceau. A closer analogy might be early photographic studies of the emotions: Darwin’s The Expression of the Emotions in Man and Animals or Hugh Diamond’s studies of the mentally ill in the 1850’s. She approaches her subjects, at times (not always, by any means; as, for example, the early “Fuck, Suck, Spank, Wank,” not shown here) with a similar analytic curiosity, a similarly unremitting urge to defamiliarize. One misses, in these works, the visceral or the raw. Perhaps, however, that is Taylor-Wood’s point. A photograph of a nude male laid out like Holbein’s dead Christ appears so matter of fact, so drained of significance, that the idea of death asserts itself with the chill subtlety of a business card dropped on a dinner setting. Similarly, a series of small richly colored photographs of a couple having intercourse decomposes the act analytically without titillation or decorative panache that the tones and choreography of bodies would at first suggest. Here is sex, post-Hefner, post-Koons and -Mapplethorpe, post-voyeurism. It is pleasant enough, but the erotic epiphany is elsewhere, or is not to be had at all. In this context, the image of the artist holding up a dead hare is the most hopeful work in the current show. The artist’s deadpan vulnerability-the photograph makes a punning allusion to her difficult recovery from cancer-suggests a return to the defiance and surrealism of her “Soliloquies” (1998-2000) and “Five Revolutionary Seconds” (1995-98). Somewhere between sex and death passion may yet emerge. In the meantime, Sam Taylor-Wood’s work displays the stimulus, even the pleasures of the candidly unresolved.
global_05_local_5_shard_00000035_processed.jsonl/44848
July 10 2011 QnA16 Dear Guruji, please say something about Shiva. I am Shiva worshipper and he has brought me to Art of Living and you. Sri Sri Ravi Shankar: Shiva is the principle in which everything is born, into which everything will go. There is no escape from Shiva. Shiva tatva means Shiva Principle. Shiva is not a person. Shiva is the space, is the consciousness. To describe that they put Shiva in blue. Blue means like the sky. You know, Shiva’s description is so beautiful (reciting a Sanskrit verse) it’s like liberation, liberation from everything. It is the lord, it is the most powerful, it is all over, spread everywhere. There is no place that it is not. It is where all the knowledge is present, that consciousness, that space. It has no attributes. It was never born, Shiva was never born nor has any attributes. It is a Samadhi state where there is nothing, just the inner sky of consciousness. That is what is Shiva. Where there is alertness and no action. To describe the alertness they put a snake around Shiva’s neck. They put a trident in the hands of Shiva - means it is beyond the three states of waking, dreaming and sleeping. Shiva is holding a trident that means it is beyond the three states, in the fourth state, which is absolutely benevolent. The one state in which everything exists in the universe -the dark space, the dark energy - scientists today started calling it the dark space and the dark energy - in which everything else exists. The sun, moon, stars, everything exists in this one solid state of consciousness.
global_05_local_5_shard_00000035_processed.jsonl/44856
Atheist Nexus Logo Most hated could be stretching it, but that's the title of the article: . I would probably go with most mistrusted, since I have never personally been assaulted because of my beliefs(not yet anyway) Tags: atheism, hatred, minority Views: 75 Reply to This Replies to This Discussion yeah, I hate how when they find out your polyamorous they think you're some sex crazed freak. We're number 1, we're number 1! Hey, at least we are making an impact. It means you could end up with your throat cut from ear to ear in a moment of carelessness! Atheists are the most hated, least trusted people in America. Nurses are voted the most trusted. I'm a nurse and an atheist.....where does this put me?? -) When my grandmother was in the hospital last year, dying of Parkinson's and Alzheimer's Disease, she asked the nurse if she (the nurse) was saved. The nurse said "no" and my grandmother said something to the effect of "well, I'm saved and unlike you I won't be going to Hell". I'm sure it was the Alzheimer's talking, as, normally, my grandmother felt that religion was a personal thing and would never tell someone they were going to Hell. well if I am dying just remind me im nothing more than wom food that will get pooped back int the soil to grow an apple tree that will give someone poisoning for your next paycheck, LOL. just kindding by the time my tre has grown youll be dead to... MORBID, ain't it??? Out of a job when this comes to light! ;) That's what can happen if you disclose your disbelief. You may be fired from your job. In fact by law it is required that you believe in religion X to work for organization X - That is one reason why "W's" faith based initiative is so dangerous. In reality you would have to believe in religion X before you could eat according to that initiative. I think that University of Minnesota study was done in 2002. I'd like to see a new study conducted to see if atheists becoming more vocal has had any effect. I would too. I think it has gotten worse because of George "W" Bush's absolutism and the effect he had on polarizing the country. In the United States, atheism is still associated with the last existential threat the country faced, the late, unlamented Soviet Union. Sorry GOP, but Islamofacism doesn't qualify. Yet. With the collapse of the USSR, there is less hate, but the distrust remains. I suspect that there are a lot of morally weak people out there whose only restraint is "Even if you think you got away with it, it's still all written down in God's Big Book." When such a person realizes that there's nobody Up There, he becomes really dangerous, even if he maintains a hypocritical piety to prevent his victims from seeing past the sheep's clothing. When he is revealed as an atheist (usually before a jury), we all get tarred with the same brush. Of course we are despised. What sort of outreach program(s) does Atheism have? Anything at all? How many of us have given any kind of public presentation on atheism? Are there any resources available for this? I think we have a zillion pro atheism/ freethought groups, but absolute no national cohesion or agenda to speak of. We are defined by our enemies, not by ourselves. And we have only ourselves to blame. And I am as guilty as anybody - I have done no community presentations. I really wouldn't know what to present, or how to generate enough funds to allow me to do such a thing. ( Room/AV fees, travel expenses, etc) I think we have done enough navel-gazing. Isn't it time for some action? Support Atheist Nexus Donate Today Help Nexus When You Buy From Amazon Nexus on Social Media: Badges  |  Report an Issue  |  Terms of Service
global_05_local_5_shard_00000035_processed.jsonl/44857
Atheist Nexus Logo Tags: Christians, Debates, Help Views: 61 Reply to This Replies to This Discussion Didn't you do alright at the last one? The one thing that's true about most christian debates is that there material is hardly ever original. Do you have any friends that would be willing to go with you? If you're worried about physical violence it might be wise to back out. One of the best arguments presented to me was (Very paraphrased) "O.K. lets use the premise your God does exist in the way you say, now what?" How does this help with crime, cancer, amputees, war etc. What are the alternatives to solving problems without regard to whether this God of yours exists or not. I wouldn't go if I were you,sounds like you are being set up for a beating or worse. These people have no scruples and no conscience. Tell them that you will only debate in front of a nonbiased audience Yes Richard I did hold my own last time. For those concerned about my physical safety, I appreciate your concern however I am not concerned about that. I am a 2 time combat veteran and an ex-cop. I don't fear physical confrontation. The one thing I AM concerned about is, the last time I got involved with a similar debate I ended up in a fight and my opponent ended up in the e.r. I had to go to court and was let off the hook seeing as I was defending myself. I'm worried about going in front of the same judge IF things in fact DO escalate. But my MAIN concern is my prepared-ness. I would hate to lose the debate. I'm going over my material now as I type this. I was just wanting to know if anyone in the area would like to come support me I would absolutely love to... But I'm 16, I don't have a car, the money to buy gas, and my one friend who'd be willing to drive me there is also penniless. It's the long-distance; moral-support-only, I'm afraid. Maybe we can get some A|N or T|A members from Memphis to attend - maybe leave a message with the RDF or Pharyngula? Get the word out that way. If you'd like help preparing the material however, happy to help. Being beaten up by Christians sounds like you have done more harm to their position than any amount of debating will achieve! Bravo, sir. It reminds me of play ground scuffles when I was six, "There is no santa claus." Thump, thump, kick. "There is too, so take it back or I'd thump you again!" Consider what you have achieved: You offered to debate the existence of their god or gods, and their response was to beat you up. This is hardly the most rigorous academic support for a position that one could imagine, and a public relations disaster. If you are willing to risk another santa claus scuffle by debating with these people, there is one basic point is in your favor at all times: We share beliefs between theists and atheists: We live in a physical universe composed of atomic structures and we are a carbon based life form amongst many others on a watery planet orbiting a sun in the milky way galaxy. If someone disagrees with any such contentions, you can invite them to examine centuries of careful research and study that has evinced much tangible evidence that such views are correct. However, the theists assert that there is something FURTHER in which we need to believe to explain the nature of the universe. You are not the one claiming the existence of an additional super-natural being(s), and therefore you are not the one who has to produce any proof. When someone claims the extraordinary to be true, such as the idea that frost occurs because snow fairies powder the ground with ice dust overnight, the onus is on the believer to provide some sort of proof and NOT on you to disprove such a claim. Since god(s) are super-natural (outside the normal laws of nature) then people who believe in them need to provide proof in support of their position. The world cannot work if we require disproof of extraordinary claims. Consider the court room: "I claim that we had a contract for you to pay me $500 dollars." "Produce the contract." "No. You have to disprove that it exists, or you will have to give me the $500." While I don't claim to fully understand the formation of frost (it is to do with radiation into space, still air with sufficient water vapor, ground temperature below freezing, and the alteration of water vapor to form solid ice particles without a liquid phase) HOWEVER, I am darned well sure that frost is not caused by frost fairies dusting things with ice powder. In the same way, I don't claim to understand all the mechanisms of the universe, but I am darned sure that there is no super natural being or beings responsible for any of what we observe. If someone can produce proof for such a contention, then it would be possible to test their idea, and I would look with great interest at such testing. One fallacious counter is that the bible tells us that there is a god, and the bible is reliable because it is the word of god. This is a circular argument. I could just as easily write a text claiming to be written by the frost fairies and explaining their method of frost formation. This would be no more nor less reliable than the bible--there is no argument that the bible is a text written by men in a late stone aged culture of the middle east. There is not one shred of evidence can be obtained from such an artifact in support of the existence of a god or gods. An atheists believes in the universe but not in anything more fundamental. The theists also believes in the universe (though some really weird people might claim we are brains in a vat or something similar, that is a philosophical back water of arcane argument - don't get distracted) and in addition, in the existence of a god or gods. The theist believes more than the atheist, and the more one believes in, the more proof one needs to provide. If we accept the position that beliefs do NOT require any proof, anarchy will reign. All beliefs would be equally valid, and creative people will fill the world with havoc because the truth of their ideas won't be challengeable. Consider a world in which every fiction book and opinion posting to the internet ever written was given equal credence with peer reviewed scientific articles. Chaos would ensue. Why should religious belief be exempted from the burden of proof? One of my favorite examples comes from The Atheist Debater's Handbook by B.C.Johnson. You can get it at amazon,com: Suppose I accuse someone of breaking my car window. They deny it, and they demand to see my proof. I reply that it is his responsibility to prove he did NOT break my window. Plainly, I believe in one more 'fact' than the person I am accusing. They don't ned to produce any evidence unless I can show some proof of my position. Anyway - if you decide to go ahead and debate, keep your footing with this constant position: the pressure is on them to prove the existence of a god or gods. I keep saying 'god or gods' because eventually someone will ask why. I reply that there are x+1 gods I don't believe in while there are only x gods they don't believe in. If they can prove the other x gods don't exist, then they should check to see if application of that proof to their god also makes him/her/it disappear. I appreciate the help guys! Thanks! Some of you are still missing the point I made earlier that i did NOT get beat I invite you to see the original post here for some background on the matter Ian you make a very good point...HOWEVER I've learned that when debating Christians it's easier to make them go on the defense. They claim to have a book that is God's word and is without error. I simply show them where that is wrong. Then I take a common sense approach from Genesis and work my way up. It's a little more time consuming but, the very basis of their silly superstition is this "book". If you pull that from under their feet...well....they fall! lol I appreciate everyone's help and I will use that point Ian. Well put. I wish I could also open up a Q&A as Verne suggests but, I am on their floor. All I can hope for is equal time/treatment. Garrick I would love to see you there but, I understand you situation. I hope to get at least one person to come video tape it so I can get it up here for all to see/critique and what not. Also my brother in law (atheist) has agreed to go. He wanted to bring a gun! LMAO I quickly put that out the window....but we ARE in the bible belt. These are the same looney ass people that play with snakes and drink strychnine so who know what they are capable of? To address my man Mr. Healy I am attempting to spread the word between classes, studying for the debate, homework, actual work, and raising my 2 beautiful girls but I'll tell you it's difficult. Worst case scenario? I'll be the first martyr for atheism! LMFAO! Maybe then we could get some attention?!?!? J/K if it turns violent I will leave. Might take a few out on my way to my car though.....LOL Or with your car. ;-D I'd go with you if I could! Support Atheist Nexus Donate Today Help Nexus When You Buy From Amazon Nexus on Social Media: Badges  |  Report an Issue  |  Terms of Service
global_05_local_5_shard_00000035_processed.jsonl/44859
Atheist Nexus Logo In his own statement, Perry acknowledged the problem of violence in the U.S. but said enacting tougher gun laws was not the right way to solve it, the Houston Chronicle reports. Read the rest here. Wonderful.  A government official who basically renounces the efficacy of government in favor of prayer to a supernatural being who is notoriously not in evidence, yet is supposed to cure ALL of our ills and bring some kind of golden age.  The naivete, irresponsibility and idiotic presumption Rick Perry displays in this instance simply goes beyond the pale.  I mean, why should we need a government at all?  Just pray to Perry's god and we should all be good to go, right?  That's worked fine in the past, hasn't it?  Oh, wait... Tags: Rick Perry, gun control, prayer Views: 292 Replies to This Discussion it's official, everyone hates a lurker politician and their faith decoy(s)_ This is the same old religous tactic they always use: god is the solution for everything.  Anytime there is a problem they cannot explain, cost money, or challenges their belief, pray more.  They win in their minds no matter what and so far, at least with politics, they win in popularity now.  Their arguement is always a social one, fix it with morality opposed to psychology, get back to family values opposed to righting governmental neglect, evil doers opposed to provoked depressive antisocial behavior.  The list goes on.  The competition of belief over science will continue to plague our government as far as I can see, I'm sad to say.  Believers always get cynical to logical explanations or solutions and then find a social arguement that puts another question in the conversation that diverts away from the original point.  Our government is plagued with religous dogma that pushes us farther from a true separation of church and state.  Have you ever heard "don't talk about politics and religion in your work place", well somehow that just doesn't apply to a government job in the minds of believers.  The social approval of religion in politics is actually a priority.  If it is not so for an individual who is in any position of a high post that person is usually shut out eventually of true confession to logic.  Can you think of anyone like that today? :) The believers have the upper hand in social politics and in social wealth, especially because the wealthy believe in financial power over a healthy balance of creative logic that supports all of us.  Farmers can grow food for themselves but if they do no put any up for market their other needs are not met.  We depend on the successful psychology of all (government) to make life possible.  We cannot all be self sufficient homesteaders to manage our needs.  Here is a question to ponder, If you are the best heart surgeon in the world where do you go if you have a need for heart surgery?  If you are thinking a computerized robot, stop.:)  Recently I listen to a Sam Harris youtube video speech about his warning to nonbelievers about calling themselves atheist.  He is argueing the point to be careful of labeling your self of what you believe in order to not get yourself stuck in the arguement of the perpetual arguement of belief.  I agree with him but there is also the fact that as long as there is a consciense objection to governmental direction to logical success we may find ourselves in need of specialization to committee.  Splitting hairs will surely create a fabric to human community.  There is no guarrantee either way.  Those of us who choose to be peaceful use words and reason to find a democratic resolution.  War is not desirable to anyone who experiences the destruction of life.  So, what do you do. I guess form a community of people who support each other in a successful outcome of human needs and social approval.  Maslows heirarchy of needs will actually work for both believers and nonbelievers because what we do share in common is the inescapable truth of being human.  What is the old saying about death and taxes?:)  Community is important because we may reach higher elements to maslow's heirarchy of needs.  We need that support so that we are not left in the cold, literally and figuratively. Instead of praying, a funny filosopher with imagination, willing to take risks in thought, creativity, and exploration, Dennett makes sense out of non-sense world. Happy thinking! It works a lot better than praying. Just look around us. Big Thinkers - Daniel Dennett [Philosopher] Ooooo, dirty word, Joan - THINKING!  Rick Perry can't deal with thought, never mind critical thought.  Too hard, WAY too hard!  Much easier to pray.  Yeah, yeah, that's the ticket ... [groan!] Great video, BTW! The saddest part is that they train their kids in this type of thinking from Day 1. I escaped, sure, but it gets harder all the time. Oh! get real! "God is bigger than the boogie man!" The propaganda machine! However, god apparently is not bigger than Katrina, the hottest year on record, the wars ... all over the Earth, or famine, homelessness, disease, dominionism, greed, and hubris. For these it takes sensible, critical, focused thought and action.  "God works in mysterious ways." Nope!  Just takes more trust in god, Joan.  Where is your faith? There is a reason strongly religious politicians do nothing worthwhile to improve the world.  They think Jealous Sky-Toddler is going to do it for them. The wholly, holy, macho, man is testing the limits of his intellect once again.  Is there an emptier suit in all of American politics than Rick Perry?  Frightening prospect, if there is. Did anyone tell this idiot that by being a xtian does not make you bulletproof?  Ask the student at Columbine who asked if she believed in G'd and was killed. BTW, it later came out that she was into witchcraft.  Either way she lost. Have you heard about the recent republican sneak vote to redistrict the votes in Virginia? Yup.  Rachel Maddow has been covering it for a while now. Support Atheist Nexus Donate Today Help Nexus When You Buy From Amazon Nexus on Social Media: Badges  |  Report an Issue  |  Terms of Service
global_05_local_5_shard_00000035_processed.jsonl/44866
• 28 Nihon Car & Bike is reporting that Toyota will announce an upscale version of the Auris in Japan called the Blade. The vehicle will reportedly have multiple trims, including one with a 280-hp V6 (!). The website happened to run across a parking lot full of Blades while test driving the Auris and snapped an album's worth of pics. From the pictures we can see the Blade has a different front end than the Auris that's sharper with a more traditional grille and aggressive lower front fascia. New wheels and clear taillights are also part of thep package. They report the Blades were being prepared to be shipped by sea, which means the car is destined for markets outside of Japan, though probably not the U.S. Score one for Nihon Car & Bike for the scoop, and we'll bring you more details of the Blade tomorrow after Toyota debuts the vehicle officially. Follow the Read link to check out additional pics of the Blade, including a side-by-side comparison with a standard Auris. [Source: Nihon Car & Bike] I'm reporting this comment as: • 1 Second Ago • 8 Years Ago Another death rattle-trap from Toyota, the not-so-green-as-they-appear-to-be company. • 8 Years Ago Why do manufacturers keep stretching the headlight lenses up the hood, and fenders? For God's sake, by the end of 2010, the headlights will reach from the front bumper to the windshield. • 8 Years Ago It looks like an evolution of the Scion xA. Assuming it will meet US crash standards and the interior bits are up to par, there's no reason they couldn't add it to the Scion line-up! Oh, and to #5. Are you nuts? Never a bold Toyota? The '67-'70 2000 GT was certainly a bold car. And, if you don't think the MkIV Supra (especially the twin turbo versions) were bold cars, then you are certifiable. • 8 Years Ago "27. that things not coming to the US. The steering wheel is on the wrong side..." I don't mean that batch of cars specifically, I mean some verion of this model, as the Scion xD. The xD is said to have a floor mounted shifter, so in addition to having LHD, it would have a different interior. Thick C pillar and Mazda like rear fit the descriptions of the xD. • 8 Years Ago that things not coming to the US. The steering wheel is on the wrong side. They should build us another supra. • 8 Years Ago "20. #17, #18: A big problem is the weak US$ (or the strong Euro)." Exchange rates are irrational and have no relation to the actual purchasing power of the curency, wether it is the US $, the Euro or the Chinese Yuan. I was in CHina last June, taught a course in Shanghai. One Yuan is 1/10 of a euro, but in actual purchasing power it is more like.. 1 to 0.5 euro. The Euro may be $1.30 or so, but the actual purchasing power of the $ in many areas is double that of the Euro! Europeans visit New York with two empty suitcases and fill them. " It just does not make sense to equip european Diesels with urea injection (+500-100$), then ship them to the states and sell them for 30% less than in Europe." The US market is very competitive price wise. This is a problem, esp. for Luxury Imports here. A friend bought a loaded BMW 530 in Europe for 75k Euros, or 90k US $, and here he could buy a big, loaded 750iL with that $. "I think with growing demand American and Japanes carmakers will start to build more Diesels in the US." Yes, even Honda will do so, decided already. IF gas prices remain above $2.50-$3 a gallon here, it will help. If they collapse, people will not shift to diesels. • 8 Years Ago The Supra TT is wildly popular now because of it's unlimited tuning potential. Toyota's other engines aren't designed like this. The XRS/Celica GTS engine has too high of a compression ratio to turbo-charge and the supercharger for the TC is a joke. I think Sport Compact Car ran a disappointing 14.7 quarter mile with theirs and it had the boost turned up! What Toyota should do is a build a retro AE86 style car that is REAR WHEEL DRIVE. That feature alone would attract the performance crowd. • 8 Years Ago #13: There is one cool RWD car in Toyota's lineup. The Avanza: Chop the top and supercharge the 1.6l and you have a great small racer. :-D • 8 Years Ago Jay: My XRS ('03 Cosmic Blue) just passed 90k last week. Two weeks prior it finally had it's first repair - a new clutch. Other than that, I've had absolutely zero trouble, and I drive it hard enough to require four new tires every year ;) I have yet to find another hatch that offers the space, utility, reliability and mileage of the XRS. There are other cars that beat it in some of these categories, but none that can beat all of them. When they killed it for the 2007 model year, it was just one more sad step towards Buickdom for Toyota. I do hope they release the Blade over here, or at least a 'hot' version of the Auris, but with their current direction I'm not holding my breath. • 8 Years Ago yeah, cause my boyfriend's 2002 chevy cavalier is totally not a "death rattle-trap".. my dad's '94 camry drives and looks better than it, sadly enough. • 8 Years Ago Why not the US again? Oh yeah, we only like bland stuff! I guess I am stuck with the Mazda or GTI. • 8 Years Ago #22: Exchange rates are relevant when goods are imported or exported. If more Diesel engines are made in the US, the impact on the price will not be so high as if they are imported. With the current small demand is does not make much sense to build small Diesels in the US. So they have to be imported which makes them expensive. And expensive Diesels do not trigger a higher demand. Maybe Honda or Dodge or Ford break the vicious cycle by producing the car diesels in the US... • Load More Comments
global_05_local_5_shard_00000035_processed.jsonl/44915
BBC HomeExplore the BBC 18 June 2014 Accessibility help Text only Cult Presents: Sherlock Holmes BBC Homepage Cult Homepage Contact Us Like this page? Send it to a friend! Sherlock Holmes interviewBert Coules Holmes writer and dramatiser for Radio 4 When did you first encounter Sherlock Holmes? Which stories were hardest to dramatise? We weren't writing for the fans, or indeed necessarily for people who knew the characters well at all, [but] particularly after the first series went out and we got the letters coming in, [we were] made very aware that there are people who know the stories word for word, and have very fixed ideas of what the stories are like, and what these characters should and shouldn't do. Because people love the best known stories - The Hound of the Baskervilles, The Speckled Band - they have very fixed ideas about what can and cannot be done with them. [With] the lesser known stories, a dramatiser can have a bit more fun and freedom. How did you come to write new Holmes stories? I don't know whose idea it was, ultimately. I suspect that when we reached the end of the Doyle stories, someone somewhere looked at the audience figures and looked at the sales figures for the CDs and the cassettes and said, "What a pity we've run out!" and made the rather brave decision to come to me and say, "we've run out of real stories, can you write us some more?" There are some amazing ones, like the case of the politician, the lighthouse and the trained cormorant, and the most famous one of all, the case of the giant rat of Sumatra. He just drops them into the dialogue. Holmes will say, apropos of the case that the story's actually about, "You remember Watson, something similar happened in the case of the Lithuanian Organ Grinder's Monkey." That's not a real one, I just made that one up. It's lovely to imagine him making these up, but they do provide a rather nice starting point for a new story. What were the main challenges of writing new Holmes stories? What's most enjoyable about writing Holmes stories? What are the essentials of a good Sherlock Holmes story? A good quote about writing a Sherlock Holmes story is, "It doesn't need to be a good detective story, but it does have to be a very good story about a detective." I think that's a clever distinction. One of the things you have to ask yourself if you're writing a new Sherlock Holmes story in whatever medium, is "How far should I make my story the sort of detective story that people think the Sherlock Holmes stories actually are, and how far do I go the other way and say if it was good enough for Doyle not to make it a whodunit, it surely must be good enough for me." That's an intriguing part of the process, and in general with the ones I've done, I've gone some way toward making them a modern conventional 'invite to the audience to work out the solution' detective story. At the same time [I] try at least to maintain the real core of a Sherlock Holmes story according to Doyle, which is the character interplay, the atmosphere, the setting. What's your idea of the characters of Watson and Holmes? There's a wonderful line in one of the early stories where he says, "My whole life is an attempt to escape from the tedium of everday existence." Holmes can't function as a normal member of society, he doesn't have any small talk, he doesn't have any social life, he doesn't have any friends. What Watson in particular isn't is the figure of fun from the old 1950s black and white movies, who trots along into the Great Detective's wake, bumping into his moustache and muttering, "My God Holmes, that's incredible, how did you know that?" Watson is as essential a part of the partnership as Holmes is. They both bring different things, but both things are essential. There are many of the stories in which Watson brings a level of knowledge and intelligence that Holmes is not capable of bringing. Watson is the public face of the partnership, Watson is the one who interacts with the clients far more than Holmes does. And although he doesn't have the same sort of intelligence and insight as Holmes does, he is a perfectly intelligent, insightful man in his own right. For more information on Bert Coules and his work, take a look at his website at The BBC is not responsible for the content of external sites.
global_05_local_5_shard_00000035_processed.jsonl/44920
Media playback is unsupported on your device 'One pound fish' market seller on his internet success 14 May 2012 Last updated at 16:59 BST He's the internet sensation who sells fish with a song. Muhammad Shahid Nazir - who is from Lahore in Pakistan - has notched up over a million YouTube hits after performing his "one pound fish" song at Queen's market in east London. He's now getting cover versions made of the song by pop stars including Mindless Behaviour and Alesha Dixon. The BBC Asian Network's Shabnam Mahmood went down to meet him. Video produced by the BBC's Dan Curtis
global_05_local_5_shard_00000035_processed.jsonl/44957
worms on fresh basil How can I get rid of green worm on my basil plant? Would spraying it with white vinegar work? I had a hard time seeing them because they are the same color as plant, I wonder how many I have eaten? Help! Submitted by BHGPhotoContest Don't use vinegar. I would suggest you use a safe, organic product such as Bt, which stands for Bacillus thuriengensis. It's a naturally occurring bacterium that affects the guts of caterpillars and kills them. It's safe for humans. It's sold as Bt, or Dipel, or under the Safer brand. Check with your garden center to find a product that contains Bt. Answered by BHGgardenEditors
global_05_local_5_shard_00000035_processed.jsonl/44958
Compare Translations for Job 39:13 Commentaries For Job 39 • Chapter 39 God inquires of Job concerning several animals. - In these questions the Lord continued to humble Job. In this chapter several animals are spoken of, whose nature or situation particularly show the power, wisdom, and manifold works of God. The wild ass. It is better to labour and be good for something, than to ramble and be good for nothing. From the untameableness of this and other creatures, we may see, how unfit we are to give law to Providence, who cannot give law even to a wild ass's colt. The unicorn, a strong, stately, proud creature. He is able to serve, but not willing; and God challenges Job to force him to it. It is a great mercy if, where God gives strength for service, he gives a heart; it is what we should pray for, and reason ourselves into, which the brutes cannot do. Those gifts are not always the most valuable that make the finest show. Who would not rather have the voice of the nightingale, than the tail of the peacock; the eye of the eagle and her soaring wing, and the natural affection of the stork, than the beautiful feathers of the ostrich, which can never rise above the earth, and is without natural affection? The description of the war-horse helps to explain the character of presumptuous sinners. Every one turneth to his course, as the horse rushes into the battle. When a man's heart is fully set in him to do evil, and he is carried on in a wicked way, by the violence of his appetites and passions, there is no making him fear the wrath of God, and the fatal consequences of sin. Secure sinners think themselves as safe in their sins as the eagle in her nest on high, in the clefts of the rocks; but I will bring thee down from thence, saith the Lord, ( Jeremiah 49:16 ) . All these beautiful references to the works of nature, should teach us a right view of the riches of the wisdom of Him who made and sustains all things. The want of right views concerning the wisdom of God, which is ever present in all things, led Job to think and speak unworthily of Providence. • CHAPTER 39 Job 39:1-30 . wild goats--ibex ( Psalms 104:18 , 1 Samuel 24:2 ). hinds--fawns; most timid and defenseless animals, yet cared for by God. 3. bow themselves--in parturition; bend on their knees ( 1 Samuel 4:19 ). bring forth--literally, "cause their young to cleave the womb and break forth." sorrows--their young ones, the cause of their momentary pains. 4. are in good liking--in good condition, grow up strong. with corn--rather, "in the field," without man's care. return not--being able to provide for themselves. 5. wild ass--Two different Hebrew words are here used for the same animal, "the ass of the woods" and "the wild ass." loosed the bands--given its liberty to. Man can rob animals of freedom, but not, as God, give freedom, combined with subordination to fixed laws. 6. barren--literally, "salt," that is, unfruitful. (So Psalms 107:34 , Margin.) 7. multitude--rather, "din"; he sets it at defiance, being far away from it in the freedom of the wilderness. 8. The range--literally, "searching," "that which it finds by searching is his pasture." abide--literally, "pass the night." crib--( Isaiah 1:3 ). 10. his band--fastened to the horns, as its chief strength lies in the head and shoulders. after thee--obedient to thee; willing to follow, instead of being goaded on before thee. 11. thy labour--rustic work. 12. believe--trust. seed--produce ( 1 Samuel 8:15 ). into thy barn--rather, "gather (the contents of) thy threshing-floor" [MAURER]; the corn threshed on it. 13. Rather, "the wing of the ostrich hen"--literally, "the crying bird"; as the Arab name for it means "song"; referring to its night cries ( Job 30:29 , Micah 1:8 ) vibrating joyously. "Is it not like the quill and feathers of the pious bird" (the stork)? [UMBREIT]. The vibrating, quivering wing, serving for sail and oar at once, is characteristic of the ostrich in full course. Its white and black feathers in the wing and tail are like the stork's. But, unlike that bird, the symbol of parental love in the East, it with seeming want of natural (pious) affection deserts its young. Both birds are poetically called by descriptive, instead of their usual appellative, names. 18. Notwithstanding her deficiencies, she has distinguishing excellences. lifteth . . . herself--for running; she cannot mount in the air. GESENIUS translates: "lashes herself" up to her course by flapping her wings. The old versions favor English Version, and the parallel "scorneth" answers to her proudly "lifting up herself." 19. The allusion to "the horse" ( Job 39:18 ), suggests the description of him. Arab poets delight in praising the horse; yet it is not mentioned in the possessions of Job ( Job 1:3 , 42:12 ). It seems to have been at the time chiefly used for war, rather than "domestic purposes." thunder--poetically for, "he with arched neck inspires fear as thunder does." Translate, "majesty" [UMBREIT]. Rather "the trembling, quivering mane," answering to the "vibrating wing" of the ostrich [MAURER]. "Mane" in Greek also is from a root meaning "fear." English Version is more sublime. 20. make . . . afraid--rather, "canst thou (as I do) make him spring as the locust?" So in Joel 2:4 , the comparison is between locusts and war-horses. The heads of the two are so similar that the Italians call the locusts cavaletta, "little horse." nostrils--snorting furiously. 21. valley--where the battle is joined. goeth on--goeth forth ( Numbers 1:3 , 21:23 ). 23. quiver--for the arrows, which they contain, and which are directed "against him." glittering spear--literally, "glittering of the spear," like "lightning of the spear" ( Habakkuk 3:11 ). shield--rather, "lance." 24. swalloweth--Fretting with impatience, he draws the ground towards him with his hoof, as if he would swallow it. The parallelism shows this to be the sense; not as MAURER, "scours over it." neither believeth--for joy. Rather, "he will not stand still, when the note of the trumpet (soundeth)." 25. saith--poetically applied to his mettlesome neighing, whereby he shows his love of the battle. smelleth--snuffeth; discerneth ( Isaiah 11:3 , Margin). thunder--thundering voice. 27. eagle--It flies highest of all birds: thence called "the bird of heaven." 28. abideth--securely ( Psalms 91:1 ); it occupies the same abode mostly for life. crag--literally, "tooth" ( 1 Samuel 14:5 , Margin). strong place--citadel, fastness. 29. seeketh--is on the lookout for. behold--The eagle descries its prey at an astonishing distance, by sight, rather than smell. 30. Quoted partly by Jesus Christ ( Matthew 24:28 ). The food of young eagles is the blood of victims brought by the parent, when they are still too feeble to devour flesh. slain--As the vulture chiefly feeds on carcasses, it is included probably in the eagle genus.
global_05_local_5_shard_00000035_processed.jsonl/44959
2 Thessalonians 2:13-15 NLT 13 As for us, we always thank God for you, dear brothers and sisters loved by the Lord. We are thankful that God chose you to be among the first a to experience salvation, a salvation that came through the Spirit who makes you holy and by your belief in the truth. References for 2 Thessalonians 2:13 • f 2:13 - Some manuscripts read <I>God chose you from the very beginning.</I> 15 With all these things in mind, dear brothers and sisters, stand firm and keep a strong grip on everything we taught you both in person and by letter.
global_05_local_5_shard_00000035_processed.jsonl/44967
Thread: Sport mode View Single Post Old 10-03-2012, 05:18 AM boltjaM3s boltjaM3s is offline Location: USA Join Date: Nov 2009 Posts: 9,049 Mein Auto: BMW M428i Originally Posted by windsor027 View Post Very much doubt I would ever use the Eco mode. Comfort, maybe maybe not. Now here is a question for you BJ. since you installed the last mode software does your car keep the last setting or it defaults back to comfort? The ASS to me its not a big deal, I can click a button and disable it when I start the car. But man if it can remember the last suspension setting that would be reason to do it ASAP. The recode remembers last ASS position only. If you want to be in Sport 24/7, you need to tap the Sport rocker switch every time you start the engine. Many of us got the ASS recode because it meant that hitting the Sport rocker was the only thing to remember to do before driving off. Without it, you need to hit ASS off and Sport on which is double the inconvenience. Sounds trivial, but it adds up especially if you take numerous short trips each day. Keep in mind that Comfort is also the anti-nausea mode. Sport gives you rocket-like blasting power which can make wife/kids seasick, especially in traffic. Makes the accelerator a hair-trigger, takes no effort to launch. A great feature when driving solo, with passengers, different story. Last edited by boltjaM3s; 10-03-2012 at 05:19 AM. Reply With Quote
global_05_local_5_shard_00000035_processed.jsonl/44980
News NatureUganda Community Resource Planning in Lutembe and Mabamba Bays, Uganda Tue, 03/06/2014 - 15:52 Africa Uganda Local Empowerment - Africa Fears in Uganda for Mabira as sugar company renews its demands Fri, 21/10/2011 - 21:31 Uganda’s Mabira Central Forest Reserve, an Important Bird Area holding around 300 bird species including the Endangered Nahan’s Francolin Francolinus nahani, is once agai...
global_05_local_5_shard_00000035_processed.jsonl/45038
CIBC Sees `Stronger' Dollar on Fed Tapering, Data July 18 (Bloomberg) -- Jeremy Stretch, head of currency strategy at Canadian Imperial Bank of Commerce, talks about Federal Reserve monetary policy and the dollar. He speaks with Guy Johnson on Bloomberg Television's "The Pulse." (Source: Bloomberg) Does Education Need a Transformational Change? 53:07 - Blackboard CEO Jay Bhatt and Adknowledge CEO Ben Legg discuss how technology can address the needs of the learner with Emily Chang on "Bloomberg West." (Source: Bloomberg) • Pinterest Moves Into E-Commerce with 'Buyable Pins' • Should Germany Fear a Greek Exit? • Investors Withdrew $2.7 Billion From Pimco in May
global_05_local_5_shard_00000035_processed.jsonl/45069
A Catechism of Familiar Things; eBook What is an Anemometer? An instrument for measuring the velocity and force of the wind, and by which storms, at a distance, can be predicted. What is a Chronometer? A time-piece of delicate and exact construction, chiefly employed by astronomers and navigators.  It differs only from an ordinary watch in its delicate springs, in not being so much influenced by heat and cold, and consequently in its accuracy in giving the time. Do you know something about the nature of Light? Light is a mere form of vibration like sound, and like sound it requires some source to set this vibration going, and some medium to carry this vibration as air carries sound. Is not the air this medium? No, it is supposed that there is an elastic fluid called “ether” which pervades all space and matter, and if the molecules of a body are in motion they have the power of setting this ether in motion.  The movement thus produced will appear either as heat or light according to its velocity. What sources of light do you know? We are told that the principal source of light on earth is the sun, either directly with its own beams or indirectly by supplying us with combustibles to produce light; for oil, gas, candles, and most of the substances used for producing light and heat when burning are but sending forth in another form the rays of the sun which were stored up in nature’s economy. Another source of light is the result of chemical action, such as the lime, magnesium, and electric light.  A third source of light is phosphorescence, as we see it in the glow-worm and fireflies. What is the Drummond or Lime Light? It is one of the most brilliant of artificial lights.  When a stream of oxygen and one of hydrogen under pressure are brought together and mixed within a few inches of the end of a blowpipe, the mixture on lighting burns with a colorless flame possessing intense heat.  If this flame be made to play upon a ball of carbonate of lime, the lime on becoming white hot gives off a powerful incandescence.      Incandescence, the glowing whiteness of a body caused by      intense heat. What is a Blowpipe? A tube, usually bent near the end, terminated with a finely-pointed nozzle, for blowing through the flame of a lamp or gas-jet, producing thereby a small conical flame possessing intense heat.  It is used in soldering silver, brass, etc.  A mixture of oxygen and hydrogen when ignited constitutes the hydrogen blowpipe, invented by Dr. Hare of Philadelphia. What is Magnesium Light? When the metal magnesium is rolled out into a fine ribbon and heated to red heat it burns with a dazzling light. Project Gutenberg Follow Us on Facebook
global_05_local_5_shard_00000035_processed.jsonl/45096
I am confident that you brothers in parliament will champion the will of the people over that of the occupier. Muqtada al Sadr Copyright © 2001 - 2015 BrainyQuote
global_05_local_5_shard_00000035_processed.jsonl/45101
Harry Nyquist American physicist Harry Nyquist,  (born Feb. 7, 1889, Nilsby, Sweden—died April 4, 1976, Harlingen, Texas, U.S.),  American physicist and electrical and communications engineer, a prolific inventor who made fundamental theoretical and practical contributions to telecommunications. Nyquist moved to the United States in 1907. He earned a B.S. (1914) and an M.S. (1915) in electrical engineering from the University of North Dakota. In 1917, after earning a Ph.D. in physics from Yale University, he joined the American Telephone and Telegraph Company (AT&T). There he remained until his retirement in 1954, working in the research department and then (from 1934) at Bell Laboratories. Nyquist continued to serve as a government consultant on military communications well after his retirement. Some of Nyquist’s best-known work was done in the 1920s and was inspired by telegraph communication problems of the time. Because of the elegance and generality of his writings, much of it continues to be cited and used. In 1924 he published “Certain Factors Affecting Telegraph Speed,” an analysis of the relationship between the speed of a telegraph system and the number of signal values used by the system. His 1928 paper “Certain Topics in Telegraph Transmission Theory” refined his earlier results and established the principles of sampling continuous signals to convert them to digital signals. The Nyquist sampling theorem showed that the sampling rate must be at least twice the highest frequency present in the sample in order to reconstruct the original signal. These two papers by Nyquist, along with one by R.V.L. Hartley, are cited in the first paragraph of Claude Shannon’s classic essay “The Mathematical Theory of Communication” (1948), where their seminal role in the development of information theory is acknowledged. In 1927 Nyquist provided a mathematical explanation of the unexpectedly strong thermal noise studied by J.B. Johnson. The understanding of noise is of critical importance for communications systems. Thermal noise is sometimes called Johnson noise or Nyquist noise because of their pioneering work in this field. In 1932 Nyquist discovered how to determine when negative feedback amplifiers are stable. His criterion, generally called the Nyquist stability theorem, is of great practical importance. During World War II it helped control artillery employing electromechanical feedback systems. What made you want to look up Harry Nyquist? (Please limit to 900 characters) MLA style: "Harry Nyquist". Encyclopædia Britannica. Encyclopædia Britannica Online. APA style: Harry Nyquist. (2015). In Encyclopædia Britannica. Retrieved from http://www.britannica.com/EBchecked/topic/423237/Harry-Nyquist Harvard style: Chicago Manual of Style: Encyclopædia Britannica Online, s. v. "Harry Nyquist", accessed June 02, 2015, http://www.britannica.com/EBchecked/topic/423237/Harry-Nyquist. Editing Tools: We welcome suggested improvements to any of our articles. Harry Nyquist • MLA • APA • Harvard • Chicago You have successfully emailed this. Error when sending the email. Try again later. Or click Continue to submit anonymously:
global_05_local_5_shard_00000035_processed.jsonl/45102
Finno-Ugric cosmology sampo,  mysterious object often referred to in the mythological songs of the Finns, most likely a cosmological pillar or some similar support holding up the vault of heaven. In a cycle of songs, referred to by scholars as the sampo-epic, the sampo is forged by the creator-smith Ilmarinen for Louhi, the hag-goddess of the underworld, and is then stolen back by Ilmarinen and the shaman-hero Väinämöinen. They are pursued by Louhi, and in the ensuing battle sampo is smashed into little pieces, which still preserve enough potency to provide for “sowing and reaping” and other forms of prosperity. The comments of early informants reveal that the songs were part of a ritual cycle sung at a spring sowing ceremony to further the growth of grain. The conclusions of scholars such as E.N. Setälä, Uno Harva, and, more recently, Martti Haavio are more or less in agreement that sampo refers to the support holding up the firmament, a concept found in many early cosmologies. The name sampo may even be a cognate of words such as Sanskrit skambha, “pillar,” and Altaic sumbur, the “world mountain.” As the mythical axis mundi, around which the heavens revolve, all life is dependent on the sampo, which the Finnish songs depict as the source of all good. What made you want to look up sampo? (Please limit to 900 characters) MLA style: "sampo". Encyclopædia Britannica. Encyclopædia Britannica Online. APA style: sampo. (2015). In Encyclopædia Britannica. Retrieved from Harvard style: sampo. 2015. Encyclopædia Britannica Online. Retrieved 02 June, 2015, from Chicago Manual of Style: Encyclopædia Britannica Online, s. v. "sampo", accessed June 02, 2015, Editing Tools: We welcome suggested improvements to any of our articles. Search for an ISBN number: Or enter the publication information: • MLA • APA • Harvard • Chicago You have successfully emailed this. Error when sending the email. Try again later. Or click Continue to submit anonymously:
global_05_local_5_shard_00000035_processed.jsonl/45117
Here's AOL's problem in a nutshell: The dying subscription business contributes 100% of the company's profit and 25%-50% of its web traffic (which, in turn, powers the struggling ad business). Now for the details... AOL now consists of a subscription business and an advertising business.  AOL's subscription business, which is mostly the remaining dial-up subscribers, is shrinking at 25%-30% per year.  AOL's advertising business, which consists of AOL media properties, a search deal with Google, and an ad network, is shrinking about 20% per year. AOL's combined operations generated EBITDA (cash flow before capital expenditures) of $271 million in Q2, or a run-rate of about $1 billion a year.  The two businesses do not contribute to this EBITDA equally, however. AOL's advertising business is now larger than its subscription business, and it should remain so as the subscription business continues to shrink.  What most analysts don't understand, however--and what a source who recently had a look at the numbers tells us--is that the dying subscription business generates ALL of the company's $1 billion of EBITDA.  The advertising business--the business that is supposed to represent the company's future--actually loses money.  Worse, the remaining subscribers to the subscription business generate 25%-50% of the traffic to AOL's media properties (measured by pageviews and time, not by "uniques").  As these subscribers leave the service, therefore, AOL's media business faces serious headwinds. These dynamics have always been a problem for AOL, and they're the reason the spinoff of just the "access" business never made sense.  But now that the company is preparing to go public, presumably with a growth story, they're a real problem. Here's a snapshot of the current performance of AOL's businesses.  The revenue numbers are Q2 annualized (and rounded).  The EBITDA numbers are round estimates based on our source's information.  (For understandable reasons, AOL is not breaking them out). AOL Combined (Annualized based on Q2) Revenue: $3.2 billion, shrinking ~25% per year EBITDA: $1.1 billion, shrinking ~20% Revenue: $1.4 billion, shrinking ~25% per year EBITDA: $1.1 billion, shrinking ~25% per year Revenue: $1.6 billion, shrinking ~20% per year EBITDA: -$50 million Again, our understanding is that the subscription business generates 100% of the company's EBITDA and the advertising business loses money.  And it gets worse. AOL's subscription business is shrinking at 25%-30% per year.  The costs are largely variable, so AOL should be able to preserve the EBITDA in this business as revenue shrinks.  As the business shrinks, however, the EBITDA margin will gradually drop (some of the costs are fixed), so EBITDA will likely decline faster than revenue. Assuming the subscription business shrinks 25% per year for the next two years, subscription EBITDA will be approximately $800 million in a year and $600 million in two years.  At some point, the subscription business will stabilize, but probably at well below $500 million a year. Meanwhile, the departing subscribers will take a lot of the traffic to the media properties with them.  If the subscriber base shrinks by half in the next two years, the 25%-50% of the traffic to AOL's media properties these folks generate will also shrink by half.  So, all else being equal, AOL's media traffic will likely decline by 12%-25% just from the loss of subscribers (less if the subs retain and frequently use their email accounts, which we suspect most don't). The economics of the advertising business are even worse. AOL's advertising business consists of: • an ad network • a search partnership (currently with Google) • AOL media properties Specifically, based on Q2 numbers (annualized), here's what we think AOL's ad business looks like: AOL Media properties: $600 million a year, shrinking ~20% AOL Search: $600 million, shrinking AOL Ad Network: $500 million, shrinking AOL Advertising Combined: $1.6 billion The combined advertising business, as we've noted, loses a modest amount of money.  Buried in the advertising business, moreover, is a ~$600 million-a-year search payment from Google.  This search payment is presumably close to 100% profit.  This means that the rest of AOL's advertising business loses something on the order of $700 million a year.  As AOL continues to lose subscribers, moreover, the subscribers will take both search revenue AND advertising revenue with them.  The bulk of AOL's advertising business, therefore--$1.2 billion--is directly affected by the ongoing departure of subscribers.  So, all else being equal, the rest of AOL's advertising business will have to grow very rapidly merely to keep revenue and EBITDA the same. So, to reiterate, this is what today's AOL looks like: • A $1.4 billion subscription business that generates 100% of the company's profit and is shrinking 25% per year • A $1.6 billion ad business that loses money and is shrinking 20% per year • Departing subscribers that contribute 25%-50% of the ad inventory for the media business.  All else being equal, traffic from these subscribers is likely shrinking 20%-25% per year. There's not much AOL can do about the subscription business other than milk it.  If AOL does a good job of of this, it should have $500+ million of EBITDA per year from that business to play with for the next few years. The advertising business, meanwhile, needs radical cost-cutting--on the order of $300 million per year (2,000 people).  There is no way AOL's media and ad network businesses should be losing $600 million a year between them (ex the Google search payment).  AOL will therefore need to rebuild the revenue in these businesses AND cut costs.  They'll have to do this, moreover, in the face of ongoing traffic shrinkages from from the dying subscription business. Tim Armstrong has his work cut out for him.
global_05_local_5_shard_00000035_processed.jsonl/45120
MONEY MANAGER: Why I Decided To Buy Tesla When The Rest Of Wall Street Said 'Sell' en-us Wed, 31 Dec 1969 19:00:00 -0500 Tue, 02 Jun 2015 20:05:02 -0400 Linette Lopez ThomasF Wed, 15 May 2013 18:04:24 -0400 Wow. Pretty terrible article. The fact is that it was obvious in December 2012 that Tesla was going to be a hit. This fool took 5 months to figure it out, and gets credit for being less foolish than 90% of Wall Street?? His "thesis" was just lifted directly from Tesla investor forums where these issues have been discussed for years now. This guy was just the first lemming to jump on the bandwagon after it had left the station. D_XB Wed, 15 May 2013 14:40:47 -0400 They're new, just started, run a mutual fund, Smart guys, i think $35M Depraved NEW World Sat, 11 May 2013 11:23:35 -0400 More twisted morals from LIBERALISM/Nihilism gone wild. Sex is just an activity in this sick modern world's eyes. Everyone should be having shops all over...graphic sex and violence on addicts training in University....incest classes and sympathy for pedophilia....Gotta love our DePRAVED New World. Is it any wonder a man thought he could lock up three women for his pleasure and torture them when it is happening on TV constantly? <a href="" target="_blank" rel="nofollow" ></a> Angry Voter Sat, 11 May 2013 02:55:15 -0400 Chrysler got 2, GM got 1 and it turns out Ford got below market rate loans. Cash for Clunkers, immunity from anti-monopoly laws, exemption from truth in lending laws and even laws directly blocking startups from selling cars directly to consumers are just a handful of the s.bsidies the legacy car companies get. What did GM do with out tax money? They built a brand new state of the art factory in China. The oil and gas industry has been heavily subsidized since WW2 and has never carried their own weight when you consider the pollution and cost of wars they've gotten us involved in. If all the subsidies for gasoline and the legacy car companies were removed overnight they'd be out of business just like that because like the airlines and the reserve banks they have not produced a net profit as an industry in decades. They only exist because of government intervention. kasualobsvr Fri, 10 May 2013 20:00:55 -0400 "Until you get behind the wheel of a Tesla is impossible to understand," Wilcox told Business Insider. The car responds automatically. There's no lag between when you turn the key, fire the engines, and get the wheels going." I'm finding Mr. Hedgefund's quote impossible to understand as the Model S has no key to turn and there are no engines to fire. spxa Fri, 10 May 2013 17:15:45 -0400 you know that they just buy the 52 week highs.. 3 year high's i think. They're really algo shop.. If you're a money manger you make outlandish claims to get press attention and free publicity as our very own Henry Blodget did with AMZN back in the day no? What was it AMZN 400 right? kentog Fri, 10 May 2013 16:59:17 -0400 Should we just round up all the homeless people, see what they like, and then invest in that? This is an ad or this stupid hedge fund, not an article. Whole thing is stupidest analysis I have EVER seen. He says the leader will get 80% of the market and points to 2 examples. OK. How about pointing the CAR business where that is not the case. There is only 1 winner. So he put all his money on Google when it was supplying Yahoo search and sold all his Yahoo? I could go on, but hardly worth the effort. Dumbest analysis ever- Comic Book Guy james . folk Fri, 10 May 2013 16:53:29 -0400 yea but they got a huge bailout. give me 500 million and and i'll make a great company, too I mean are bailouts far? <a href="" target="_blank" rel="nofollow" ></a> no they aren't kentog Fri, 10 May 2013 16:43:13 -0400 Anybody know Longboard's long term returns? clickbot Fri, 10 May 2013 16:39:39 -0400 He didn't disclose exact numbers? Did he disclose his long term stock picking performance outside of Tesla? Did you think to ask, Linette? "When a homeless man is drooling over your vehicle ... ". This is one of the most insensitive and preposterous statements I have ever read. Your seasoned response? "Fair Enough".
global_05_local_5_shard_00000035_processed.jsonl/45155
Is Hulu Scared of the Big, Bad Advertising? Last Updated May 5, 2009 1:48 PM EDT Many reasons to read Staci D. Kramer's interview with Hulu CEO Jason Kilar at -- particularly now that Disney has bought a stake -- but her best question was why she sees so many damn PSAs on Hulu instead of real, revenue-generating ads. (OK, she didn't put it quite that way.) Kilar didn't really respond to the question, saying: That's really great, but let's back to the central question, why isn't Hulu selling more ads? The business model should be relatively simple, even if Hulu, like other video-streaming services, sticks to the belief that it's offensive to run anywhere near the same amount of ads as a viewer might see on regular TV. Here's why: Hulu, like many newer online companies, suffers from an irrational fear of advertising. Look all around, and you'll see what I mean. The thing that Facebook, Twitter, and, yes, Hulu, all have in common is that somewhere, in the back of their heads, they think advertising is evil. Otherwise, they would have found ways to make money from advertising a long time ago. Dan Frommer, of Silicon Valley Insider's Business Insider posited today that, "Even with an awesome product and ad sales team, it seems it would be hard to fill Hulu's fast-growing inventory." With all due respect, I just don't believe it; in fact, it should be much easier for Hulu to monetize its content than Twitter or Facebook because advertisers have already made the ad units ... they're called commercials. With the exception of the need to edit a :30 down to a :15 every now and then, the heavy-lifting is done. (I should add that advertisers don't necessarily do themselves any favors either, being too questioning of metrics.) In fact, I just clicked on ten of what should be Hulu's easiest content to monetize -- its Most Popular Episodes -- and only 40 percent had advertising. You mean you can't sell ads off of "Family Guy" or "The Office"? Not that the following is a bad idea, but it's somewhat typical that the most prominent ad I saw on Hulu today (above) was this countdown to a commercial-free Hulu primetime, sponsored by McDonald's McCafe. If that doesn't demonstrate fear of advertising, I don't know what does. Live Video Market Data Watch CBSN Live Watch Now Market News Stock Watchlist New Android App The all new CBS News App for Android® for iPad® for iPhone®
global_05_local_5_shard_00000035_processed.jsonl/45181
Introduction to Linear Algebra 1st Edition Introduction to Linear Algebra • Authored by verified experts • Available on iOS, Android & web Chapter: Problem: Consider the linear system a.Define the coefficient matrix Afor the linear system. b. Find det(A). c.Is the linear system consistent? Explain. d. Find all solutions to Ax= 0. e.Is the matrix A invertible? If yes, then find the inverse. f. Solve the linear system. • Step 1 of 1 1. a. b. det(A) = -8 c. Since the determinant of the coefficient matrix is not 0, the matrix is invertible and the linear system is consistent and has a unique solution. d. Since the linear system Ax = b has a unique solution for every b, the only solution to the homogeneous system is the trivial solution. e. From part (b), since the determinant is not zero the inverse exists and f. The solution can be found by using the inverse matrix and is given by What is Chegg Study? With Chegg Study, you get step-by-step solutions to the odd and even problems in your textbooks, including Introduction to Linear Algebra - 1st Edition and 9,000+ others. You can also ask subject matter experts your toughest questions 24/7. Textbook authors: Daniel Gagliardi, James DeFranza ISBN: 0077460219 ISBN-13: 9780077460211 View all editions 81% of students said using Chegg better prepared them for exams 2013 Chegg Homework Help Survey • Where do solutions come from? • What comes with membership? • What subjects are covered? Get Study Help from Chegg
global_05_local_5_shard_00000035_processed.jsonl/45182
a 30hp,240V, 1150 r/min shunt motor operating at rated conditions has an efficiency of 88.5 percent. The motor parameters are Ra=0.064 ohm RIP=0.0323 ohm and Rf=93.6 ohm. Determine(a) rated shaft torque, (b) mechanical power developed, (c) developed torque at rated value,(d) external resistance required in series with the armature circuit to limit the loacked rotor current to 175 percent rated armature curent, (e) developed torque for the conditions in part (d) Want an answer? No answer yet. Submit this question to the community.
global_05_local_5_shard_00000035_processed.jsonl/45183
Which statement best describes what happens to the carbon atom in formaldehyde as a result of the hybridization process? a. The electrons in the neutral carbon atom are redistributed so that there are three lone electrons in the three 2p orbitals and one lone electron in the 2s orbital. b. Hybridization of carbon results in the breakup of an electron pair and a slight increase in the overall energy of the system. c. The geometry of the sp2 hybrids points at the corners of an equilateral triangle. d. Carbon’s 2s and 2p orbitals are hybridized, resulting in three hybrid sp2 orbitals and one (non-hybridized) pz orbital. Each new orbital has one lone electron assigned to it. Get this answer with Chegg Study
global_05_local_5_shard_00000035_processed.jsonl/45184
Cryptography and Network Security 5th edition Principles and Practice Cryptography and Network Security 5th edition 9780136097044 0136097049 Details about Cryptography and Network Security: William Stallings' Cryptography and Network Security: Principles and Practice, 5e is a practical survey of cryptography and network security with unmatched support for instructors and students. In this age of universal electronic connectivity, viruses and hackers, electronic eavesdropping, and electronic fraud, security is paramount. This text provides a practical survey of both the principles and practice of cryptography and network security. First, the basic issues to be addressed by a network security capability are explored through a tutorial and survey of cryptography and network security technology. Then, the practice of network security is explored via practical applications that have been implemented and are in use today. An unparalleled support package for instructors and students ensures a successful teaching and learning experience. The new edition has been updated to include coverage of the latest topics including expanded coverage of block cipher modes of operation, including authenticated encryption; revised and expanded coverage of AES; expanded coverage of pseudorandom number generation; new coverage of federated identity, HTTPS, Secure Shell (SSH) and wireless network security; completely rewritten and updated coverage of IPsec; and a new chapter on legal and ethical issues. Back to top Rent Cryptography and Network Security 5th edition today, or search our site for William textbooks. Every textbook comes with a 21-day "Any Reason" guarantee. Published by Prentice Hall.
global_05_local_5_shard_00000035_processed.jsonl/45188
Texian Iliad 1st edition A Military History of the Texas Revolution, 1835-1836 Texian Iliad 0 9780292731028 0292731027 Details about Texian Iliad: Hardly were the last shots fired at the Alamo before the Texas Revolution entered the realm of myth and controversy. French visitor Frederic Gaillardet called it a "Texian Iliad" in 1839, while American Theodore Sedgwick pronounced the war and its resulting legends "almost burlesque."In this highly readable history, Stephen L. Hardin discovers more than a little truth in both of those views. Drawing on many original Texan and Mexican sources and on-site inspections of almost every battlefield, he offers the first complete military history of the Revolution. From the war's opening in the "Come and Take It" incident at Gonzales to the capture of General Santa Anna at San Jacinto, Hardin clearly describes the strategy and tactics of each side. His research yields new knowledge of the actions of famous Texan and Mexican leaders, as well as fascinating descriptions of battle and camp life from the ordinary soldier's point of view.This award-winning book belongs on the bookshelf of everyone interested in Texas or military history. Back to top
global_05_local_5_shard_00000035_processed.jsonl/45189
The American Congress 6th edition The American Congress 6th edition 9780521749060 0521749069 Details about The American Congress: The American Congress provides the most insightful, up-to-date treatment of congressional politics available in an undergraduate text. Informed by the authors' Capitol Hill experience and nationally recognized scholarship, this book presents a crisp introduction to all major features of Congress: its party and committee systems, leadership, and voting and floor activity. The American Congress has the most in-depth discussion of the place of the president, the courts, and interest groups in congressional policy making available in a text. The authors blend an emphasis on recent developments in congressional politics with a clear discussion of the rules of the game, the history of key features of Congress, and stories from recent Congresses that bring politics to life. No other text weaves into the discussion the important ideas of recent political science research. The book includes the most comprehensive list of suggested readings and Internet resources on Congress to date. Back to top
global_05_local_5_shard_00000035_processed.jsonl/45190
The Increment 1st edition A Novel The Increment 1st edition 9780393338317 0393338312 Details about The Increment: Harry Pappas, chief of the CIA’s Persia House, receives an encrypted message from a scientist in Tehran. But soon the source of secrets from the Iranian bomb program dries up: the scientist panics; he’s being followed, but he doesn’t know who’s on to him, and neither does Harry. To get his agent out, Harry turns to a secret British spy team known as “The Increment,” whose operatives carry the modern version of the double-O “license to kill.” But the real story is infinitely more complicated than Harry understands, and to get to the bottom of it he must betray his own country. Back to top
global_05_local_5_shard_00000035_processed.jsonl/45205
""; ?> Back in the USSR by Beatles - guitar chords, guitar tabs and lyrics - chordie Back in the USSR Flew in from Miami Beach, B.O.A.C, didn't get to sleep last night On the way the paper bag was on my knee, man I had a dreadful flight Back in the USSR, don't know how lucky you are, boy Back in the USSR Been away so long I hardly knew the place Gee it's good to be back home Leave it to tomorrow to unpack my case Honey disconnect the phone Well the Ukraine girls really knock me out They leave the west behind And Moscow girls make me sing and shout That Georgia's on my mi-mi-mi-mi-mi-mi-mi-mi-mi-mi mind Show me round your snow-peaked mountains way down south Take me to your daddy's farm Let me hear your balalaikas rining out Come and keep your comrade warm A7 Bb C C7 D7 Em G Gm variations - click chord images Transpose chords: Cool service: View: Size: A  A  A • Currently 2.9/5 Stars. • 1 • 2 • 3 • 4 • 5 • Currently 2.7/5 Stars. • 1 • 2 • 3 • 4 • 5 click stars to rate Login to add this song to your songbook IMPORTANT: The song above is NOT stored on the Chordie server. The original song is hosted at guitarsongs.info on their BEATLES page. Chordie works as a search engine and provides on-the-fly formating. Chordie does not index songs against artists/composers will. To remove this song please click here. login to add comments/video/corrections nordan (report comment to admin): A- D -C- D Bridge: E - G - A Middle eight: D A D - D7 - Am - B7 Reprise : A -D -C -D"
global_05_local_5_shard_00000035_processed.jsonl/45206
""; ?> Brown, Greg guitar chords, guitar tabs and lyrics - chordie Filter the songs: Show all songs Show only songs that are easy to play Show only songs with formatted chord grids Show only songs with tabs Chordie needs editors! Improve this page Greg Brown His work has been recorded by others, most notably Joan Baez, who covered his song "Rexroth's Daughter" on Dark Chords on a Big Guitar. On November 21, 2002 he married the singer-songwriter Iris DeMent?. His daughters (from a previous marriage) are also musicians. • Hacklebarney (1974) (with Dick Pinney) • 44 & 66 (1980) • Iowa Waltz (1981) • One Night... (1983) • In the Dark with You (1985) • Songs of Innocence and of Experience (1986) • One More Goodnight Kiss (1988) • ... license: GNU FDL source: Wikipedia 5 popular songs
global_05_local_5_shard_00000035_processed.jsonl/45210
Creative ideas for a 15 month old. Lindsay - posted on 02/08/2010 ( 3 moms have responded ) We have been stuck in the house because it is toocold to go anywhere. We are starting to get a little crazy. Anybody have any ideas for fun things to do inside? View replies by Tara - posted on 02/08/2010 I go through the same thing at home with my daughter. It seems like we do the same things all the time. What I try to do is just keep switching up what she has available to play with. Storing a few toys in the closet for a few weeks will make them seem more "new" to her when you take them out again. Also, adding little variations to everyday activities make playtime more fun. My daughter loves to color!!! So I introduce her to differnet things to color with and we've also incorporated coloring into bath time with bath crayons!! Make home made instruments and make up your own songs.... Add photo's to your child's art work and bind together with tape or string to make their first scrapbook... Adding color to bubble bath makes fun colored bubbles to enjoy during bath time..... Make forts with blankets, sheets, and your furniture..... Play hide and seek.... Hope these help and best of luck till spring!!! Kelly - posted on 02/08/2010 If there is snow outside, bring it in the house (say on the kitchen floor) in a rubber maid type bin and play with it (with measuring cups, spoons, toys, etc.) I bought a cheap shower liner to put on the floor so my messes were easier to clean up. Make a tent out of sheets, "finger paint" with chocolate pudding, blow bubbles inside...hope these help! Mary - posted on 02/08/2010 Well most people wouldn't say this but me and my 14 month old color and finger paint, as long as you keep a close eye and use non toxic supplies you can do almost anything from handprints to footprints and so on. She loves getting her fingers messy. LOL We also roll balls back and forth and play "airplane". Join Circle of Moms Join Circle of Moms
global_05_local_5_shard_00000035_processed.jsonl/45211
Global Governance, Global Culture, and Multiculturalism Kazimierz Krzysztofek (Warsaw School of Advanced Psychology, Poland) Abstract: A pivotal change has occurred: the great national cultures no longer govern the circulation of culture worldwide. True, the larger nation states still maintain their "cultural diplomacy" machinery (though continually reducing the related expenditures), but their influence on the circulation of culture is next to negligible. High-powered economic mechanisms actually dictate the rules of the game. Hierarchical, central culture-peripheral culture relationships have been replaced by global culture-local culture relationships, with local cultures here standing for any identity-based culture (national, regional, etc.). This paper points out five responses of local cultures to globalization, factoring in both internal and international concerns, and in conclusion addresses the fragility of culture-related issues and the long road ahead toward maturation of a global consciousness. Résumé: Un changement clé a eu lieu: les grandes cultures nationales ne dominent plus la circulation de la culture dans le monde. Il est vrai que les plus grands états-nations maintiennent leur machinerie de « culture diplomatique » (en réduisant cependant les dépenses qui s'y rapportent), mais leur influence sur la circulation de la culture est devenue presque négligeable. De puissants mécanismes économiques fixent couramment les règles du jeu. Les rapports hiérarchiques entre culture centrale et culture périphérique se sont fait remplacer par des rapports entre culture mondiale et culture locale. Dans ce contexte, on entend par culture locale toute culture identitaire (nationale, régionale, etc.). Cet article indique cinq réponses à la mondialisation de la part de cultures locales tout en tenant compte autant de problèmes internes qu'internationaux et, pour conclure, commente sur la fragilité de questions culturelles et le long chemin à parcourir jusqu'à l'avènement d'une conscience globale. At the beginning of the 1990s, cross-border social processes appeared clear-cut: globalization, including - perhaps especially so - the globalization of culture, appeared a foregone conclusion. It looked like a megatrend that would swamp everything else, as had been the case with modernization, a form of Westernization of the world that in the second half of the twentieth century swept the whole globe and, local setbacks notwithstanding, has burgeoned in all civilizations and cultures. This conviction lay at the heart of Francis Fukuyama's (1992) end-of-history paradigm presaging the global triumph of liberal democracy and market economy, and the progressive disappearance of ethnic feuds, religious conflicts, and other cleavages growing out of the "bad history." The end of history, however, must not be understood as the "halt of the history clock" and cease of the course of events, but as a resultant direction dominating over contradictory particularizing vectors - a tendency leading to a globalized world. But belief in the one-way thrust of this process - the triumph of liberal democracy, economics, and culture - was dented by the writings of Samuel Huntington (1996), which created no less of an intellectual stir, prophesying not an end of history but a clash of civilizations from which the West as a civilization and culture was not necessarily destined to emerge victorious.1 At the time, the end-of-history vision was judged to be the most desirable outlook for America and the world ("What's good for America is good for the world") and Huntington's prognoses and diagnoses were seen as the most sinister version of international processes since the end of East-West ideological conflict, as a sui generis writing on the wall. Samuel Huntington's writings put into question the universality of civilization. In his view, the conflict between civilizations is the key to understanding the world. A modus vivendi between them - a consensus rather that a common denominator of values - creates the only hope for world order. Huntington develops a postideological, as well as culturalist, vision of civilizations - a pluralistic, not universalistic, one. He presaged that the world would need policentrism rather than universalism. The myth of an end of history and of "velvet revolutions" adhering to its spirit was shattered with the break-up of Yugoslavia and the outbreak of inter-ethnic conflicts in many parts of the world (Bosnia, Kosovo, Somalia, Rwanda, Burundi). The clash-of-civilizations formula proved a useful guide to interpretations of the sources of conflict, though as such it tended to be overworked. End of history has since lost its lustre even though the appeal of a world without ideology, militant ethnicity, nationalism, and particularism of all stripes was so strong that no effort was spared to give it the semblance of reality. The Huntington paradigm ran into criticism as vigorous as Fukuyama's, though, obviously, its sources were different. Huntington was accused of making a fetish of conflict and negating the historically self-evident fact that relations between "differing" societies have not been confined solely to rivalry and struggle, but have also been examples of diffusion, imitation, and interpenetration of values, in short, of co-operation and dialogue. Without these, there would be no cross-cultural communication. It is an aspect of international discourse to which attention has been drawn as far back as almost a century ago by the eminent sociologist Marcel Mauss. Thus, as an explanation of the world's contours today and the megatrends of the future, the formula proposed by Huntington is not enough, but neither is the simple formula of single-vector globalization of culture à la the end-of-history thesis. There is no single dominant force unambiguously designating the direction of the resultant situation. How do we operate in this situation? Global governance Globalization involves a grand restructuring of the world, a global postindustrial revolution. It is the first social process in history which - with the possible exception of any undiscovered tribes in the backwoods of Amazonia or Papua New Guinea - affects all people whether they know it or not. Its impact is greater than the buffers or breakwaters formed by the states which have hitherto mediated in many international processes. The question that remains to be answered is: What kind of order is needed to extend development and security to the whole planet, to ensure "global governance"; that is, maintenance of social order world-wide, in which there is no world government and responsibility rests on no actor alone? (Simai, 1994). The problem is that in each particular sphere - economic, political, social, and cultural - we are dealing with differing epochs or, as it might be, differing velocities. The market is the most universal social institution, which accounts for this drive to globalization, whereas a universalism of perspectives on human rights, human security, liberty, etc. is still far down the road. Consequently, it is hard to visualize a democratic global government or global civil society coming into being and taking on the task of such global governance. Yet, sooner or later someone has to do this, someone has to create an order that guarantees a minimum of international justice. The system for managing global affairs that evolved during the reign of bipolarity has undergone partial erosion. One of the elements has been the United Nations, in scope and function the most universal organization of its kind in history, but for a host of reasons it has been incapable of discharging this task. At present we see a new generation of human rights acquiring increasing significance. Hitherto, the order in place was founded primarily on a political rights regime, reinforced by social and economic rights, though these were not generally accepted as part of the canon. Now, with the advent of the "age of identity" there have been calls for an acknowledgment of the claims of collective, community rights. These are not rights that are popular with global business since they smack of "jihad." The West, in particular the United States, opts to accord priority to individual rights as the cornerstone of human rights in general. This is also a matter of sanctifying individual property rights (which today mean, first and foremost, intellectual rights), the bedrock on which the edifice of capitalism rests. The state is needed for the purpose of ensuring respect, among other things, for these rights. Human rights are one of the two regimes (i.e., systems of rules) on which the framework of a new order is being built. The Decalogue of human rights is grounded in the canon established in the West, from an American perspective, at any rate: the individual is autonomous, universal human rights are the basis of social organization, violations of these are a threat to peace, and their implementation on a global scale is the obligation of the international community which is legitimated to exact compliance. The second regime is the trade regime presided over by the World Trade Organization. Its basic principles are: non-discrimination, reciprocity of privileges, open markets, privatization, and liberalization - the Western liberal trade model. In addition, according to some scholars (e.g., Puchala, 1999), one can already speak of a third regime taking shape: it is a political regime based on conditional national sovereignty and the possibility of intervention in internal affairs, the will of a group of states to enforce observance of the rules manu forte (strong arm) and to uphold United Nations legitimacy, liberalism, democracy, and political-ideological forms of government consistent with these principles. These regimes derive from the Western catalogue of values and institutions. Of these, the trade regime (the meaning application of free-market rules on a global scale) seems to possess the highest degree of legitimacy, although as a result of decentralization of the world economy it is becoming very hard to employ economic leverage as a means of coercing governments into not only compliance with rules of commerce but also respect for human rights (although the WTO and the World Bank are trying hard). The other two regimes enjoy a smaller range of powers, although the hierarchical nature of international politics (the role of the U.S. and NATO) means they exhibit a higher level of capacity to enforce observance of rules. Questions that need investigating are: how this order works, how stable it is, to what extent is it accepted, how does it manage the amplitude of universality and pluralism, and, perhaps most crucially, what are the institutions which bear the burden of its operation and what is the legitimacy of the international regimes on which it rests. Answers to these questions will have to reflect regional and national differences. Will these regimes make it possible to cope with global problems? Can any assistance in this come from global culture which does not function in any formal regime, but instead is part of both the trade regime (commercialization of culture flows) and the human rights regime (cultural rights)? This is a subject still awaiting investigation but there are one or two points that can already be made in this context. They relate to the problem of the imposition of cultural models of consumption by the whole machinery of advertising and other media of mass persuasion, initiation into social roles, and the uses of these as a remedy for nationalism: in short, the "processing" of everyone into consumers, thereby obtaining expected behaviours and ensuring predictability of reactions by people for whom consumption becomes a common cultural code (Krzysztofek, 1999). Briefly, the world media inundate our minds with symbols which are functional for the corporate world, persuading us that progress means consumption. David Rothkopf (1997) has actually argued that culture in this fashion is very necessary to the world because, as Thomas Friedman (1999) has written, countries in which there are McDonald's do not wage wars against one another. In other words, as Ignacio Ramonet (1999) observes ironically, the solution to war would be to buy everyone Big Macs and build them Disney Worlds. The problem is, however, more complex. A cultural regime could be said to exist only if there were a considered strategy for its implementation. But for the moment it is, as noted earlier, subsumed into the trade regime since culture is simply a business and the desired ideological effects are achieved as it were incidentally. However, the lesson of history is that as well as political power (direct coercion) and economic power, the governing have always made use of symbolic power, of the power to impose collective representations (representational power), something that churches have long understood. Why should things be any different today? The rules of a cultural regime are, however, unwritten ones. According to Johann Galtung (1999), the overarching principle of a cultural regime's operation is the capacity of the Western world for expansion. Implementation of this principle is pursued by a wide variety of institutions which, although their specific province is economics, operate in the symbolic, educational, informational, and cultural spheres: Hollywood, Disneyland, Madison Avenue, and so on. Consistent with such an approach, the blueprint for global governance could also include "consumerist infection," China being a case in point, as its citizens have never in the past been colonized spiritually. The aim would be to overwhelm people (e.g., Islamic, Chinese) with consumerism. Even if it fails to penetrate the bedrock layers of culture, consumerism supplies them with a popular philosophy of life. This can prove to be strategically more important than military or economic warfare, which are, in any case, not very effective weapons against China. Global culture In attempting to explain more clearly what is meant by global culture, one finds there are a large number of far-from-clear-cut definitions to choose from. It can be defined as the synergetic effect of market forces, technology, and freedoms of movement, a contemporary variant on the well-known theme of cultural diffusion, which for centuries has been a subject of study. We cannot know for certain, since we cannot empirically determine, whether the expansion of global culture is an organized process or random diffusion. For that matter, this is true for globalization in general. The conventional wisdom is that globalization is primarily "a spontaneous civilization process, not a development strategy" (Szacki, 1998, p. 64). On the available evidence it appears, however, to be driven primarily by economic mechanisms, though political profits are usually also part of the equation. The creation and spread of global culture is governed by a Decalogue: commercialization, liberalization, deregulation, privatization, advertising, innovation, operation as a global actor, generation of new needs, translation of everything into imagery and spectacle, and combating of intellectual piracy. Global culture does not perform any mission of stimulating cultural development, solidifying identity, or developing cross-cultural communication, and it is not concerned with improving people; it aims at earning its keep and paying its way. Its patrons are the consuming public world-wide. America has a large stake in promoting global culture since it is a prominent part of its own commerce. In fact, global culture actually serves to promote American economic interests: in U.S. exports, the audiovisual industry occupies second place behind aerospace and ahead of foodstuffs. This is a function of the structure of the American market, over half of which consists of non-material, symbolic goods (media, culture industries, entertainment, software, education, advertising, goods transferred via networks, etc.). Hence the enormous pressure exerted by all American agencies - from the federal government to the corporate world - for protection of intellectual property. It is a matter of protecting jobs, wealth, and power. This, of course, forms only part of the picture. Global culture no less than any other culture, even when part of a global regime, performs certain ideological-cum-symbolic functions which, in my opinion, play a significant part in shaping world order and global governance. In light of the interrelationships between consumption, economics, and ideology, it is very clear that the demarcation of culture as an autonomous sphere vis-à-vis economics no longer makes any sense: it has, quite simply, become a thing of the past. Here we can see what a dead letter the Marxian paradigm of base and superstructure now is: base is becoming superstructure and vice versa. Hollywood's products are a potent instrument of ideological persuasion but at the same time are excellent business. The only question is: which is subservient to which? For what we are looking at here is not only the economization of culture (its subordination to the marketplace), something we have known about for a long time, but also a substantial element of reculturization of economics: there is, simply, a lot of money to be made from consumer culture. Seen by audiences all over the world, Titanic netted its producers close to two billion dollars (10% of this sum was consumed by its budget), assuring the thousands of people involved in making it a comfortable existence. Hundreds of thousands of ethnic cuisine restaurants make their money not only from processing culinary matter but also from selling a more or less authentic multiculturalism. Yet multiculturalism is surely more than a cuisine: it comprises the flavours, sounds, and smells of cultures exploited by the tourist industry, the most commercialized nomadism in world history.2 However, globalization in culture denotes something more than, in George Ritzer's (1993) phrase, "the McDonaldization of society." Global culture permeates local cultures, resulting in new configurations. The situation presents us with colonization and resistance, with homogenization as well as local hybrid forms and identities. Global culture "fabricates" both hybridism and multiplicity and so is a phenomenon occurring at a variety of levels and generating co-operation, tensions, conflicts, and all sorts of interflows (Kellner, 1998). Responses of local cultures to globalization The history of socio-cultural change provides many examples of ways in which established cultures respond to invasion by a new culture. A great deal of interesting empirical material can be found in the course of modernization processes in the underdeveloped world. In the case of global culture, we likewise have a large number of scenarios to ponder, including the following five: complete acceptance of global culture; total rejection of global culture; selective adaptation; hybridization; and cultural dualism and pluralism. The kind of exemplars that eventually crystallize from these will in no small degree determine the contours of world order and global governance in this century. 1. Complete acceptance of global culture, meaning simple adaptation. Change will triumph over continuity. This applies, in particular, to young people receptive to change, ready to embrace new lifestyles, and fascinated by consumption, in short, susceptible to its demonstration of higher life standards psychologically coupled with the irresistible will to imitate. This is a powerful globalizing force. As studies of the contents of hypermarkets in various parts of the world have shown, half the products come from the same multinational corporations supplying the same name-brand symbols. An Indian film producer has described the adoption of outward forms of culture by young Indians watching American movies, not only in their manner of dress but also in their way of walking. Hence, a not unreasonable suspicion arises that along with these forms, ideas and elements of ideology are also absorbed (Jameson, 1998). Culture scholars see in this a generation factor: an overpowering drive by young people for emancipation from traditional repressive cultures, and a constant need to deconstruct and reconstruct one's identity. In the multiple-freedom and multiple-choice environment provided by the world of consumption, change of identity exerts an enormous influence on the behaviour of individuals and, in consequence, on the behaviour of societies. If the Burundians or Rwandans were consumer societies, there might not have been any ethnic massacres, no eruptions of atavistic tribal hatreds. There is, however, a weak point in this argument: How do you make consumers out of young people condemned to poverty and the frustration bred by the demonstration effect of the consumer lifestyle and the imitation effect that goes with it? 2. Total rejection of global culture, or lack of adaptation, indicates that people view consumer culture as a threat. In this case, continuity prevails over change. The core of indigenous culture - what Edward Shils (1970) calls the central value system - determines all the bearings of people's activities: normative (morality, moeurs), expressive (art), cognitive (education, knowledge), and instrumental (production). In this case, the generational factor also plays a role: older people are more resistant to change. By and large, this is the experience of cultures which are mentally furthest removed from and hostile towards the West. Generally, it involves rejection but it can also take the form of active opposition not far short of what Benjamin Barber (1995) has labelled "jihad," or a "holy war" against the West waged on a cultural battleground. 3. Selective adaptation, or partial acceptance and partial rejection. This is one of the most psychologically interesting and complex cases. People are attached to their cultures, its values, norms, and institutions, but willingly embrace the outward forms of consumer culture: dress, modes of entertainment, music, etc. The snipers in Sarajevo wore jeans of the same brand as their targets; the executioners in Bosnia tortured their victims while listening to rap and heavy metal. During the wars of the Middle Ages, from both enemy camps there resounded the same Te Deum. In the most general terms, it can be said that when selective adaptation occurs, consumer culture fails to penetrate the deepest layers of the identity-based culture and manifests itself only in outward guises. Huntington (1996) seems to be right when he argues that a Chinese or Iraqi eating a Big Mac or pizza does not cease to be Chinese or Iraqi. The impact of global culture here is only of a modifying, not transforming, nature. This is characteristic of the majority of changes which do not grow out of the soil of indigenous culture but rather are an effect of cultural diffusion. 4. Hybridization, or co-adaptation of cultures, meaning a compromise between the local, the national, the ethnic, etc. and the universalism of consumer culture. Some examples of such metissage are by no means uninteresting amalgams, others are more reminiscent of inter-species "bastardization" of cultures. According to the Mexican anthropologist Néstor García Canclini (1992), globalization promotes eclectic forms and borrowings which lead to the proliferation of a new species of cultures. Consequently, one of the complaints against global culture - that it is responsible for corrupting identity-based cultures - is misplaced since that has been the nature of cultural processes for thousands of years. 5. Cultural dualism and pluralism, or two or more levels of culture. This scenario depicts the most desirable impact of global culture in which identity-based cultures remain intact. People within the orbit of global culture are not deprived of participation in national, ethnic, or local cultures. Global culture creates a universal communications code, which is especially necessary for transacting business in a multicultural world. Such a positive dualism is characteristic of educated women and educated men who, on the one hand, are expert in decoding the symbols of global culture and, on the other hand, remain rooted in their own values and symbols. Since they have not renounced culture, they do not feel out of place among strangers because they entertain no prejudices towards them. Jean-Jacques Rousseau wrote of such people with respect and fondness, describing them as "grands spirits" rising above the imaginary barriers dividing nations. What we have in this situation is not hybridization but two orders of values and models. Examples of this kind of dualism can be found in the cultural reality of America where people are not condemned to the alternative of either participation in a national culture or total commitment to their own identity-based cultures at the cost of exclusion from the wider universe. These two strands of culture are perfectly complementary. The United States, Canada, and a number of other immigrant nations enjoy a distinctive situation - they are home to a cross-section of almost all cultures, which makes them a kind of pluralistic "world in microcosm." The situation in Europe and many non-European countries has been historically different: majority-minority relationships have created cultural unrest. Even if adherence to one's own culture was not suppressed, it usually carried the risk of forfeiture of life-chances. The American model of multiculturalism is one of the dynamos of U.S. expansion: Americans simply have the capacity to accommodate diversity and, as a result, there is less distance separating them from the majority of our globe's cultures. Managing multiculturalism and multi-ethnicity is one of the most important factors of social order internally and internationally. It is estimated that the number of ethnic minorities in the world's 200-odd states exceeds ten thousand (minorities account for several percent or more of the population in 90% of these states) and that some 5% of people do not live in the countries of their birth. This means that the turn-of-the-millennium world has, due to ever-denser communications networks, among other things, attained an unprecedented scale of diversity, paradoxically, in step with progressive globalization. For many reasons, however, our experiences with political strategies of multiculturalism do not inspire optimism. And ethnic policy is becoming increasingly ineffectual because throughout the world the private sector is swallowing up ever more areas of our lives and thereby rolling back the public sector, for centuries the agora of societies. This is complicating implementation of political strategies of multiculturalism. So far, a variety of strategies, some relatively humanitarian, others less so, some positively inhumane, have been tried: 1. Ethnic cleansing, i.e., expulsion of a weaker, though not necessarily smaller, group from a commonly inhabited territory. 2. Assimilation, i.e., forcible integration combined with depriving a minority of three rights now recognized as standard: use of its mother tongue, cultivation of its culture, and use of its own spelling of personal names. 3. Sanctioned ethnic pluralism, i.e., observance of the liberal principle of "live and let live" embedded in the Anglo-Saxon tradition which ensures a certain range of freedoms but usually does not promote social integration; indeed, it often leads to the exclusion of ethnic communities from civil society or even to their ghettoization and reduction to Bantustan or underclass status, to de facto apartheid. 4. Civic integration paired with respect for the "right to be different." This is what is advocated in almost all the formulated models of desired multiculturalism to be found in international documents (United Nations, UNESCO, Council of Europe, and European Union). The recommendations set out in them are presented as the highest and most "politically correct" standard for democracies which wish to make people civically equal while not making them culturally alike. It clearly follows that for this multiculturalism strategy the most desirable form the influence of global culture could take is one which does not undermine identity-based cultures, the sense of belonging to a community, citizenship, and individual-community relationships. The question is: Is it realistic? The experiences of the 1990s (Bosnia, Kosovo) demonstrate that some states are unwilling, or unable, to cope with these problems and that observance of the human rights regime has to be exacted by force, which often proves ineffective. So a question worth asking is: what instruments are there that can effectively ease or resolve the related and proliferating tensions and conflicts, and can this problem be solved by political means or is there perhaps some other way? My hypothesis is as follows. The market by no means has to be dysfunctional for multiculturalism; indeed, it can even promote it. Such a hypothesis is sharply at variance with the prevailing one which is that the market, as the vehicle of globalization, destroys identity, regiments cultures, eliminates differences, imposes dominance, Americanizes, McDonaldizes, etc. More detailed analysis shows that the problem is more complex. Many arguments can be found to support a claim that differentiation is coming about precisely as a result of globalization. To reduce it to a homogenizing role is to oversimplify the essential nature not only of the contemporary market, or markets, but also of culture. Such an approach dates back to the days when, for many postwar years, modernization, that is, Westernization of the world, was indeed a mega-trend. However, the idea that the market tends towards regimentation of cultures has its roots in a period when it was busy "manufacturing" mass society and Western cultural imperialism. There are many indications that this diagnosis is no longer valid and the age of mass society is drawing to a close. Just as the market and technology of the pre-industrial age produced mass society, so too is the synergetic effect of the market and technology plus freedom creating a post-mass society. To preserve mass society would now be pointless; it would go against the grain of the new technology and market for which freedom is more functional. The obsolescence of "McDonaldization" or "coca-colonization" of the world is therefore self-evident in the light of actual processes. Global culture is not only a mass phenomenon but also a highly individualized one. Its newest aspect, associated with the changing nature of markets and the potential of technology, is essentially a post-mass phenomenon. Culture is capable of satisfying the most individualized tastes, among other things, thanks to the Internet. The late-capitalist market is not only about maximization of profit but also about differentiation (Firat, 1995). To use another oxymoron, we could label this fraglization or globalized fragmentation, that is, a combination of fragmentation and globalization. Global culture is "manufacturing" not only a "global village" but also "villages on the globe." Maximization of profit often also denotes maximization of differentiation. Post-mass culture is, to use a convenient piece of shorthand, "individualization of the consumer's address," or customization, since the contemporary market is primarily about consumption. Some scholars (Firat, 1995) argue that the boom in consumption of culture is at present attributable to the fact that people, especially in the Western world, are tending less and less to belong to a culture and to an ever greater degree becoming no more than its consumers. Belonging denotes a repressive role of culture, as well as roots, attachment to norms, resistance to anomie, while consumption is liberation not only from repressiveness but also from the operation of culture-supplied norms. Multinational corporations produce diversity and assisted in this by the ideology of the aforementioned "political correctness" with its imperative of respecting diversity and paying court to otherness (Gitlin, 1995). In America they now refer to "moral markets," that is, the selling and promotion of moral norms via advertising, marketing, public relations, and so forth which try to avoid offending any minority, are environmentally friendly (natural and social), and are required to instill patterns of consumption consistent with such an axiology, which is what the market wants today (Hoffman & Novak, 1996). However, "production of multiculturalism" by the market has little in common with what cultural policymakers would like to see as the desired multiculturalism that performs integrative functions. It is a fair guess that marketization of culture is perceived by the ideologues of late capitalism as an essential component of the cosmopolitanism needed by the multiethnic West: Its job is to serve up values which insure against ethnocentrism and intolerance and can further the process of adaptation to the market and an open society. Such a culture is thought to possess therapeutic qualities. It is expected to teach open-mindedness and how to live without blocks, to awaken the need to achieve, and to look forward into the future, in short, to act as a "cure for history." The alternative to such multiculturalism can only be a bellicose "jihad" waged in part as a response to McDonaldization. Consumption and multiculturalism strategies prompt the question: What is the nation becoming? Is it still a community into which each person is born or does every generation have to renegotiate the terms of being a nation and protecting national culture? Multiculturalism requires a common symbolic code. Without such a code it is more expensive because it becomes unpredictable. As Andrzej Walicki (1997) has observed, "the big multinational corporations need people who are flexible, easy to transplant, uninhibited by national loyalties" (p. 12). What are needed are people with a global mentality - homo mundialis - who are achievement-oriented, liberated from collective identity, individualized, depoliticized, cured of ethnicity and collective identity, and reduced to the consumer dimension. For these people, who would generally work at a professional, managerial, or executive level, this assumption of a global mentality would seem to work against the maintenance of distinctive national cultures. However, the need to transcend nationhood is less strong for people at semi-skilled or unskilled levels. Global culture is in a sense the ideology of a uniform meta-network of interests linking national and transnational actors (Krzysztofek, 1999). This is a network of power, money, information/knowledge, and culture, in other words, integration of the socio-eco-info-techno-sphere. All of these factors correlate with the human activities that are transforming the face of our planet, and they are interlocked. Power is a correlate of money, knowledge, information and culture; money is a correlate of power, information (money as meta-information), etc.; knowledge is a correlate of money, power, and culture; and culture is a correlate of power (symbolic power), money (the mighty entertainment market), etc. One could draw a whole map of such correlates. This network is the synergetic effect of two "forces of nature": technology and the freedom of all kinds of material and intellectual transfers. Technology, communications (nothing, after all, takes place in a communications vacuum), and freedom are the parameters of the environment in which the global network operates. The major globalization players, and the nucleus of an emergent transnational class, are company CEOs and their local affiliates; some globally oriented government bureaucrats, politicians, and consumer elites; the media; and trade (Sklair, 1995). Globalization is the solution for the network, while provincialism, localness, specificity, and underdevelopment create problems. Of the four multiculturalism strategies discussed above, the most desirable in terms of both internal and international order is social integration combined with respect for the right to be different. This means that a culture participating in the international marketplace can be of assistance in global governance if it allows people to function in two dimensions: the identity-based and the universal. A linguistic analogy will serve: English functions as a lingua franca without destroying ethnic languages, although it undoubtedly influences them. It has to be realized, however, that the other, identity-based seam of culture is no longer and will no longer be the same, at least in the Western world, as it used to be, that is, as a regulator of individual and collective life. The cultural expressions which have blossomed in postmodern societies (in the developed West) largely promote consumption, rather than regulation of life and control; consider, for instance, Bavaria's Beer Festival. There is no hint here of a "jihad" culture here. The Janus face of global culture Evaluations of global culture are and will be axiologically ambivalent, for global culture presents different aspects of itself on every spot on the globe. It is a bearer of threats, but it also creates opportunities. From a global governance point of view, its most functional element is the fact that, in contrast to ethnic cultures, it "eliminates the category of other from its discourse, its world being inhabited by persons having the same tastes, the same value systems, the same problems" (Szpociñski, 1999, p. 68). In other words, this is a culture which is a stranger to the idea of enemy or even "foreigner," someone who has to be kept at arm's length; all its participants line up on one side. In the climate of such a culture, would the Holocaust or world wars have been possible? However, it does have a weakness in that it remains viable only as long as there appear no internal impulses (economic or political conflicts) which challenge the taken-for-granted nature of its belief in the existence of one human family. In such a situation, there is no body of common values, no cultural heritage, to which an appeal can be made and which could whisper that something - culture and the values it embodies - links us with members of groups with which we have come into conflict (Szpociñski, 1999). But, does globalization lead to the dominance of a global culture? On this question of the relationship between globalization and global culture, there are two conflicting views, each supported by persuasive arguments. The first postulates that it does not necessarily follow that the more globalization there is, the more global culture there is. Far from it. What we see now is a law of psychology according to which the larger the amount of globalization detaching industry, politics, culture, and values from native soil, the more people seek refuge within their own norms, and the greater the degree of relativism, not universality, unless we assume that relativism is, basically, universal, a contradiction in terms which is perfectly legitimate in a postmodernist setting. Hopes of curing peoples of militant ethnocentrism may, however, prove futile. Globalization positively intensifies nationalism and ethnocentrism and does so, paradoxically, against a background of a simultaneous weakening of the primacy of nations and the erosion of local cultures and traditions through global culture. When some of the elements of specificity undergo destruction, the result is the unravelling of the social tissue, degradation of cultural systems, and detachment of industry from its own moorings and from the network of socio-cultural linkages. When national sovereignty declines and frontiers become symbolic lines on the map, culture signs and symbols come to the fore acting like fingerprints, something that people can call their own and which does not melt into a single global culture. Attention was drawn to this by Karl Polanyi (1957) and also by European authors from outside the Anglo-Saxon fold (e.g., Bernardi, 1998). This is the key to understanding the present globalization-particularization amplitude and the fact that globalization is not a single vector force. What is more, globalization does not have to be a Western response, as modernizers have seen it. Various "tribes," the informaticized included, will have differing futures since they have had differing pasts. Consequently, global culture need not be and is not a Western culture; it will be a hybridized culture absorbing elements of various origins (García Canclini, 1992) (see, for example, current Japanese culture, which comprises elements of both Western and Eastern cultures). According to the other side of the argument, time is working in favour of "disarmament," not only of "jihad" but also of all anti-civilization rebellion. An important role in this is played by the Internet, thanks to which there is unlikely to be any serious upsurge of protest in the foreseeable future since the nature of late capitalist civilization is different. Over the past three decades, processes have asserted themselves which are still largely uncharted. The society of the Enlightenment Project - the industrial and intellectual revolution - is beginning to fade into history. The birth of a postindustrial age in the developed world has been proclaimed and with it hopes have been revived that computer civilization will inject new impulses into culture. The postindustrial age has its own logic and narrative, or rather "multi-narrative." (This probably accounts for the fact that since the counterculture of the 1970s there has been no major revolt against civilization.) Concluding remarks The new civilization needs new forms of artistic creation, innovation, and adaptation, and the culture that is emerging is a new departure, perhaps even a kind of opium, "digital opium" so to speak. But there still remains a crucial problem: Can and should such a culture be left solely to the uncontrolled forces of the market or is it possible and worthwhile to bolster it with some kind of international cultural policy which would correct its defects and reinforce its virtues without imposing undesirable regulatory or coercive measures? This also applies to economic policy which is already regulated by the World Trade Organization, a body viewed by some as a World Ministry of Trade in the making. Culture-related issues are a delicate and controversial topic: witness the breakdown of the OECD negotiations on the Multilateral Treaty on Investment. Culture was to be incorporated into the trade regime despite the objections of some countries, notably France, which pressed for a special status - l'exception culturelle - to be conferred on it. If culture remains part of this regime the international community will be deprived of the tools to influence it. Ultimately, much will depend on the principal "culture producers" - multinational corporations - and whether they are capable of rising above the profit motive and making culture carry the message of global ethics. The special status of cultural products in international trade is highly desirable and, following the tragic events of September 11th, 2001, there are some grounds to believe in the likelihood of this. For instance, it is conceivable that the principles on which some global culture businesses operate, and on which U.S. foreign policy in this area is based, might be "rethought" and altered in response to the trauma. The selling of popular culture is very profitable, however, which makes me think that the business-as-usual principle will, in the long run, overcome any traumatic feelings. One of the sources of hostility towards the commercial culture marketplace and cultural consumption as a regulator of identity is the national elites' loss of control, their inability to any longer control which values should be preserved and which elements altered. This is a key problem of cultural and educational policy. To an ever greater degree, the market, the universal locus of legitimacy, is taking over the power to impart meanings, to portray culture, to signpost space, to communicate. This is making the self-portraiture of one's own culture, which is so desirable, so much more difficult. Since the world will continue to be a world of diverse cultures and mentalities, because people want to preserve their own codes, globalization can be seen, in effect, as nothing other than construction of interfaces between cultures for comprehending codes without destroying them. Multiculturalism as implemented by the market is a "network," not hierarchical, culture. The market promotes not so much the preservation of community-based cultures as their preservation in individuals. Construction of interfaces furthers consumption and is also a boost to international business since every business requires an agreed-upon code. Multiculturalism without a code is very costly because it is unpredictable. The code, it is expected, will expedite maturation of a global consciousness and ethics, a sense of commonality of destinies. This is a conclusion which might to some extent dispel the ubiquitous, pessimistic belief in the pernicious consequences of the globalization of culture. Incidentally, it is felt by some students of international relations, including some in America (e.g., Tehranian, 1997) that the White House treated the works of both Fukuyama and Huntington with excessive reverence (almost equalling the response to George Kennan's famous 1947 article in which he defined the basic principles of an American strategy for containment of Communism) and ignored many other worthwhile diagnoses and suggestions relating to the construction of world order. The well-known financier Jacques Attali (1991) predicts the emergence in the world of a super-class of nomads numbering some tens of millions, equipped with the means of communication and production, including symbols, and a billion-strong underclass of nomads searching for chances of survival. The rest will be an increasingly depressed middle class, the mass culture audience and cannon fodder of pop culture. Entertainment will ease the pains of coming to terms with instability and upheaval, and games, vacations, holidays, sport, group religions, travel, and drugs will maintain some kind of order - but will this be effective insurance against anomie? Attali is undoubtedly close to the truth when he argues that the entertainment industry is not only a source of profit but also a farm of symbolic control and role initiation designed to be a shield against revolution. Attali, Jacques. (1991). Millennium: Winners and losers in the coming world order (Leila Conners & Nathan Gardels, Trans.). New York: Random House. Barber, Benjamin R. (1995). Jihad vs. McWorld: How the planet is both falling apart and coming together - and what this means for democracy. New York: Times Books. Bernardi, U. (1998). Globalizacja kultury: przeciw nowym i starym przesadom. "Spoeczenstwo," "Civitas Christiana," no. 2. García Canclini, Néstor. (1992). Culturas híbridas: Estrategias para entrar y salir de la modernidad. Buenos Aires: Editorial Sudamericana. Firat, A. Fuat. (1995). Consumer culture or culture consumed? In Janeen A. Costa & Gary J. Bamossy (Eds.), Marketing in a multicultural world: Ethnicity, nationalism, and cultural identity. Thousand Oaks, CA: Sage. Friedman, T. (1999). The lexus and the olive tree. New York: Farrar Strauss and Giroux. Galtung, Johann. (1999, July 21). Paper presented at the Central European University Seminar, Budapest. Gitlin, Todd. (1995). The twilight of common dreams: Why America is wracked by culture wars. New York: H. Holt. Hoffman, Donna L., & Novak, Thomas P. (1996, February 19). A new marketing paradigm for electronic commerce. Available at URL: Jameson, Fredric. (1998). Notes on globalization as a philosophical issue. In Fredric Jameson & Masao Miyoshi (Eds.), The cultures of globalization. Durham, NC; London: Duke University Press. Kellner, D. (1998). Globalization and the postmodern turn. Available at URL: http:// /courses/ed253a/dk/globpm.htm Krzysztofek, K. (1999). Quadruple network of interests: The cultural correlate. Paper presented at the International Studies Association Annual Convention, Washington, DC, February 16-20, 1999. Polanyi, Karl. (1957). The great transformation. Boston: Beacon Press. Puchala, Donald. (1999). Regimes of the global governance. Lecture presented at The Central European University Summer School, Budapest. Ramonet, Ignacio. (1999, Fall). A new tolitarianism. Foreign Policy. Ritzer, George. (1993). The McDonaldization of society: An investigation into the changing character of contemporary social life. Newbury Park, CA: Pine Forge Press. Rosenau, J. (1999, July 21). Non-linear thinking of a global world. Paper presented at the Central European University Seminar, Budapest. Rothkopf, David. (1997, Summer). In praise of cultural imperialism. Foreign Policy. Shils, E. (1970). Center and periphery. In Peter Worsley (Ed.), Modern sociology: Introductory readings. Harmondsworth, UK: Penguin. Simai, M. (1994). The future of global governance. Managing risk and change in the international system. Washington, DC: U.S. Institute of Peace Press. Sklair, Leslie. (1995). Sociology of the global system (2nd ed.). London: Harvester Wheatsheaf. Szacki, J. (1998). Tozsamosc narodowa w obliczu otwartej przestrzeni europejskiej. In A. Kociszewski et al. (Eds.), Tozsamosc narodowa a ruch regionalny w Polsce. Ciechanów. Szpociñski, A. (1999). Inni wsród swoich. Kultura artystyczna innych narodów w kulturze Polaków. Warszawa: ISP-PAN. Tehranian, M. (1997, January-March). Globalism and its discontents: The role of NGOs in the emerging global civil society. Gandhi Marg (New Dehli). Walicki, Andrzej. (1997). Marxism and the leap to the kingdom of freedom: The rise and fall of the communist utopia. Stanford, CA: Stanford University Press. •  Announcements Atom logo RSS2 logo RSS1 logo •  Current Issue Atom logo RSS2 logo RSS1 logo •  Thesis Abstracts Atom logo RSS2 logo RSS1 logo
global_05_local_5_shard_00000035_processed.jsonl/45212
Skip Navigation Exponential Models Practice Exponential Models Practice Now Exponential and Logarithmic Models Complete the table. Word Definition ______________ to create new data points, or to predict, outside of the domain of the data set Interpolate ______________________________________________________________________ ______________ a solution to a function that is not useful in the given context Exponential Model ______________________________________________________________________ A population which increases continuously at a constant rate may be modeled with an exponential function. A population which increases rapidly and then levels off may be modeled with a logarithmic function. The equation for population growth is: P(f) = P_i \cdot r^{x}  What does each letter in the equation mean? ______________  ______________  ______________  ______________ This equation is used in countless situations besides population growth. What are some situations in which you would use that equation? ________________________________________________________ For problems 1-3, calculate: a) The growth factor b) The final population 1. If a population starts at 5,000 people in 1990, and increases at a rate of 9% per year, what is the population in 2037? 2. If a population starts at 15,000 people in 2000, and increases at a rate of 6% per year, what is the population in 2019? 3. If a population starts at 25,500 people in 1900, and increases at a rate of 4% per year, what is the population in 2004? Click here for answers. To solve complex logarithmic equations, you must use your knowledge from algebra as well as the logarithmic properties What are three logarithmic properties? 1) ____________________________________ 2) ____________________________________ 3) ____________________________________ Solve for x 1. 4 log (\frac{x}{5}) + log (\frac{625}{4}) = 2 log x 2. log_5 z + \frac{log_5 125}{log_5 x} = \frac{7}{2} 3. log p = \frac{2 - log p}{log p} 4. 2 log x - 2 log (x+1) = 0 5. log (25 - z^3) - 3log (4 - z) = 0 6. \frac{log (35 - y^3)}{log (5 - y)} = 3 Click here for answers. Image Attributions Explore More Sign in to explore more, including practice questions and solutions for Exponential Models. Please wait... Please wait... Original text
global_05_local_5_shard_00000035_processed.jsonl/45213
Skip Navigation You are reading an older version of FlexBook: Engineering: An Introduction for High School Go to the latest version. Engineering: An Introduction for High School Difficulty Level: At Grade Created by: CK-12 Table of Contents • 1. Introduction to Engineering Provides background about ASU and CK-12's collaboration and the content development of this introductory engineering book. • 2. Nature of Engineering The nature of engineering and its societal impact are covered, as well as the educational and legal requirements needed to become an engineer. • 3. Engineering & Society Engineers contribute to the development of many innovations that improve life. We investigate how engineers work to meet human needs and great engineering accomplishments of the past. We also consider needs that engineering must meet in the future. • 4. Introduction to Engineering Design The engineering design process, how it differs from other design processes, and how the implementation of the design process affects the quality of the resulting design are covered. • 5. Connecting Science and Mathematics to Engineering The application of the principles of mathematics and science to the creation or modification of components, systems, and processes for the benefit of society are covered with a focus on the balance between quality, performance, and cost. • 6. A Brief History of Engineering How engineers use creativity and judgment to solve societal problems, how complex engineering problems are usually solved by teams, and the intended desirable consequences and unintended undesirable consequences of engineering are covered. Date Created: Feb 23, 2012 Last Modified: Sep 01, 2014 Please wait... Please wait... Image Detail Sizes: Medium | Original Original text
global_05_local_5_shard_00000035_processed.jsonl/45241
15 Results for Husqvarna Automower 305 hands on 20 Images By August 15, 2011 App controls Husqvarna robot lawn mowers By April 22, 2011 Husqvarna robot lawnmower is controlled by your iPhone Robots! Lawns! iPhones! Three marvelous things that desperately need combining. Husqvarna has stepped up to the plate, with a robo-mower you can control from your phone. 6 Images By April 13, 2011 Honda's Miimo is a robot goat for your lawn By August 21, 2012 Bosch robot lawn mower gives you more hammock time Billed as the "world's first intelligent robot lawn mower," the Indego autonomously avoids your garden gnomes and other lawn obstacles. By June 12, 2012 Husqvarna's green riding mower Husqvarna shows off a concept electric-powered riding mower. By June 9, 2009 Pool-playing robot is Johnny Five meets John Virgo Fancy shooting some stick? If it's winner stays on, this is one hustler who could take some shifting -- stick your 50p on the side and break with the pool-playing robot. By June 6, 2011 By April 15, 2011 Husqvarna uses sun to power your lawnmower By October 23, 2008 A robot for golf fans? RG3 from Precise Path may get you out on the putting green even earlier. By February 25, 2009
global_05_local_5_shard_00000035_processed.jsonl/45252
Click here to Skip to main content 11,502,845 members (45,748 online) Click here to Skip to main content Close Your Application to the Notification Area , 25 Aug 2010 CPOL 23.5K 1.4K 35 Rate this: Please Sign up or sign in to vote. How to write an app that will go to the system tray when the user closes it This article expands on an earlier one of mine, Create a System Tray Application in VB.NET[^]. If you are unfamiliar with how to write applications for the notification area, that might be a good place to start. I recently got a BitTorrent downloader that does something very interesting: when the application is closed, it switches into a background mode and minimizes to an icon in the notification area. Right clicking the icon gives a menu that shows me how many torrents are still downloading and lets me restore to a regular window or exit the app completely. That seemed like a spiffy piece of functionality, so I set out to learn how I could write applications that do the same thing. This article is the result. As usual, I wrote this in VB.NET, because that is the language I am most familiar with. It should be pretty easy to translate into C#: just keep in mind that some of the implementation is VB specific. The code and demo were tested using Visual Studio 2008 and the 3.5 Framework; it should work with .NET 4.0, and probably with 2.0 as well. If not, please leave a comment. Context is Everything Effectively, this technique creates a notification area application that may or may not have a visible user interface. We start by creating a derivative of System.Windows.Forms.ApplicationContext: Public Class AppContext Inherits ApplicationContext #Region " Constructor " Public Sub New(ByVal StartClosed As Boolean) If StartClosed Then Notify.Visible = True End If End Sub #End Region #Region " Event handlers " Private Sub AppContext_ThreadExit(ByVal sender As Object, _ ByVal e As System.EventArgs) _ Handles Me.ThreadExit 'Guarantees that the icon will not linger. Notify.Visible = False End Sub #End Region End Class When AppContext is created, it takes a parameter indicating whether the app will start already closed to the notification area. After initializing everything, the application thread launches by either displaying the icon in the system tray or by showing the application's form. When the application thread ends -- it was exited by the user, cancelled in the Program Manager, Windows is shutting down, whatever -- the ThreadExit event gets called, which allows you to do whatever cleanup is necessary, such as closing files and saving the application state. All I am doing here is making sure that the icon has been removed from the notification area. The Code Behind the Curtain The next step is to create MainModule with the infrastructure that actually manages the app. Declare the components with the WithEvents keyword so you can intercept the components' events. #Region " Global storage " Public WithEvents AppForm As MainForm Public WithEvents Notify As NotifyIcon Public WithEvents MainMenu As ContextMenuStrip Public WithEvents mnuShow As ToolStripMenuItem Public WithEvents mnuSep1 As ToolStripSeparator Public WithEvents mnuExit As ToolStripMenuItem Public TimerMenu As ToolStripMenuItem #End Region Then create the Sub Main method, which will be the entry point for your application. #Region " Sub Main " Public Sub Main(ByVal cmdArgs() As String) Dim StartClosed As Boolean = False For Each Cmd As String In cmdArgs If Cmd.ToLower = "/c" Then StartClosed = True Exit For End If Application.Run(New AppContext(StartClosed)) End Sub #End Region I used the variant that passes command line arguments. In this demo, the application will normally start as a regular window; a command argument of /c tells the application to start closed. The method turns visual styles back on (you will see later why it was disabled; I think this is a VB-only step that C# programmers can ignore), determines how the application will start, then launches the app by calling Application.Run with a new instance of AppContext. When AppContext is created, the method InitializeApp gets called. Public Sub InitializeApp() 'Initialize the menus TimerMenu = New ToolStripMenuItem mnuShow = New ToolStripMenuItem("Show application") mnuSep1 = New ToolStripSeparator() mnuExit = New ToolStripMenuItem("Exit application") MainMenu = New ContextMenuStrip MainMenu.Items.AddRange(New ToolStripItem() _ {TimerMenu, mnuShow, mnuSep1, mnuExit}) 'Initialize the notification icon Notify = New NotifyIcon Notify.Icon = My.Resources.MainIcon Notify.ContextMenuStrip = MainMenu Notify.Text = "Formless tray application" 'Create the application form AppForm = New MainForm AppForm.Icon = My.Resources.MainIcon End Sub The context menu for the icon gets constructed, the icon itself is instantiated and initialized, and the application form is created and set up. The rest of MainModule is the code that changes the application state and handles the click events on the icon's context menu. Public Sub CloseApp() Notify.Visible = True AppForm.Visible = False End Sub Public Sub ExitApp() End Sub Public Sub MinimizeApp() AppForm.WindowState = FormWindowState.Minimized End Sub Public Sub RestoreApp() Notify.Visible = False AppForm.Visible = True End Sub Private Sub mnuExit_Click(ByVal sender As Object, ByVal e As System.EventArgs) _ Handles mnuExit.Click End Sub Private Sub mnuShow_Click(ByVal sender As Object, ByVal e As System.EventArgs) _ Handles mnuShow.Click End Sub When the application is closed, the icon will be in the notification area. Right clicking on it pulls up a menu showing application feedback (in this demo, the current date and time) and options to either show the application form or exit the application completely. You will see that RestoreApp does not change AppForm.WindowState. If the form is maximized or minimized when it is closed, it will be restored as maximized or minimized. Note that setting AppForm.Visible = False only hides the form; it does not halt execution of its code. Your application will continue to run unobtrusively, without any clutter in the taskbar. If your app needs to make a distinction between "active" and "background" modes, you can use CloseApp and RestoreApp to switch states. The Form The form for the demo is very basic. It has a MenuStrip with options to minimize, close and exit the application, a Timer, a Label named TimeLabel and a TextBox. Clicking the menu items will call the MinimizeApp, CloseApp or ExitApp method from MainModule. In the form's constructor, TimeLabel is set to display the current date and time, and the timer is set to go off every second. When the timer rings, both TimeLabel and TimerMenu are updated to the current date and time. Public Class MainForm #Region " Constructors " Public Sub New() TimeLabel.Text = DateTime.Now.ToString TimerMenu.Text = TimeLabel.Text Timer1.Interval = 1000 End Sub #End Region #Region " Event handlers " Private Sub MainForm_FormClosing(ByVal sender As Object, _ ByVal e As System.Windows.Forms.FormClosingEventArgs) _ Handles Me.FormClosing If e.CloseReason = CloseReason.UserClosing Then e.Cancel = True End If End Sub Private Sub mnuFormClose_Click(ByVal sender As System.Object, _ ByVal e As System.EventArgs) _ Handles mnuFormClose.Click End Sub Private Sub mnuFormExit_Click(ByVal sender As System.Object, _ ByVal e As System.EventArgs) _ Handles mnuFormExit.Click End Sub Private Sub mnuFormMinimize_Click(ByVal sender As System.Object, _ ByVal e As System.EventArgs) _ Handles mnuFormMinimize.Click End Sub #End Region Private Sub Timer1_Tick(ByVal sender As Object, _ ByVal e As System.EventArgs) Handles Timer1.Tick TimeLabel.Text = DateTime.Now.ToString TimerMenu.Text = TimeLabel.Text End Sub End Class What makes this all work is the FormClosing event. The FormClosingEventArgs parameter allows us to see why the form is being closed. If it is closing because of user intervention -- that is to say, the user clicked the Close Form button in the upper right corner or selected Close in the app's taskbar context menu -- we can cancel the close and instead call CloseApp. Project Settings Because of the way Visual Basic code gets compiled, VB programmers have a bit more work to do before this will work as expected. Go into the Project Settings form (Project in the Visual Studio main menu, then project name Properties at the bottom) and select the Application tab. Uncheck Enable application framework; this tells the compiler that you will be managing the infrastructure. One side effect of this is that visual styles get disabled, which is why we turn it back on manually in Sub Main. In the Startup object drop-down, select Sub Main. Final Note I hope you found this article useful. As always, I welcome comments about bugs and other problems in the code, and feedback is always welcome. If some enterprising soul would like to translate this code into C# and post it as an article, please give me credit. Article history • Version 1 - August 25, 2010 - Initial release About the Author Gregory Gadow Software Developer (Senior) United States United States Comments and Discussions QuestionFormless... Pin mark merrens23-Aug-13 10:53 membermark merrens23-Aug-13 10:53  QuestionSettings Pin Vet Ralph28-Apr-12 7:50 memberVet Ralph28-Apr-12 7:50  AnswerRe: Settings Pin Gregory.Gadow28-Apr-12 10:56 memberGregory.Gadow28-Apr-12 10:56  There is nothing in the example application that saves the application state: you will have to add that on your own. There are a couple of places where you can do this, depending on what you want. Use CloseApp if you need to save the state of your main form before it goes into the tray. Or write a method to save your data and call it in the AppContext_ThreadExit event handler: this event is called when the application exits regardless of why. You will then have to write additional code to read your application state when the app starts. QuestionRe: Settings Pin Vet Ralph29-Apr-12 1:55 memberVet Ralph29-Apr-12 1:55  JDJTsg16-Jan-12 8:13 memberJDJTsg16-Jan-12 8:13  GeneralMy vote of 5 Pin JDJTsg16-Jan-12 8:08 memberJDJTsg16-Jan-12 8:08  GeneralMy vote of 4 Pin Md. Marufuzzaman15-Sep-10 22:11 mvpMd. Marufuzzaman15-Sep-10 22:11  QuestionWhy mess with ApplicationContext? Pin Pamodh9-Sep-10 4:25 memberPamodh9-Sep-10 4:25  AnswerRe: Why mess with ApplicationContext? Pin Gregory.Gadow9-Sep-10 7:39 memberGregory.Gadow9-Sep-10 7:39  GeneralRe: Why mess with ApplicationContext? Pin Pamodh10-Sep-10 2:15 memberPamodh10-Sep-10 2:15  QuestionRe: Why mess with ApplicationContext? Pin MaximilianReisch9-Oct-10 4:24 memberMaximilianReisch9-Oct-10 4:24  GeneralBrilliant :) Pin Ant21001-Sep-10 9:06 memberAnt21001-Sep-10 9:06  GeneralRe: Brilliant :) Pin Gregory.Gadow1-Sep-10 11:34 memberGregory.Gadow1-Sep-10 11:34  | Advertise | Privacy | Terms of Use | Mobile Web04 | 2.8.150520.1 | Last Updated 25 Aug 2010 Article Copyright 2010 by Gregory Gadow Everything else Copyright © CodeProject, 1999-2015 Layout: fixed | fluid
global_05_local_5_shard_00000035_processed.jsonl/45267
Sarah A. Queen Professor of History Joined Connecticut College: 1992 On sabbatical 2014-2015 academic year B.A., Wellesley College M.A., Ph.D., Harvard University Early Chinese cultural history The spiritual and philosophical dimensions of Confucianism and Daoism Confucianism in East Asia Today (Confucianism and Human Rights; Confucianism and Democratization; and Confucianism and Ecology) Sarah Queen's primary research examines China's philosophical and religious foundations as it was expressed in early texts written by practitioners of the Confucian and Daoist traditions. Her research focuses on the ways in which these two traditions shaped early ethical and spiritual norms, conceptions of the body, state, and cosmos as well as Confucian and Daoist self-cultivation as distinctive forms of religious experience. She is also very interested in the modern transformation of the Confucian tradition, particularly the ways in which Confucianism informs contemporary debates concerning the establishment of human rights and democracy in East Asia. Professor Queen was awarded a grant from the Harvard University Asia Center to organize a conference in Spring 2008 focusing on the first-ever complete English translation of a key ancient Chinese text, the Huainanzi. This 21-chapter text from the 2nd century (BCE) Han Dynasty was intended to provide a contemporary ruler with an encyclopedic overview of philosophy, administrative and managerial techniques, and all of the scientific and technical knowledge needed to govern effectively. The conference, titled "Visions of Empire: New Perspectives on the Huainanzi," was co-coordinated by Queen and Michael Puett, professor of Chinese history at Harvard University Professor Queen's first book From Chronicle to Canon: The Hermeneutics of the Spring and Autumn Annals (1996) examines the role of the holy book in the Confucian tradition.  Professor Queen offers a variety of courses on pre-modern and modern Chinese history including: 115: Introduction to Chinese Civilization; 118 The Cult of Mao; 224 Foundations of Chinese Thought I; 278 Foundations of Chinese Thought II; 262: China in Revolution; 493a: Voices of Dissent; 493d: China's Confucian Legacy; 493j: Human Rights in China; and 493r Disciples of the Dao. Recent books and articles • "Engendering Public Memory in Early China: Song Boji of the Spring and Autumn Annals," in Michael Ing and Alexus McLeod ed., The Unity of Nature and Humanity: New Essays in Han Dynasty Thought (In progress) • The Chunqiu fanlu: Luxuriant Gems of the Spring and Autumn Annals, by Dong Zhongshu, a translation and study, co-authored with John S. Major (Forthcoming Columbia University Press, 2014) • "The Rhetoric of Dong Zhongshu’s Imperial Communications" in Olberding ed., Addressing the Autocrat: The Drama of Early Chinese Court Discourse (Harvard University Press, 2013) • "Representations of Confucius in the Huainanzi" in Queen and Puett ed., The Huainanzi and Textual Production in Early China, co-edited with Michael Puett, (Brill Press, 2013) • Han Feizi and the Old Master: A Comparative Analysis and Translation of Han Feizi Chapter 20,"Jie Lao," and Chapter 21, "Yu Lao," in Paul Goldin ed., Dao Companion to the Philosophy of Han Feizi, (Springer Press, 2013) • The Huainanzi: Basic Writings, co-authored with John S. Major, Harold D. Roth and Andrew Meyer, (Columbia University Press, 2012) • The Huainanzi: A Guide to the Theory and Practice of Royal Government in 139 B.C.E., by Liu An, King of Huainan, a translation and study by Sarah A. Queen, John S. Major, Harold D. Roth and Andrew Meyer with additional contributions by Michael Puett and Judson Murray, (Columbia Press, March 2010) Recent conferences • "The Limits of Praise and Blame: Rhetorical Uses of Anecdotes in the Gongyang Commentary," Workshop on Ancient Chinese Anecdotes, Leiden University, Leiden, Holland June 1-2, 2013 • "The Ethics of Warfare in the Gongyang Commentary, for the conference titled "War of Ideas, Ideas of War," Universitat Pompeu Fabra, Barcelona, Spain, June 6-8, 2013 • "Engendering Memory: Song Boji of the Spring and Autumn Annals," American Oriental Society, March, 2012 • "The Many Faces of Boji of Song," Workshop on Women in the Zhuozuan, New York University, September 16, 2011 • "Han Feizi and the Old Master: An Analysis of Two Early Commentaries to the Daodejing," presented at the Annual Meeting of the American Oriental Society, Chicago, Illinois, March 14, 2011 • "Huainanzi Chapter 12: Responses to the Way," presented to the Religious Studies Department, Huainanzi Seminar, March 10, 2011 • "The Luxuriant Gems of the Spring and Autumn Annals," presented at the Early China Seminar, Columbia University, February 27, 2011 • "Is there a Suburban Sacrifice in the Book of Odes," presented at the Book of Odes Workshop, New York University, September 26, 2011 View the history department website. "And now that we have returned to the desultory life of the plain, let us endeavor to import a little of that mountain grandeur into it. We will remember within what walls we lie, and understand that this level life too has its summit, and why from the mountain-top the deepest valleys have a tinge of blue; that there is elevation in every hour, as no part of the earth is so low that the heavens may not be seen from, and we have only to stand on the summit of our hour to command an uninterrupted horizon." -  Henry David Thoreau, A Walk to Wachusett, The Natural History Essays Contact Sarah A. Queen Mailing Address Sarah A. Queen Connecticut College 270 Mohegan Ave. New London, CT 06320 214 Winthrop
global_05_local_5_shard_00000035_processed.jsonl/45276
View Full Version : Posture? 09-06-2010, 06:36 PM Hey guys! This one's a little different from the other posts here. I'm quite comfortable with my body as it is, except my posture. I'm 5'11 and since I'm taller than pretty much everyone I know, I tend to slouch. Does anyone have any tips for keeping good posture? 09-06-2010, 06:57 PM Well, bad posture is like a bad habit. In order stop slouching you have to constantly correct your posture untill good posture becomes a habit. I also heard the holding your self up with your stomach rather than resting you weight on your lower back helps. 09-06-2010, 07:22 PM Is it while sitting or standing? I'm 6 feet tall myself (Well, 5 feet 11 7/8 inches if you want to nitpick) and I've been living with upper back pains since the beginning of the year because of that slouching issue. Posture, either sitting or standing is always a manner of habit, and breaking that habit requires a lot of effort. There's no 'easy trick' around it, I'm afraid. For standing up, it's best to maintain a posture that positions equal weight on both legs, if you're looking in the mirror and you naturally hang on one feet more than the other, it's bad. Normally, your back should form a slight 'S' (Check a few pictures of it on the internet for reference), get used to bending your legs more than your back to reach things. For sitting up, it's a little easier, you need to adjust everything at the right level, so your legs bend for a 90~110 degrees angle at the knee with your feet resting on the floor. If you work on a computer (Like me!), your chair should have a back rest that helps maintain the natural curve of the back while supporting most of it --- in my case I found it's right around the position of my elbows that it needs to be. Keyboard and mouse should be at the same level as your armrests, so you don't bend over constantly to type or use the mouse. Sitting straigth on your chair, your eyes should be looking around the top quarter of the screen, if you need to look at the bottom of the screen, bend your chin inward so the head moves, don't slouch so your head gets level with the text. Avoid resting your head on your arm, it weakens your back and shoulder muscles since it's often just your stiff arm bone that supports everything when you do it. Also, stretching your back muscles daily helps add some elasticity and a modicum of strength to them, helping them support you. There's plenty of exercises to befound online for this (No need for it to be a training regiment, for those on a tight schedule) All a shame I started paying attention to all this when I started having issues. 09-06-2010, 07:57 PM Sketches shape ups does a great job fixing your posture a bit, cause it takes the weight off your heels and more towards the ball of your feet so naturally you stand up straighter. This helped eleviate my dad's back pains from being a chef standing up for 12 hours on end. Also doing hyper extentions, good mornings, anything that builds lower back and ab muscles will help as well. Also working out your upper back and rear delts will help push your shoulders back and working out your chest will help push your chest up a bit as well. Overall balance is the key in fixing posture. 09-06-2010, 09:36 PM Well, they say yoga is supposed to help with posture, so I would try that, specifically doing stretches that focus on that area. I find that when I do yoga I'm more aware of how my body is positioned. Perhaps it would help if you do it in front of a mirror so you can see for yourself how it looks. C: 09-06-2010, 09:53 PM If you have it (I wouldn't tell you go get it just for this purpose) the Wii fit is crazy about posture, there's fun posture and balance improvement games that not only give you exercise, but help your posture. The board even gives you advice on how to stay in proper posture. I didn't know that putting all my weight on my heels was bad for me, apparently you should be leaning forward enough to be evenly placed over your feet with shoulders rolled back. Big toe, little toe, heel.
global_05_local_5_shard_00000035_processed.jsonl/45373
The Rolls-Royce sped along the road through the woods outside Meaux, northern France. It was October 1914, two months after the start of World War I. Driving the car was Alastair Cumming, a 24-year-old intelligence officer. Beside him sat his father, Mansfield Cumming, head of Britain's Secret Intelligence Service, who had come out to France to visit him. As well as their intelligence work, they shared a love of fast cars. Then, in an instant, the Rolls suffered a puncture. The car veered off the road, smashed into a tree and overturned, pinning Mansfield by the leg and flinging his son out onto his head.  Mansfield Cumming Destruction: Influential Russian monk Rasputin (left) was killed by agents working under Spymaster Mansfield Cumming Hearing his son moaning, Mansfield tried to extricate himself from the wreckage and crawl over to him. Despite struggling, he couldn't free his leg. And so, taking out his penknife, he began hacking through the tendons and bone until he had severed his lower leg and freed himself. He then crawled over to where Alastair lay and managed to spread his coat over his dying son. He was found, some time later, unconscious, by the body of his son. This act of extraordinary bravery, sacrifice and a willingness to use whatever means necessary, however unpleasant, to achieve an end, was to become a secret service legend. Indeed, to test the mettle of potential recruits, he would plunge a penknife or compass into his wooden leg as he interviewed them. If they flinched, he would dismiss them with a simple: 'Well, you won't do.' 'They would gather intelligence and promote Britain's interests by any means necessary, even murder.' When Commander Mansfield Smith-Cumming received the summons from the Admiralty in 1909 to form the new 'Secret Service Bureau', he was testing sea boom defences at Southampton, having retired from active naval service because of severe sea-sickness. Fifty years old, this short, stumpy figure  -  with his small, stern mouth, Mr Punch chin and an eagle eye that glared piercingly through a goldrimmed monocle  -  seemed at first an unlikely candidate for the job. He spoke no foreign languages and had spent the past ten years languishing in obscurity. Yet as an extraordinary new book reveals, within a few years he had firmly established Britain's Secret Intelligence Service, spreading a network of officers and agents across the world. Mansfield Cumming, or 'C' as he became known  -  the initial with which he marked in his customary green ink any documents he had read  -  was initially given a modest budget and a tiny office.  First World War Conflict: The Secret Intelligence Service conducted clandestine operations during the First World War against German and Russian figures Nonetheless, he set about recruiting officers, including the writers Somerset Maugham and Compton Mackenzie. His agents would sally forth in elaborate disguises, and were always armed with a swordstick  -  a walking stick that pulled apart to reveal a rapier. And Cumming and his officers soon found that money and sex were usually the most effective inducements for information. As war with Germany loomed, an agent code-named Walter Christmas watched the Germans' naval shipyards and reported on the trials of the new dreadnought battleships, the 'remarkable speed' reached by a new torpedo boat, and the continued construction of submarines. Christmas always insisted that his reports should be collected by pretty young 'The partnership between the two oldest professions, spying and prostitution, would endure throughout the service's history.' women, probably prostitutes paid for by the service, who would meet him in a hotel room to exchange intelligence. When the war broke out in August 1914, Cumming's service moved quickly to expand its network of agents across Europe and Russia. The British wreaked their revenge, bombing and destroying the Zeppelins. It was feared that he would persuade her to make peace with Germany, her homeland. Vladimir Lenin Vladimir Lenin: One of Cumming's most dashing spies became lovers with a close female confidante of the Russian leader, a liaison which provided the service with good information And so, in December 1916, three of Cumming's agents in Russia set out to eliminate Rasputin, in one of the most violent acts undertaken by the service to date. One of the British agents, Oswald Rayner, together with some members of the Russian court who hated Rasputin, lured him to a palace in Petrograd with the promise of sex. After plying him with drink, they began to torture him to reveal the truth about his links with Germany.  Whatever he told them, it was not enough. His body was discovered floating in a river. The autopsy found that Rasputin had been violently beaten with a heavy rubber cosh and his testicles had been crushed flat. He was then shot several times, with Rayner probably firing the fatal round. Less than a year later, the Bolsheviks took power. As Russia deliberated about continuing with the war, Cumming sent one of his experienced officers, the author Somerset Maugham, who had previously spied in Geneva, to head a mission to Russia. 'The long and the short of it,' the writer recalled, 'was that I should go to Russia and keep the Russians in the war. I was diffident of accepting the post, which seemed to demand capacities that I didn't think I possessed. 'It is not necessary for me to inform the reader that I failed in this lamentably. The new Bolshevik government agreed an armistice with Germany in mid-December 1917 and a week later began peace negotiations.' But Cumming did not give up easily. As they deliberated about continuing with the war, he is alleged to have ordered one of his agents to assassinate Stalin, who was in favour of peace. The agent refused and was sacked. Russia pulled out of the war later that month.  Josef Stalin Target: An agent was instructed to kill Josef Stalin during the First World War but he refused and was sacked. The plan was to eliminate the senior Communist who was in favour of making peace with Germany One of Cumming's most dashing recruits was Paul dukes, described by a colleague as 'the answer to a spywriter's prayer . . . intelligent, courageous and good-looking'. He became lovers with a close female confidante of Lenin, who proved a rich source of information on the Bolshevik government. Dukes also pioneered what was to become a standard trick of the trade: hiding incriminating evidence in a waterproof bag in a lavatory cistern. He explained: 'I have seen pictures, carpets and bookshelves removed [by Bolshevik agents searching spies' home] but it never occurred to anybody to . . . thrust his hand into the water-closet cistern.' Many of Cumming's officers were happy to indulge themselves in the line of duty. Norman Dewhurst, who ran agents in Salonika, Greece, during the war, recalled that a favourite meeting place was the local brothel, Madame Fannie's. 'This was a very select house and the girls beautiful. Every time, it was a case of combining business with pleasure for I always came away with some useful information after my visit.' Sometimes, however, agents overstepped the mark. One Russian agent became involved in a 'Murder League' in Sweden that used femme fatales to lure Bolsheviks to a lakeside villa renowned for orgies, before torturing and brutally murdering them. When the agent was caught, the British swiftly washed their hands of him. Indeed, an SIS training manual warned: 'Never confide in women...never give a photo to anyone, especially a female. Cultivate the impression that you are an ass, and have no brains. Never get drunk . . . if you are obliged to drink heavily . . . take two large spoonfuls of olive oil beforehand; you will not get drunk but can pretend to be so.' Cumming constantly had to fight for funds for his service. Again and again, his officers had to pay agents and expenses out of their own pockets until reimbursed, and the accounts were forensically combed over by Cumming's Paymaster, known simply as 'Pay'. Pay seldom left the office and, according to Leslie Nicholson, the bureau chief in Prague: 'had the most exaggerated picture of the sort of life we led'. This impression was hardly dispelled when, on one of Pay's rare visits to the field, Nicholson took him to a Prague nightclub where they were entertained by 'pretty Hungarian twins who, in unison, performed a rather sexy striptease. Pay's monocle rose and fell with regularity as his eyebrows lifted in approval or astonishment.' 'Q invented methods of concealing reports to get them through enemy lines: in hollow keys, false bottoms of tins, the handles of baskets, on silk paper that was then sewn into the courier's clothes, in hollow teeth, and in boxes of chocolates.' Another vital recruit of Cumming's organisation was the physicist Thomas Merton, the service's first 'Q', who shared Cumming's love of innovation. One of his early triumphs was to create an invisible ink for writing secret reports. Previously, agents had used semen for the purpose, which while effective, was not to everyone's liking. Swordsticks, pioneered by Cumming, also proved useful. One officer, George Hill, was attacked by two German agents in the Russian city of Mogilev during the war. 'I swung round and flourished my walking stick. As I expected, one of my assailants seized hold of it . . . I drew back the rapier-like blade with a jerk and with a forward lunge ran it through the gentleman's side. 'He gave a scream and collapsed on the pavement. His companion, seeing that I was not unarmed, took to his heels.' In the autumn of 1916, Cumming had more than a thousand officers, with thousands more agents working for them, scattered across the world. Although he longed to go on missions again himself  -  describing spying as 'capital sport'  -  he had become too important to risk. Nonetheless his shadowy presence permeated the service. 'The initial of C was invoked to justify everything,' noted one of his officers, the writer Compton Mackenzie. 'But who C was, and where C was, and what C was, and why C was, we were not told.' By the end of the war, despite some failures, Cumming's fledgling service had scored some notable triumphs. Two officers infiltrated and prevented an anarchist plot to kill a number of Allied leaders, including the British War Secretary, Lord Kitchener; the Foreign Secretary; the King of Italy and the French president. And another of Cumming's men in America smashed a German spy ring that used Irish dockworkers to plant bombs in the holds of ships carrying vital munitions to Britain. It was dangerous work: the body of a fellow agent who had been watching shipments was washed up in the New York docks riddled with bullets. Cumming died in 1923, just months before he was due to retire. His spirit lives on, however, not only in the use of his trademark green ink throughout the service, and the habit of referring to its chief as 'C', which endures today, but in the ethos with which he imbued the service he built. Its work is still carried out in strictest secrecy, the heroic deeds of its members left unsung and unrecorded. A fitting tribute to a man for whom no sacrifice was too great and no pain too unendurable, so along as it served the greater good. SIX: A History Of Britain's Secret Intelligence Service, by Michael Smith (Dialogue, £19.99). To order a copy at £18 (p&p free), call 0845 155 0720.
global_05_local_5_shard_00000035_processed.jsonl/45392
Vision is AMD's attempt to simplify PC marketing for consumers Comments     Threshold Computer marketing sucks By HotFoot on 9/11/2009 4:14:59 AM , Rating: 2 I'm pretty sure computer marketing is going to be rather irrelevant to anyone reading these pages. At the very least, we're more concerned with what the non-geeks in our lives will take away from the ads then we'll take away ourselves. The thing is, we're the kind that knows better... And this is the whole point of this latest marketing shift by AMD. It's in AMD's best interest to have all the non-geeks out there buying computers without first asking someone who's a technology enthusiast for help. Geeks are more likely to want to recommend an Intel-based machine, even if the AMD equivalent is just as good at the low-end price points. In any case, a marketing scheme that tries to answer all needs with a single label is just not going to cut it for me, and I'll be completely ignoring any such label if someone asks me what I recommend for them based on what they tell me they want to do with a new computer. To that end, I'd rather there be no labels - just to avoid the re-educating process for the half-informed consumer asking me questions. Related Articles
global_05_local_5_shard_00000035_processed.jsonl/45393
Yahoo Head of Media Jimmy Pitaro  (Source: Forbes) Issues for struggling search giant continue According to a report by Kara Swisher of  Comments     Threshold Should have sold By Mitch101 on 9/30/2010 9:26:30 AM , Rating: 5 Hindsight is 20/20 but they should have sold to Microsoft when they had the chance and Yahoo search would take Bing to a good competitor to Google. It would then just be getting people to type Bing. It seems I can still type Google faster than I can type four lettings of Bing. Its programmed into me to just type Google. Bing is growing but search is still lacking all the other stuff Bing does is great even Google stole the images idea from Bing. RE: Should have sold By quiksilvr on 9/30/2010 9:43:12 AM , Rating: 2 With that logic you can say Bing stole the search idea from Google. And besides, Google Images is completely different. You have a "Show sizes" functionality on the left so you don't have to mouse over each image to find the resolution. Also, Google enlarges the image slightly when you mouse over it so you don't have to click it to see if it's what you were looking for. RE: Should have sold Yes that's completely different. RE: Should have sold
global_05_local_5_shard_00000035_processed.jsonl/45395
Ballmer makes the pitch for Windows Phone 8 Source: Reuters Comments     Threshold By BabelHuber on 11/5/2012 11:47:05 AM , Rating: 1 Because that's what the stores and TV ads are pushing. Android has taken off before it was pushed via TV ads. Because WP essentially doesn't exist yet, and if they have any apps built on Symbian they can't move anyway without redeveloping. Agrred, a big problem is that WP doesn't have lots of Apps. But Microsoft is only in the mobile OS business since the year 2000, so in 12 years you cannot expect lots of apps. Doubt it. But if they were corporate devices there's a chance that they have an app or two built that can't port without re-development. Not to mention that WP has been a non-starter until now...and maybe still is a non-starter. Time will tell. So you think people who use rSAP (a Symbian standard feature) in their car don't recognize that it is gone? You really think that transmitting files via bluetooth is something special? Ask any average guy how he transmitted the contacts of his old phone to a new phone in the past. Those who didn't write them on paper and re-entering on the new phone used bluetooth. So the first thing you do is transmitting your contacts. You will see very quickly that bluetooth file transfer is an important feature, even if you don't know what 'bluetooth file transfer' actually means. Not likely. The *vast* majority of actual individual phone users haven't got the slightest clue about anything you've been ranting about. And they don't care. Their IT department might tell them that they can't have an Android phone because of some custom Symbian app they built, but the user doesn't give 2 sh1ts about it. They just want to play Angry Birds. See above. ...have you ever stepped outside? Virtually no one who owns a smartphone has the slightest idea what it's capabilities and/or feature set is in any detail at all. Either it can do Twitter and play games, or it can't. That's about all the attention you're going to get from all but a handful of users. Bullshit. Most people take features for granted, that's why they can't answer it. Only if a feature they need is missing they will recognize it. And then they are upset if they had a phone which was capable of doing this before. Example: As a long time Nokia user you know that the alarm of Nokia phones works even when the phone is completely turned off. With WP, this feature was removed from the newer Nokia models. People will learn the hard way that WP doesn't support it when they miss an airplane or an important meeting because of this, and then they will be upset. No, it's not a coincidence - the marketplace is flooded with them, there's a wide variety of them available at all kinds of different price points, and they're being pushed hard by all the carriers. Coincidence? Hardly. But it's not because of any technical features of the OS itself. If the market was flooded with WebOS devices, and that's what all the carriers were pushing, that's what people would buy. Bullshit. The Nokia Lumia line had the biggest marketing budget of any phone launch ever, and still people didn't buy them. Sure I do. Go stand in a mall and ask people as they walk by how often they sideload apps. Or find a need for a file browser. Or...any of the other BS you're ranting about. Essentially no one knows WTF you're talking about, and probably someone would call security on you after a little while when you started foaming at the mouth. See above. People know when something doesn't work which should. Overall, you seem to think that most customers are complete idiots. But most of them had mobile phones in the past. They already had feature phones with a file browser, bluetooth file transfer and even USB-connectivity. They take this for granted and hence don't care about when you ask them. When you are really good at marketing, you can convince them to do the stuff they always did differently. This is where iOS shines marketing-wise. But we talk about Windows here. People don't love it like Apple, they don't forgive and they don't forget. But let's see what you'll say in a year or two, when WP is still a niche OS.
global_05_local_5_shard_00000035_processed.jsonl/45402
Saturn Aura Green Line The Saturn Aura Green Line starts at $22,695 including destination charge Comments     Threshold RE: Underwhelming fuel economy By phusg on 3/21/2007 5:25:28 AM , Rating: 2 > Cleaning up what mess? A car that makes 400 HP is just as clean as a car that makes 100 HP. It just consumes more fuel to make more power. ?!? Burning the fuel (derived from oil) is what makes the mess in the atmosphere. Driving agressively i.e. using the power of the car more often consumes more fuel and so makes more 'mess' to clean up. > And someone willing and able to pay for more fuel is not stopping you from getting any and has nothing to do with gas prices. This isn't what I'm worried about. In fact I'd rather see higher gas prices so that we don't go through our limited and otherwise very useful oil reserves too quickly, putting a historically unprecidented strain on the Earth. No natural process has ever burned on the oil reserves on Earth in the short span of a couple of hundred years.
global_05_local_5_shard_00000035_processed.jsonl/45442
Comments about ‘PBS: Acting like a network as well as service’ Return to article » • Oldest first • Newest first • Most recommended Irony Guy Bountiful, Utah When Arts & Entertainment became "the Duck Dynasty," my faith in market-based TV evaporated. There is NOTHING worthwhile on the commercial networks anymore. My TV is glued to PBS. Salt Lake City, UT Anyone remember when Bravo was ballet and symphonies? The History channel was often derided as the World War II channel, but at least it was some kind of history. I'll bet they haven't shown a B17 video in years. Even Nat Geo is more interested in pseudoscience than science these days, it seems like. The pull of the market towards the lowest common denominator is intense. Congrats to PBS for standing strong (and to folks like the Annenberg Foundation for making the noncommercial model sustainable). to comment About comments
global_05_local_5_shard_00000035_processed.jsonl/45486
Welcome! Log in or Register Sigma EX DG, 72 mm • image £668.00 Best Offer by: amazon.co.uk See more offers 1 Review • Sort by: * Prices may differ from that shown • Write a review > Write your reviews in your own words. 250 to 500 words Number of words: Number of words: Write your email adress here Write your email adress Your dooyooMiles Miles 1 Review Sort by: • More + 01.04.2012 19:53 Very helpful Mid-range UV filter Today i'm taking a look at Sigma's 72mm UV filter - it's a product that I didn't start using until recently, as I normally opt for Hoya's Pro1 variety which was out of stock the last time I visited my local camera shop. A filter explained - - - - - - - - - - - If you're unaware of what a filter is, or indeed what it does - it's simply a thin glass disc which screws onto the front of your camera's lens and offers protection combined with whatever is the filter's speciality. In this case it's a UV (ultra-violet) model which reduces ultra-violet light, and ultimately removes haze in your photos where the sun is prominant. It's important to note that you'll need to purchase the correct size filter depending on the thread on your lens - this particular review focusses on the 72mm variety which has a current amazon price of £29.70. Compared to the Hoya Pro1 filter, the Sigma is very similar in terms of cost - but which is the better performer? Advice and Performance If you're using a decent UV filter, you can leave it on your camera at all times - this gives you the extra peace of mind that your valuable lens won't get scratched - would you rather damage a £25 piece of glass (the filter), or a £500 piece of glass (the lens)? With a solid construction, i've found that the Sigma screws smoothly onto my lens and remains firmly in place. Photos taken using the filter are clear and without any degradation from the product's use. Haze is visibly reduced, and I can see no real difference between the Sigma and the Hoya in terms of performance. The only qualm I have is the fact that it scratches a little easily - don't get me wrong, i've subjected this filter to a lot of rough treatment when my camera has been resting against fence posts / trees etc - it's just that that the Hoya filter seems a little more resilient, and i've used both products for the same amount of time. Final Word - - - - - - - Overall, the Sigma's 72mm UV filter is a decent product which does exactly what it is supposed to do - but would I buy it again? To be honest the answer is "probably not"; i'll revert back to the Hoya Pro1 when this needs replacing - it simply feels like it's a little more likely to get damaged over an extended period of time. Login or register to add comments
global_05_local_5_shard_00000035_processed.jsonl/45487
Welcome! Log in or Register 1 Review • Reliability • Write a review > Write your reviews in your own words. 250 to 500 words Number of words: Number of words: Write your email adress here Write your email adress Your dooyooMiles Miles 1 Review Sort by: • More + 25.03.2007 05:15 1 Comment • Reliability Worth your money I bought this model some time ago. It is a good one. It is portable, despite the size. The sound is good too. Not may new buttons, as all are needed for the different functions. As it is smaller than any usual hi-fi set, you just can't turn up the volume to the maximum in order to avoid 'the sound breaking'. CD playback function is good. Of course there are functions where you can add bass to the music. Cassette playback function is normal too, as well as the radio tuner. Affordable with a robust look. Login or register to add comments
global_05_local_5_shard_00000035_processed.jsonl/45488
Welcome! Log in or Register Asda Micro Marshmallows • image 1 Review Brand: Asda / Type: Marshmallow • Write a review > Write your reviews in your own words. 250 to 500 words Number of words: Number of words: Write your email adress here Write your email adress Your dooyooMiles Miles 1 Review Sort by: • More + 19.04.2011 22:09 Very helpful 1 Comment Very pretty Asda Micro Marshmallows: I love making cupcakes and recently my Mum and her boyfriend came round for afternoon tea and I made a big cupcake display with lot's of differently decorated cupcakes. One of the decorations I used were Asda Micro Marshmallows. The marshmallows come in a thin plastic tub with a silver plastic lid. The lid is kind of annoying as it just kind of pushes slightly into the tub and rests there, it doesn't fit tightly and so if the tub is knocked over the lid comes off and you end up with very tiny marshmallows everywhere! The tub is clear so you can see the little marshmallows inside and you can always tell how many you have left. The marshmallows themselves are really very tiny at about 7mm in length and about the same diameter as a silver ball. I think they are very cute especially given their pink and white colours. From what I can tell the quantities of white and pink marshmallow are pretty even. These are so tiny that individually they have almost no taste, just a hint of sweetness and even a good sprinkling on the top of a cupcake doesn't really add a lot of flavour but then that's not what they are there for; their job is simply to look rather fantastic and they do! Nutrition wise they have just 64kcal per 1g but a mighty 71.4g of sugar! To put it in context though the entire packet only contains 20g and I think that is enough to liberally decorate at least half a dozen cupcakes if not, more. They have no artificial colours or flavours and no hydrogenated fat but they do contain pork gelatine and therefore are not suitable for vegetarians. These cost 64p per pot and are currently, {April 2011}, on offer at 4 for £2.00 along with several other Asda cake sprinkles. I love these and along with some pretty vanilla frosting and a pink cupcake case they made my cupcakes look gorgeous and everyone commented on how sweet, {no pun intended}, they looked. Girly girls of all ages will love these and I thoroughly recommend them! Login or register to add comments
global_05_local_5_shard_00000035_processed.jsonl/45489
Welcome! Log in or Register Tea Forte English Breakfast Whole Leaf Gourmet Tea • image Brand: Tea Forte / Type: Breakfast Tea • Write a review > Write your reviews in your own words. 250 to 500 words Number of words: Number of words: Write your email adress here Write your email adress Your dooyooMiles Miles • Product Details Tea forté Event Boxes are the most cost effective way to purchase Tea forté gourmet tea. Each box contains 48 silken tea infusers. Choose a single tea blend or from two pre-packed assortments.
global_05_local_5_shard_00000035_processed.jsonl/45505
Channels ▼ Web Development Cleaning Up the Markup Mess April, 2004: Letter from the Editor The dividing line between the printed word and the digital word is often a murky place to have to work. While it's true that almost all documents these days are digital, it doesn't necessarily follow that all those documents have all the potential advantages that digitized information can provide, such as easy categorization and retrieval and easy transformation to various other formats. Our modern world creates a chaotic storm of these documents every day, and it's often the job of Perl to pull order out of that chaos. All of this became obvious in a recent conversation with a TPJ reader whose job involves the unenviable task of converting PDF documents to HTML. As he puts it: "PDF has NO structure. It's just digital paper. What's in the file is:'Put this text at this location.'" The documents he has to parse contain no information about the logical characteristics of their own parts. Basically, this means you don't really know what's what—how do you tell a magazine article's title from its subtitle from the caption of a figure or diagram? Having written some Perl here at TPJ to convert our documents from our page-layout program's proprietary format to HTML (and XML), I sympathize. Why is this such a nasty issue? Shouldn't SGML and XML solve this problem? Well, yes. If your documents are created from the beginning in these information-rich markup languages, and your word processor or page-layout program saves your documents in these formats, you're golden. But good luck finding a WYSIWYG word processor or page-layout program that does a halfway-decent job of this. The current industry standards either have very naïve XML implementations, or require a more complicated configuration process than most users are willing to tolerate in order to enable such XML awareness. And in order for a document format (like XML) to be information-rich, someone has to input that information. It's not enough to type in the title of an article—the author must then also label this title with the metainformation that in some way states that "this is a title." This is an extra step that most document creators won't take unless they are forced to. When faced with the choice of meeting a printer's deadline or labeling a document for easy processing later on, you can guess where the document author's priority would (and should) fall. The real problem here is that document authors are concerned mostly with what the document looks like, not how it's logically structured. After all, if some text is at the top of a document, and it's large and bold, we naturally see it as a title. If it's text aligned underneath a picture, we see it as a caption describing that picture. This is a visual process that involves only our eyes and our brains. But there's a solution here, too: In many cases, these visual characteristics are the only metainformation you need to parse the document's structure. At TPJ, we use a combination of these text characteristics and an object's position on the page to make decisions about tagging our content. We do it all in Perl, naturally. It allows us to entirely automate the process of conversion to HTML—but only because our articles are laid out in a very consistent way. If a document's text styles and the positions of various objects within the document change unpredictably from one document to the next, there are no patterns to work with and you're back to manually labeling all the parts of your document. As great as Perl is, it can't help us to glean logical structure from our documents when there's nothing to be gleaned. Kevin Carlson Executive Editor The Perl Journal Related Reading More Insights Currently we allow the following HTML tags in comments: Single tags <br> Defines a single line break <hr> Defines a horizontal line Matching tags <a> Defines an anchor <b> Defines bold text <big> Defines big text <blockquote> Defines a long quotation <caption> Defines a table caption <cite> Defines a citation <code> Defines computer code text <em> Defines emphasized text <fieldset> Defines a border around elements in a form <h1> This is heading 1 <h2> This is heading 2 <h3> This is heading 3 <h4> This is heading 4 <h5> This is heading 5 <h6> This is heading 6 <i> Defines italic text <p> Defines a paragraph <pre> Defines preformatted text <q> Defines a short quotation <samp> Defines sample computer code text <small> Defines small text <span> Defines a section in a document <s> Defines strikethrough text <strike> Defines strikethrough text <strong> Defines strong text <sub> Defines subscripted text <sup> Defines superscripted text <u> Defines underlined text Dr. Dobb's TV
global_05_local_5_shard_00000035_processed.jsonl/45522
@inproceedings{Klonner2009Financial, abstract = {If there were no impediments to the flow of capital across space, then interest rates would equalized. We provide evidence to the contrary. We find significant differences in interest rates across the South Indian state of Tamil Nadu, i.e. evidence that financial markets are fragmented. We also find evidence of limited arbitrage across financial markets.}, address = {G\"{o}ttingen}, author = {Stefan Klonner and Ashok S. Rai}, copyright = {http://www.econstor.eu/dspace/Nutzungsbedingungen}, keywords = {O16; G21; 330; credit constraints; informal finance}, language = {eng}, number = {19}, publisher = {Verein f\"{u}r Socialpolitik, Ausschuss f\"{u}r Entwicklungsl\"{a}nder}, series = {Proceedings of the German Development Economics Conference, Frankfurt a.M. 2009}, title = {Financial Fragmentation despite Arbitrage}, url = {http://hdl.handle.net/10419/39917}, year = {2009} }
global_05_local_5_shard_00000035_processed.jsonl/45523
EconStor > Institut für Weltwirtschaft (IfW), Kiel > Kieler Arbeitspapiere, IfW > Please use this identifier to cite or link to this item: Title:Feedback Trading and Predictability of Stock Returns in Germany, 1880?1913 PDF Logo Authors:Pierdzioch, Christian Issue Date:2004 Series/Report no.:Kieler Arbeitspapiere 1213 Abstract:I use a time-varying parameter model in order to study the predictability of monthly real stock returns in Germany over the period 1880?1913. I find that the extent to which returns were predictable underwent significant changes over time. Specifically, predictability of returns, as measured by their first-order autocorrelation coefficient, was positive most of the time. It tended to be significant during extended periods of stock market decline, but not during periods of stock market increase. I argue that this timepattern of predictability of returns is consistent with feedback effects of futures trading on the spot market. Subjects:Stock market Return Predictability Document Type:Working Paper Appears in Collections:Kieler Arbeitspapiere, IfW Publikationen von Forscherinnen und Forschern des IfW Files in This Item: File Description SizeFormat kap1213.pdf384.67 kBAdobe PDF No. of Downloads: Counter Stats Download bibliographical data as: BibTeX Share on:
global_05_local_5_shard_00000035_processed.jsonl/45524
EconStor > CESifo Working Papers, CESifo Group Munich > Please use this identifier to cite or link to this item: Title:The effect of monetary unification on public debt and its real return PDF Logo Authors:Beetsma, Roel Vermeylen, Koen Issue Date:2005 Series/Report no.:CESifo working papers 1400 Abstract:We explore the implications of monetary unification for real interest rates and (relative) public debt levels. The adoption of a common monetary policy renders the risk-return characteristics of the participating countries more similar, so that the substitutability of their public debt increases after unification. This implies that the average expected real return on the debt increases. Also, the share of the unionwide debt issued by relatively myopic governments or of countries that initially have a relatively dependent central bank increases after unification. This may put the political sustainability of the union under pressure. A transfer scheme that penalizes debt increases beyond the union average is able to undo the interest rate effect of unification, but magnifies the spread in relative debt levels. Subjects:monetary union (relative) public debt interest rates central bank independence Document Type:Working Paper Appears in Collections:CESifo Working Papers, CESifo Group Munich Files in This Item: File Description SizeFormat cesifo1_wp1400.pdf452.1 kBAdobe PDF No. of Downloads: Counter Stats Download bibliographical data as: BibTeX Share on:
global_05_local_5_shard_00000035_processed.jsonl/45550
The signs are so clear that Apple wants a bigger slice of the gaming pie, you probably don't need us offering our own cockamamie theories (iPhun!). But maybe Yves Guillemot will be enough to convince you. During an earnings call yesterday, the Ubisoft boss said "There's also a new entrant in the business. [That entrant is] Apple, with the iPhone. And we don't think they will stop there." Reading the rest of the context on Kotaku, it certainly sounds like Guillemot is thinking that Apple's working on new hardware. So, we've gotta ask: Do you have room in your heart for another box? This article was originally published on Joystiq. Indiana Jones and the Staff of Kings releases June 9
global_05_local_5_shard_00000035_processed.jsonl/45552
Germany keeps spreading the browser hate, warns against Firefox Remember back when Germany's Federal Office for Information Security said that Internet Explorer just wasn't good enough for its citizens? The Office is doing its civic duty once again, this time warning against that formerly lean and mean upstart competitor: Firefox -- for a little while, at least. The Office "recommends the use of alternative browser until Mozilla has released Firefox version 3.6.2," due one week from today, and while it doesn't make a recommendation on which browser you should be using in the interim, we're thinking Lynx users can keep on surfing with confidence. Update: Just as this post was going live Mozilla released the 3.6.2 Firefox security update that Bürger-CERT was looking for. Their press release has been changed to recommend updating your browser to the new version ASAP, and if you really did jump over to Lynx we would recommend closing that terminal window and getting back to reality ASAP. Public Access Nokia's Symbian^3 touchscreen flagship leaked?
global_05_local_5_shard_00000035_processed.jsonl/45553
"Who writes this stuff?" It's something considerate game players and critics often ask aloud -- and they're barely heard over the sound of a laser chainsaw going into some monster's maw. The New York Observer has published an interesting piece on writing in games, with a focus on novelists, screenwriters and journalists that have made the leap to interactive storytelling. Some of these writers seem to have a higher profile than the plots, characters and dialogue they provide. "What I found on the other side was that I'd never really understood how hard it was to get any kind of coherent story into a game, let alone a good one," said Rhianna Pratchett, former journalist and writer behind the Overlord games. Her observation isn't just critical of the quality of games writing, but of how late it finds its place in the development process -- if it's incorporated at all. Extra Lives: Why Video Games Matter author Tom Bissell and his writing partner, Rob Auten, were apparently called in to fix the dialogue for an upcoming franchise reboot at a stage where the game was "largely finished." "I always say that the games industry makes Hollywood look like avant-garde poetry publishers," Bissell said. Games writing pays a lot less than Hollywood, of course, and doesn't offer the same kind of recognition. Marc Laidlaw, novelist and writer at Valve, believes the world of books provides a more apt rival. "I think you learn a lot about writing dialogue and stuff from movies," he said, "but games just compare more closely to novels, I think, because you immerse yourself in them and they take up a big part of your life for a very long time." Valve is anomalous in having in-house writers like Laidlaw, and the studio's games, like Portal and Half-Life 2, are anomalous in being commended not just for dialogue or individual scenes, but for how well their scenarios and characters fit within the unique structure of a game. If writers become part of the collaboration at an earlier stage, we might again ask, "Who writes this stuff? And where can we play more of it?" This article was originally published on Joystiq. Dragon's Lair now awkwardly leaping to PSN
global_05_local_5_shard_00000035_processed.jsonl/45607
Experience Project iOS Android Apps | Download EP for your Mobile Device It was the first time I ever had sex with more than one guy I was with my best friend Amanda.  She had invited me to Cancun Mexico with her family.  I was only 13, but almost 14, my BFF Amanda was 16.  My mom let me go, being she knew Amanda’s parents and my mom wanted two weeks ALONE with her new boyfriend, her own vacation of sorts.  Mom paid my air fare, that’s how much she wanted me “OUT” of her apartment.     Amanda had three younger brothers and one older brother. There were 6 kids total on our trip and her parents didn’t really have enough time (or try) to keep track of Amanda and I much. We went “unsupervised” for almost two weeks and during those two weeks …WOW …we both had loads of fun and were pretty sex active. If you’ve ever been to Cancun during spring break, it’s super wild.  Lots of drunk, crazy college students.  It’s pretty easy to get laid in Cancun. Our first day in Cancun, Amanda and I saw all these hot, sexy bodies (guys + girls) and some college girls wearing almost nothing on the beach.  So we both bought like ultra-sexy thong bikinis, to make ourselves hot and sexy to “grab” guys attention.  We tried to compete with these older college girls and that afternoon Amanda and I floated on pool mattresses out in the ocean.  It was like my first experience wearing skimpy thongs in Mexico, where the sun is stronger.  I wanted my “bottom” to be as tan as Amanda’s who was like totally tan all over her body and by late afternoon, I thought I had tanned my bottom, when in reality I had “cooked” my ***.   By early evening, my *** looked a bit like lobster tails and I was hurting so bad, Amanda stole a bottle of tequila from a storage room off our hotels pool bar and we drank the entire bottle.  I was feeling sunburn pain a lot by that point.  I got completely drunk that night and Amanda wanted to walk down the beach around midnight.  We I hurt too much to even slide my bikini over my sun-cooked *** and that’s when Amanda decided we should both walk the beach to cool off.   I remember walking out of our room, I was like so drunk, I kept swerving as I walked down the hall.  We headed out toward the beach and I couldn’t even walk and being “nakey” underneath my skirt made me totally excited.  Amanda saw this little, seedy Mexican bar, just off the beach front street. Even though we were both too young (way under age) the crazy Mexican bartender let BOTH inside.  Amanda looked older than her age back then, I had actually started to develop some boobs also, a pretty nice “rack” for 13, I was pretty proud of them.   I was like OMG – it was the first time I’d ever gotten into a bar.  Amanda walked toward the bar counter and I followed her.  We sat on stools at the counter.  I remember she ordered me a drink and I told Amanda my butt was hurting again and she said I needed a stronger drink and she ordered me a double zombie, which I swear had more alcohol than mixer.    The bar was more like a dirty local “cantina” mostly for local workers in the hotels and such who got off late at night and need to drink/relax.  I was having fun flirting and feeling sexy when the alcohol hit me.  My eyes got glassy and I swear, my *****, it actually got wet.  I remember feeling so sexy and Amanda looked totally sexy and I remember Amanda kissed me right on the lips at the bar.   We were just wearing string bikini tops and sarongs, with nothing underneath and when Amanda put hands on my waist and I put my hands down on hers, she moved her fingers right down under my thong and started to caress me.  She like played with my *****, while we kissed and OMG – she got me totally wet + totally excited.    Amanda and I were having a great time flirting and latin dance music was playing and OMG – the guys in the bar kept staring at us.  Amanda was so sexy, I felt like some GODESS with her that night.    I remember after that, I got so super drunk, when Amanda told me to “flash” all the guys sitting at the tables across from the bar counter, I thought she meant “pootie” so I swivel around and put one foot on the rail of my stool and then opened my thighs like total ****.  I gave the guys a “**** MOON” and OMG – Amanda starts laughing at me, we were both total drunk I felt totally embarrassed but being so drunk didn’t even care but the guys they were all like going “whoo whoo” at me and Amanda felt jealous of me so she decides to flash them.  You could basically see her entire “pootie” under her skirt when she walked in the door and OMG - When she flashed her pootie, it was like really dirty.  She like puts her foot on the highest ring of her stool and opens up her thighs WIDE …OMG …You couldn’t believe she was so drunk that night you need to understand, Amanda was actually more drunk than me and I was like “off my butt” drunk.   After that, we decided to dance together and just as we start dancing sexy, two sexy Mexican boys come up and introduced themselves.  One guys name was Mateo I forgot the others name, something like Hernando. Hernando took Amando over to a table and Mateo and I went on the floor to dance a bit.  A couple of seconds later, Mateo put his hands over my *** (remember I wasn’t wearing panties) and OMG – the next minute, he asked me outside for some air.   I was so flattered he asked me, being Amanda was so popular that night.  She was already talking with a whole bunch of guys and I wanted to tell Amanda that I'd be right back, but she was talking/flirting so bad, she didn’t even notice me leaving.  So I just left with him.    Mateo took me around the corner into this pretty dark alley-like side street where he said his car was parked; we kissed right on the hood and eventually I got into the back seat with him. I was like a trampy, little ***** back then and I was really drunk after having another Zombie drink at the bar.  I was feeling super horny and slutty and when Mateo felt me up …OMG - I was bare nakey under my sarong, totally wet down below and when he found out I was willing to kiss him, he got very excited which got me totally excited. I looked down to see this “BULGE” springing out from his jeans.  I could tell from the size of that bulge, he was WAY into me.    OMG he got me so excited, knowing he was hot for me, it seemed like he was just having an awesome time with me, he was like kissing and groping me and he was very handsome to me also.  He was this hot, exotic, dark guy and I was having the time of my life also, being super drunk + ultra horny having absolutely no sex for like several weeks before our trip to Mexico.   I remember I slipped off my bikini top for him and I let him suck and squeeze my breasts. My legs were spread open a bit, he put one hand between them. I knew what was happening when I felt him tug on the ties of my sarong (bikini wrap) next thing I knew I felt my wrap slither down my legs.  Inside I loved it, I was a bit scared/nervous, but the feeling of being totally naked with this handsome boy.   The cool air blew on my sun-burnt body, it felt terrific.  I kissed him and he starts kissing me back, next think I knew he was fondling, caressing my naked body and OMG - this dark, handsome Mexican boy … Total turning me on for sex with him.   I wasn't a virgin by then, actually not even close. I'd slept with a lot of guys at my school.  So I was very “ready” when I felt his **** darting around my ***** lips.  I knew he wanted to penetrate up my ***** and I wanted it also. I remember it felt so good I actually helped him slip inside me. He was like both kissing and pumping me …same time …and OMG - saying dirty things to me in both Spanish and English. It was totally crazy and wild, I was just moaning and holding on to his shoulders and feeling this total sexual desire, super slutty inside and living pleasure “in the moment.”   It was very warm and steamy in the back of that car and we both were sweating and breathing like crazy.   For some crazy reason, my sunburned *** didn’t seem to hurt at all.  I was heavy with passion as we kissed and ****** each other.  I was very close to having an ****** when I opened my eyes and looked over his shoulder to see four other guys from the bar watching us **** inside his car.   My first thought was PANIC!  Mateo really started to **** me hard when he saw other guys were watching us. He was like groaning and slamming his **** into me OMG – he wanted to *** really bad and it felt so wonderful, knowing this guy wanted me so much. Suddenly I felt his **** spasm, I knew he was ******* loads into me, I could feel squirts his load like up into me and OMG – it wasn’t even protected, but back then I didn’t really care and when I’m on vacation, I’m 24-7 crazy wild, like “TOTALLY” in the moment so to speak.    I remember I could feel this “*** flood” I heard Mateo groan with pleasure. I was lost in his passion and then my passion came over me like a cloud mist of passion/drug fueled high or something close to that.  I just closed my eyes and thrust my pelvis into his naked crotch.   I was still very close to ******* but I didn’t quite make it. Suddenly, Mateo started to slow down and he whispered some dirty things in my ear in Spanish that I didn’t understand and finally he stopped. He kissed me and smiled as he pulled out. God I felt so empty; I wanted to *** so bad and I felt his *** like seeping out of my ***** crack.   He reached behind himself and opened the door and began to back out. As he stepped out, he pulled his pants up. I was still lying in the back seat, soaking wet, wild with sex desire, desperately seeking ******!  I sat up a little and closed my legs a little, covered my breasts up with my hands And I looked to now see six guys besides Mateo looking in at me and smiling and talking in Spanish.   I was still really drunk, horny like some *****, slutty DOG …but I must have been completely insane too because instead of screaming for Amanda or the police, I let my hands expose my nipples again and opened my thighs up to the guys and …As I looked down at my breasts, I let my legs fall part then I like just spread them open more; I knew they could all easily see my *****.   I looked up and all I really remember is the gold tooth of this big, hairy Mexican guy pushing in between my legs as he climbed on top of me in the back seat. I laid back and closed my eyes as I felt his **** find my *****. He rubbed it up and down right on the lips of my ***** before he finally slipped his **** into me.   I must have been the first white girl he had ever been with because he ****** me hard for about one minute before he was groaning and ******* inside me. All I remember is that those older Mexican guys …Just made me feel like I was the ONLY GIRL IN THE WORLD.  They were all much older than Mateo, most in their 40’s and 50’s, some maybe 60’s. They all seemed like poor, Mexican laborers.  It seemed like sex with me, was just a total thrill for them.    The sex was like totally fantastic to me bcuz it was so exotic and strange, doing the dirty in a public street in Cancun Mexico.  I guess there’s just something about ******* foreign men in some strange, foreign country.  I felt like the only girl in the world that night, like they’d never seen another hot chick, never ****** an American girl, like the only girl in the world …That’s how I felt that night.    They all just totally loved ******* me like so much. Most boys in my school just wanted Blow Jobs from me, but that night I could feel it, see it in their eyes, almost taste it in their kisses.  They all seemed “HUNGRY” for me, kissing me, like my entire body, even thought I was sweaty and sticky hot, they just kept licking all over my body, my toes and *** hole got licked that night.  Every one of those guys were super hot to me also, like they all pumped *** huge loads inside my *****, didn’t even ask or care about protection …OMG …that was such a turn on for me.   As the last guy ****** me hard, huffing and puffing, and when he finally shot his load inside my *****, I just laid there on this dirty mattress, soaking wet with sweat, in a pool of ***.  I felt totally satisfied, super sweaty and exhausted, but totally satisfied, because I’d *** like three times that night.   The final guy was still on top of me breathing hard and I could still feel his pulsing **** inside me as *** bubbled and seeped out around it and down over my ***. That night, after the last guy ****** me, I swear I had this endless final ******. With each new guy, they put me on some new orgasmic level. I kept moaning and kissing and letting these guys kiss, lick and **** me and I would suck on their *****, lick and kiss them …OMG - It was like orgasmic heaven!   As he got off me and pulled his pants up, I sat up on the slippery back seat. Mateo and his friends were still looking in at me and smiling. Somebody said something in Spanish and Mateo nodded. Then Mateo reached in and took my hand. I stepped out of the car and re-tied my bikini top and brushed *** off my ***** and *** and re-wrapped my beach skirt around my waist.   Mateo walked me a little further down the street away from the bar and we turned another corner into some sort of blind alley way. I could actually still *** dripping down my legs, it got me so excited.  I felt so slutty, dirty that night.  I remember feeling drips of *** run down my inner thighs and down my calves, and down my legs.  It stopped at my ankles.   I was still very drunk and shaky from an unbelievable sexual experience. The guys all followed me. As we rounded the corner, I could barely see I was so hot for sex. It looked like there was something on the ground and a couple more guys faces were in shadows, behind the biggest trash I’d ever seen in my life.   Mateo walked me to what appeared to be a dirty old, ripped and torn mattress that guys had drug out and laid down right on the ground of the back alley. I looked back towards the entrance and saw all the other guys who’d just ****** me, they were all still there. I looked back towards the black walls and down at the mattress again.  I saw what must have been 10 guys step out of the shadows, out from the darkness; I could hear music from the bar down the street.   Next thing I remember was Mateo kissed me.  He reached down lifted up my sarong and squeezed my naked *** smeared *** cheeks.   I felt more hands from behind and suddenly some guys mouth started kissing down my neck.  More hands were on my **** and other got groping my *****. I don't know, I guess I just lost control because the next thing I knew I was naked again, on my knees sucking three Mexican **** all same time (one then another) like a complete *****.  I can still remember the taste of those *****.  They smelled animal like, like some dirty, wet puppy dog.  But I love that smell BTW.  The guys were probably working all day in the fields, they smelled it, sort of like a sweet, animal smell …Wonderful smell to me, even to this day.   A couple of guys came in my mouth before they could even lined up to **** my *****.  I remember being on my knees and getting down “doggie style” for them. I was completely lost in sex and *** and pleasure after that. Some guys were ******* me so hard I was screaming in pleasure and I was sucking **** after **** like crazy I couldn’t even talk and guys just sucked and rubbed and pinched my nipples and licked my body and I just started to *** again from all of the orgasmic rubbing and sexual sensations.   I swallowed a couple loads of hot, delicious *** and I felt a couple more guys *** deep inside me down below. Somewhere in the sex frenzy, I really wanted to get sex crazy with them.   I remember feeling this “spasming ****” down my throat, I could feel *** pumping down and suddenly I felt another guy trying to slip his **** into my ***. I'd had done anal sex a few times before, I wasn't too sure about this, but they weren't trying and next thing I knew he was ******* me in the *** as some other guy gave me this **** to suck so I just let him **** and swallowed that other guys ****.   I must admit, it felt really good some guy said to me:  U seem l a delicious little ****!  I remember he said it while I had a **** down my throat and one up in my ***, full deep I might add. I remember thinking to myself:  OMG – I’ just a complete **** tonight, it got me so incredibly hot, thinking dirty thoughts about sex and by that point, I felt so, I don't know, full of slutty thoughts I guess that I just let my ***** talk it was still tingling from all the **** and *** it'd had before.  I felt like some sex goddess, I was all just delicious sex and I was delirious with desire.   I was sucking and moaning, I could feel the guy's **** slipping in and out of my tight little ***, his **** felt so big that it hurt a little at first, but he ****** me real slow and easy before he let out a groan and came deep in my ***.   The next guy ****** my ***** and got his **** nice and slippery with spit and then he ****** me hard in the ***; and then another guy wanted in my ***** and some guy pumped his **** down my throat and the guy in my *** came and I don't even know how many of them thrust and pumped and thrust and pumped all my holes full of ***, but it must have been at least 7 or 8.   I just sucked **** became obsesses with it, one with it and I swallowed load after load as guys banged my *** and ***** down below. After about the fourth or fifth guy, my ******* felt pretty loose and relaxed, like a little *****, so as each new guy ****** my ***, their penetrations were pretty easy, they were actually taken back by it, that a young girl could *** **** so easy.  Apparently, “Mexi chicks” have total distaste about anal, Mateo said they hate it and they don’t do it much and it made me so proud, because, I liked it, it felt good that night. I let them all **** me in the *** and I could have easily taken them all on anally.   I don't know where it ended or how long I was gone, but at some point, the last guy moaned and squirted his last *** load inside my mouth and I gulped it down. I never even saw the guys leave, but when I finally caught my breath and looked up; it was just Mateo and I. I'm sure all the others were afraid I'd scream rape or something.   I don't even know how many guys I gang-banged that night. I certainly didn't ask. I just wondered how many other drunk white girls down in Cancun got ****** in that alley on that dirty old mattress that spring break.   I remember looking down at my body, I was a *** covered mess, my legs and face and stomach were smeared with dirt and ***; my hair totally evil, like “destroyed” and had pieces of trash in it with *** globs OMG – I looked totally slutty ..GAWD awful, but Mateo incredibly said I looked dirty-slutty-sexy, super-slutty, which he liked.   After my gang ****, Mateo led me into the bathroom around the back, where workers clean up and such. I cleaned up my face and body and put my hair up and used damp paper towels to wipe the *** out of my *** and ***** and hair. After a couple of minutes, I didn't look too bad so I rejoined Amanda and her friends and Mateo back at the bar. I wondered if the guys Amanda met were planning the same thing for her, but she didn't leave with them, I guess I'll never know whether or not she got "drilled" that night.   I didn't tell Amanda what had happened that night. But the next day we "innocently" walked by the same place. I noticed the car was still parked there. It didn't even have tires! I peeked down the alley and I saw the old mattress leaned up against a pile of trash. The whole alley was pretty much a trash heap.   My ***** and *** were sore for a couple of days after that night. And, of course, every Mexican guy I saw, I wondered if he'd been there, if he'd had my *****, ***, or mouth.   We never went back to the bar, but a couple days later we were walking past and we looked in to see Mateo talking to another young, American girl. She was a very pretty blonde girl. She was wearing a thin, white, and completely see-through sarong over her G-string, a tiny bikini top that barely held in her big ****.   I admit I felt a little jealous, but I knew what she was in for. Then a really dirty thought crossed my mind. I thought if I could get away from Amanda later, I'd like to come back and watch. But I never did.  Unfortunately, I ended up getting an STI that night called HPV, but it’s not too bad.  My doctor said HPV in young females are usually temporary and have little long-term significance.    I was like “WHEW” when he said that. SluttyBuddy SluttyBuddy 18-21, F 5 Responses Jun 19, 2011 Your Response Such a hot story (; Will you come **** me? fake storie fake storie Oh wow, that is one sexy story..You are amazingly hot!
global_05_local_5_shard_00000035_processed.jsonl/45612
Module usage A "feed" consists of basic information about the feed, along with an unlimited number of feed items attached to the feed. Feeds can be published onto web pages. Information kept in a feed can also be easily shared. This section covers: • creating and naming a feed; • editing feeds and entries; • working with feed in many languages; • publishing feeds; Mutli-lingual content The feeds are built upon an existing and widely recognized RSS-standard. This standard offers language support but its usage is not mandatory. As a result, a feed may, or may not, be tagged with the language. This in turn, makes general support for this feature limited. Many RSS-readers and aggregators do simply not understand the language tag [disclaimer for the advanced reader - the above is slightly simplified]. We (FAO) strive to publish material in many languages. If we publish all in one feed, using the language tag not understood by many readers, we run the risk of, in effect, "spamming" readers with information in other languages than English. We have therefore opted to publish information in a feed in one language only. If we want to have information available in many languages, we make separate feeds for this. An example is the news for the FAO Forestry home page. last updated:  Monday, February 2, 2009