fasttext_score
float32 0.02
1
| id
stringlengths 47
47
| language
stringclasses 1
value | language_score
float32 0.65
1
| text
stringlengths 49
665k
| url
stringlengths 13
2.09k
| nemo_id
stringlengths 18
18
|
---|---|---|---|---|---|---|
0.981746 | <urn:uuid:bc739448-527e-4edf-843f-2ccaad3b2fa0> | en | 0.783319 | Take the 2-minute tour ×
How can you make a specific action based on the url by base.html?
I have two if -clauses as context statements in base.html. If there is algebra in the GET, then the given context should be shown.
My url.conf
from django.conf.urls.defaults import *
urlpatterns = patterns('',
(r'^algebra/$', 'algebra'),
(r'^mathematics/$', 'mathematics'),
My base.html in pseudo-code
<html lang="en">
{% if algebra %}
<div>... -- do this -- </div>
{% endif %}
{% if math %}
{% endif %}
share|improve this question
add comment
2 Answers
up vote 1 down vote accepted
An alternative to Ned's variable-value-based method is to use two different templates that extend a common base template. E.g.
In templates/base.html:
<html lang="en">
{% block main_body %}
{% endblock main_body %}
etc., etc.
Then have your algebra view use templates/algebra.html:
{% extends "base.html" %}
{% block main_body %}
do algebra stuff here
{% end block main_body %}
and do something similar for math or whatever. Each approach has advantages and disadvantages. Pick the one that feels like the best fit to your problem.
Update: You pass "algebra.html" as the first argument to render_to_response(). It extends "base.html" in that it uses all of it except for the block(s) it explicitly replaces. See Template Inheritance for an explanation of how this works. Template inheritance is a very powerful concept for achieving a consistent look and feel across a large number of pages which differ in their body, but share some or all of the menus, etc. And you can do multi-level template inheritance which is extremely nice for managing sites that have subsections which have significant differences with the "main look" and yet want to share as much HTML/CSS as possible.
This is a key principle in DRY (Don't Repeat Yourself) in the template world.
share|improve this answer
What is your view -method? Is it def common_view(request): ctx = Context(); return_to_response("base.html", ctx) ? – Masi Jan 5 '10 at 4:04
add comment
You don't show your view functions, but here's a simple structure:
def algebra(request):
return common_view(request, algebra=True)
def math(request):
return common_view(request, math=True)
def common_view(request, math=False, algebra=False):
ctx = Context()
ctx['algebra'] = algebra
ctx['math'] = math
# blah blah, all the other stuff you need in the view...
return render_to_response("base.html", ctx)
(I might have some typos, it's off the top of my head).
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/2003371/django-setting-context-by-urls-get | dclm-gs1-054390000 |
0.600635 | <urn:uuid:7f15f69d-1809-4e64-a908-10cc8d37bb49> | en | 0.858401 | Take the 2-minute tour ×
I want to create a static options menu for all my activity screens. I dont want to override onCreateOptionsMenu() in each activity.
Since Menu class is an interface with a huge number of methods, its difficult to create a static object of the implementing class.
Any other way of doing the same?
share|improve this question
add comment
1 Answer
up vote 16 down vote accepted
If I read your question correctly you want the same menu in all your Activities. I can think of two ways to do this:
1. Create a subclass of Activity that implements onCreateOptionsMenu() and onOptionsItemSelected() (and possibly onPrepareOptionsMenu). Then have all your Activity classes extend this subclass.
2. Create a static method somewhere called something like populateOptionsMenu() that takes a Menu (and probably a Context) as arguments. Your Activity classes can then call this from their onCreateOptionsMenu() methods to populate the Menu. You'd also need a corresponding processItemSelected() static method for when items were clicked.
Option 1 seems best as it wouldn't require the same bolierplate in your Activities to call the static methods.
share|improve this answer
Thanks a lot Dave :) – Funkyidol Jan 18 '10 at 4:33
Do you mean Option 2 wouldn't require the same bolierplate? – jondavidjohn Jun 27 '11 at 17:55
The first solution is not good idea because it requires inheritance. What if my Activities are other than Activity (FragmentActivity, ListActivity, ...)? I think we should void inheritance when possible. – Emerald214 Jul 9 '12 at 7:33
add comment
Your Answer
| http://stackoverflow.com/questions/2070022/static-options-menu/2070189 | dclm-gs1-054400000 |
0.067301 | <urn:uuid:f88a7722-a528-4da8-bef1-af78a9131d46> | en | 0.734067 | Take the 2-minute tour ×
I am looking for a method in which i can convert a String to datetime object. I see cocos2d-X dosent contain a NSDate class. Can anyone please help me ?
Kind Regards
share|improve this question
Check out this answer: stackoverflow.com/questions/308390/… – h3nr1x Jan 29 at 14:49
add comment
1 Answer
You can try CCTime. There is a function in CCTime gettimeofdayCocos2d()
struct cc_timeval begin;
virtual float GetElapsedTime(){
struct cc_timeval now;
return CCTime::timersubCocos2d(&begin,&now)/1000;
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/21434098/cocos2d-x-c-convert-string-to-date | dclm-gs1-054410000 |
0.080525 | <urn:uuid:19f0e1c7-ebef-49d3-a4af-0cda772db28f> | en | 0.898641 | Take the 2-minute tour ×
I'm taking an algorithm course at the university, and for one of my projects I want to implement a red-black tree in C# (the implementation itself isn't the project, yet just something i decided to choose to help me out).
My red-black tree should hold string keys, and the object i created for each node looks like this :
class sRbTreeNode
public sRbTreeNode Parent = null;
public sRbTreeNode Right = null;
public sRbTreeNode Left = null;
public String Color;
public String Key;
public sRbTreeNode()
public sRbTreeNode(String key)
Key = key;
I already added some basic methods for printing the tree, finding the root, min/max key (by alphabet), etc...
I'm having trouble inserting nodes (hence, building the tree). Whoever's familiar with red-black trees knows that when adding a node to one side, you could have changed the balance of the tree. To fix this, you need to "rotate" around nodes on the tree in order to balance the tree out.
I wrote a RightRotate and LeftRotate method in pseudo-code, and then when i tried to implement it in C#, i ran into a bunch of reference problems with the sRbTreeNode object i created.
This is the pseudo-code I wrote for the LeftRotate method :
LeftRotate(root, node)
y <- node.Right;
node.Right <- y.Left;
if (y.Left != null)
y.Left.Parent <- node;
y.Parent <- node.Parent;
if (node.Parent = null)
root <- y;
if (node = node.Parent.Left)
node.Parent.Left = y;
node.Parent.Right = y;
y.Left <- node;
node.Parent <- y
I received a suggestion to implement it straight forward, but without using the 'ref' keyword, which i tried at first. This is how i did it :
public static void LeftRotate(sRbTreeNode root, sRbTreeNode node)
sRbTreeNode y = node.Right;
node.Right = y.Left;
if (y.Left != null)
y.Left.Parent = node;
y.Parent = node.Parent;
if (node.Parent == null)
root = y;
if (node == node.Parent.Left)
node.Parent.Left = y;
node.Parent.Right = y;
y.Left = node;
node.Parent = y;
Now, when i debug, i see that it works fine, but the objects i pass to this method are only rotated within the scope of the method. When it leaves this method, it seems like there was no change to the actual nodes. That is why i thought of using the 'ref' keywords in the first place.
What am i doing wrong ?
share|improve this question
As Andras says, show us the code so far and we'll give it a shot. – C. Ross Feb 12 '10 at 13:20
add comment
3 Answers
up vote 2 down vote accepted
Because in the body of your method you do this:
root = y;
you need to pass root in with a ref modifier. node doesn't need one, becausenode itself is never updated to point at a different ndoe. .
share|improve this answer
Just tried it, and it finally works!! I can't believe it was that easy, and i didn't realize that!... Thanks a lot! – gillyb Feb 12 '10 at 14:39
add comment
I don't see why you should have had any issues with references - the Left/Right/Parent nodes can be copied just as in this pseudo-code.
You should be able to expand it to C# without too much fuss - unless you're using the 'ref' keyword, in which case you could very well get unpredictable results.
Perhaps if you could show the code you've actually written thus far, and we can help debug that.
share|improve this answer
Well, i was trying to use the ref keyword, and i thought that was the right way to do it... I'll try without using ref, and see how it goes, Thanks. – gillyb Feb 12 '10 at 13:24
I just edited the question with the code i tried so far, maybe it will help you help me, since it doesn't fully work, I explained why in the edited question above. – gillyb Feb 12 '10 at 14:27
Well - there you go - @AakashM sorted it for you! – Andras Zoltan Feb 12 '10 at 14:41
add comment
My recommendations:
• Do not include parent pointers. They are not essential for the insertion or deletion algorithms and will make your code more complex. For example LeftRotate can be written with just one parameter and will be about half as long if you do not use parent pointers.
• Use an enum for the Color property rather than a string, and initialise it in the constructor.
• Read this article if you haven't already.
share|improve this answer
I need the parent pointers for something else that has to do with the structure. This will make it much faster to travel along the tree. – gillyb Feb 12 '10 at 13:21
Even if you do need them, it might be easier to implement the algorithms without them first and add them in later. – finnw Feb 12 '10 at 13:43
add comment
Your Answer
| http://stackoverflow.com/questions/2251897/c-sharp-reference-trouble | dclm-gs1-054420000 |
0.994277 | <urn:uuid:893eece4-5fbe-42f1-975a-c546d74823ac> | en | 0.79565 | Take the 2-minute tour ×
Is there a way to let a line, polygon,... , looks like it has been scribbled or hand drawn?
<line x1="10" y1="20" x2="200" y2="300" style="stroke:rgb(99,99,99);stroke-width:2"/>
share|improve this question
add comment
1 Answer
up vote 1 down vote accepted
Sure, break the line into several lines (or use a path with as many segments as you want). It should be fairly trivial to write a script that adds a bit of randomness to the points in each path segment. Another way is to use svg filters, see this example (more context and further examples available here).
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/2914513/scribbled-svg-line?answertab=active | dclm-gs1-054470000 |
0.998825 | <urn:uuid:eb263571-0319-4cbe-b012-b01803923743> | en | 0.896047 | Take the 2-minute tour ×
I'm writing a genetic algorithm for generating timetables.
At the moment I'm using these two heuristics:
1. Number of holes between lectures in one day (related) (less holes -> bigger score)
2. Each hour has some value, so for each timetable I sum values for hours when lectures are on. (lectures at more appropriate hours -> bigger score)
I want to balance these two heuristics, so the algorithm wouldn't favor neither one. What would be the best way to achieve this?
share|improve this question
add comment
2 Answers
up vote 1 down vote accepted
A very simple approach would simply be to add the scores together. At the end of the day, you want a blended score that goes up when either independent score goes up. You could use multiplication as well (being wary of number overflows depending on the size of your scores). With either approach you could weight the individual scores, e.g.
total_score = 0.4 * hours_score + 0.7 * holes_score
You could even make the weights user-configurable.
share|improve this answer
add comment
1. Develop a scoring function to evaluate the quality of generated timetables. You have the idea for that in your two heuristics.
2. Generate some random timetable problems.
3. Choose some values to balance the two heuristics, generate solutions, and evaluate which ones look best (if you can't come up with a scoring function, then eyeball it).
4. choose a new set of balance weightings (i.e. around a neighborhood of the best choice from last time) and repeat
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/3008460/balancing-heuristics-for-timetable-problem | dclm-gs1-054480000 |
0.043427 | <urn:uuid:3e5400c3-48fa-4d87-805e-fa8cafb0508e> | en | 0.916386 | Take the 2-minute tour ×
I have separate tables for Loan, Purchase & Sales transactions. Each tables rows are joined to their respective customer rows by:
customer.id [serial] = loan.foreign_id [integer]; = purchase.foreign_id [integer]; = sale.foreign_id [integer];
I would like to consolidate the three tables into one table called "transaction", where a column "transaction.trx_type" [char(1)] {L=Loan, P=Purchase, S=Sale} identifies the transaction type. Is this a good idea or is it better to keep them in separate tables? Storage space is not a concern, I think it would be easier programming & user=wise to have all types of transactions under one table.
share|improve this question
add comment
3 Answers
up vote 2 down vote accepted
It´s a good solution. You can also create three views so that basic access doesn´t change.
By the way: This is a typical approach to solve the object relational impedance mismatch.
You can normally generalise Loan, Purchase and Sale into something like: MoneyTransaction. To get all information you can do some joins, as you did, or degeneralise the whole system, as you are now doing.
Good approach. I can recommend reading http://blogs.tedneward.com/2006/06/26/The+Vietnam+Of+Computer+Science.aspx
share|improve this answer
add comment
Yes, from my experience this is a better solution. Most programs are more report-oriented than input-oriented. In this case report generation speeds increase dramatically.
share|improve this answer
add comment
For some reason, I'm unable to comment on your replies, therefore I'm going to comment in this answer space. @Patrick Sauerl> Creating separate views is not neccesary and even undesireable. This is the case of a Pawnshop application where, for example, merchandise can be initially pawned and the customer could opt to convert the pawn by selling it to the pawnshop, which in turn the pawnshop could later sell it to another customer, thus the tran type started out as type 'L'(Loan), converted to a 'P'(Purchase), converted to an 'I'(Inventory), then to converted to an 'S'(Sale), Under certain rules, there are many different sets of possibilities. Depending on the tran type, I'm re-using the same columns for different things, whenever possible, example: for Loans, transaction.main_amount is used for the Principal; for Purchase, transaction.main_amount is used for Purchase Price; for Sale, transaction.main_amount is used for Sale Price. I am storing a history of all previous transactions for the same merchandise as it morphs through different transaction types.
share|improve this answer
@Frank - you're unable to comment because you're using one of your many accounts that has low reputation (and therefore prevents you from commenting). Multiple accounts are a pain to deal with, as you're seeing, and they're frowned on at SO. Please refrain from doing that. Ask the admins to merge your various accounts. – Michael Petrotta Jun 15 '10 at 1:42
@Petrotta - To my knowledge, I only have two accts, Frank Computer & Frank Developer. I dont have a problem with these being merged. I'll even register!.. I have a yahoo business email address, but dont know how to obtain the OpenID for it, if it already exists? – FrankComputerAtYmailDotCom Jun 15 '10 at 2:43
you had six accounts; a few named "Frank Computer" and a few named "Frank Developer". Don't worry; the site admins just merged them. FYI, if you want to use the '@' to get someone's attention in a comment, use the first part of their name - @Frank or @Michael. The last name doesn't trigger notifications. – Michael Petrotta Jun 15 '10 at 3:23
I can't really help you with OpenID; I just used my Google account and was good to go. You might look here. If you keep having problems, ask for help on SO's sister site, Meta. – Michael Petrotta Jun 15 '10 at 3:27
add comment
Your Answer
| http://stackoverflow.com/questions/3031441/consolidating-separate-loan-purchase-sales-tables-into-one-transaction-table | dclm-gs1-054490000 |
0.038563 | <urn:uuid:45c22061-41b7-4897-b83e-ea79d34634f1> | en | 0.865473 | Take the 2-minute tour ×
Where do you store app configurations constants (not user preferences)?
• store in Info.plist?
• store in SomeOther.plist?
• store as static (extern?) constant in a .h?
• store as #define somewhere? (where?)
share|improve this question
@eman oh thanks! – Henry Jul 23 '10 at 17:36
add comment
4 Answers
up vote 0 down vote accepted
If they don't have to be preserved after the application is being closed AppDelegate is fine. if they have to, then use NSUserDefaults class ;)
share|improve this answer
This isn't what the AppDelegate is for. – Dermot Jul 22 '13 at 10:02
add comment
I store instance constants as a static in implementation class. Never had a global constant but I guess I would place it in the App delegate.
share|improve this answer
add comment
Save them in NSUserDefaults. Here is a good example:
share|improve this answer
NSUserDefaults is good for variable preferences, but overkill for constants. – shosti Jul 23 '10 at 5:13
add comment
I do it in a very oldskool C way. I have just a file like Constants.h where I go
#define SOMETHING value
And then I just #include "Constants.h" in my code and use SOMETHING.
share|improve this answer
+1 for pretty cool and straight forward answer. – Mahbubur R Aaman Nov 10 '13 at 13:11
add comment
Your Answer
| http://stackoverflow.com/questions/3315205/where-to-store-constants-in-an-iphone-app?answertab=oldest | dclm-gs1-054510000 |
0.030262 | <urn:uuid:24e97870-bcf3-4059-83da-4a65ff4df0a9> | en | 0.945869 | Take the 2-minute tour ×
I've got a large folder on an offsite backup machine that gets populated with files by rsync (through deltacopy) every night (running windows xp) from the main work site. I've discovered some annoying folders that cannot be opened, or deleted, or even checked for file sizes. I get the such and such a folder is not accessible, access is denied message when i try to click on it in windows explorer. According to the windows explorer tooltip they are also "empty" and the properties of these folders say 0 bytes and 0 files.
I currently have a c# program that goes through every folder and file and tries to copy the whole backup directory to a dated backup-backup directory, which is how i discovered this problem in the first place. The regular System.IO library seems helpless against these blasted folders. Exceptions are thrown when I even try to access the folder path.
Does anyone have any clue how I could, say, on an access denied exception in my existing copy code, force the delete of these folders so rysnc can recreate the directory again and get the whole thing synced again?
share|improve this question
Can you attempt to access these folders with elevated permissions? – Dan Tao Jul 24 '10 at 0:57
not sure what you mean, I'm running as the administrator. How do I get higher permissions than that? – IBC Jul 24 '10 at 1:03
On Windows XP there is no distinction between administrator and elevated rights. Starting with Vista you can have an administrator account but still have processes running with a restricted token. – Ben Voigt Jul 24 '10 at 1:13
I do realize you want a programmatic solution, but this isn't so much a C# question as a "how do I get my OS to do this?" question. Therefore, you might want to look into how the various locked file deletion tools work. Here's one product that includes a list of many others, purely for research: ccollomb.free.fr/unlocker – Steven Sudit Jul 24 '10 at 1:25
@softwareGeek: I wasn't trying to be funny. What was the problem with what I wrote? What struck you as "funny"? – John Saunders Jul 24 '10 at 1:51
show 16 more comments
4 Answers
up vote 0 down vote accepted
The trouble was that SYSTEM owned these files. I set deltacopy to run as administrator so that administrator would own the files deltacopy makes.
I guess windows is doing its job. The permissions are airtight. But if this happens again someday where I'd have to grab ownership from some other user to the current user (who has administrator permissions) how would I do that in code?
A question for another day I suppose. Thanks again everyone.
share|improve this answer
add comment
It sounds like the filenames are either bad or contain characters that are invalid in Win32. Did you try to delete the directories with rd /r? Did you do a dir /x on them and try to delete the files/directories using their short names?
I would say that you first have to figure out why you can't delete the folders. Once you figure that out, you can write a program to fix it.
OK, so now that you know it's a permissions problem, the first step is to take ownership of the files (so you can set the permissions), then change the permissions so that you can delete the files.
Here's code to take ownership of a file:
WindowsIdentity currentUser = System.Security.Principal.WindowsIdentity.GetCurrent();
FileSecurity acl = File.GetAccessControl(filename);
File.SetAccessControl(filename, security);
share|improve this answer
access denied. access denied. – IBC Jul 24 '10 at 4:47
What does cacls say? Is it possible the directory is owned by another use and you don't have permissions for it? – Gabe Jul 24 '10 at 5:26
Okay, I was led on a wild goose chase. I don't know why my thinking was so unclear today. Anyhow, it was a permissions issue. System owned those files. chkdsk led me astray by finding orphaned files in that directory. Grrr. I will look into how to change the permissions on folders in C# if that is possible. – IBC Jul 24 '10 at 8:30
Changing permissions is easy in .NET, but you have to actually understand ACE's, DACL's, SDDL and the rest. Start here: msdn.microsoft.com/en-us/magazine/cc135979.aspx – Steven Sudit Jul 24 '10 at 15:32
I ended up making deltacopy server run on the administrator account. Now there aren't anymore permissions problem. Thanks for everyone's help! – IBC Jul 25 '10 at 21:13
add comment
Yes, try the awesome "Process Explorer" from Microsoft (formerly SysInternals).
Although it's for the processes in the windows filesystem, you could search for your folder in the explorer window & it will tell you who is locking it.
Once you release the process, your program would be able to delete the folder.
If that doesn't work, see if you can specify additional parameters to bruteforce the delete in your program.
share|improve this answer
He wants a programmatic method of dealing with it, therefore, it needs to be done via code automatically, not a manual process using a third party app. – Dan McGrath Jul 24 '10 at 0:59
Yes, only if he can kill the process that's keeping the folder, will his program be able to delete it. what's wrong with that approach? – SoftwareGeek Jul 24 '10 at 1:00
Tried this, I searched for the folder in the process explorer search with no results. Besides, assuming this keeps happening once in awhile I need to have a procedure to deal with it automatically, hence the plea for C# help. – IBC Jul 24 '10 at 1:01
ok understood but my answer doesn't deserver a downvote. – SoftwareGeek Jul 24 '10 at 1:02
@SoftwareGeek: first of all, my comment should be a hint that your answer would have been better as a comment, since it doesn't answer the question. Also, my comment is different: I say "find out what's wrong, then maybe you can write a program to fix it". I meant, find out once, then the program would be able to fix it many times. – John Saunders Jul 24 '10 at 2:01
show 12 more comments
First thing I think of when I see this is time to do a checkdisk. From the sounds of it, it feels more like a file system problem than something solvable the way you want to go about it.
share|improve this answer
chkdsk did find some relevant irregularities, in fact. But it did not fix the problem for me. <sigh> I guess the move to linux is unavoidable. – IBC Jul 24 '10 at 2:10
@IssacB: You can move to Linux if you wish, but do consider the fact that, somehow, people manage to work with Windows and NTFS without being blocked by the problems you're encountering. – Steven Sudit Jul 24 '10 at 5:26
I think you are right Joel. My solution to this will be to use my copy program to identify broken files and directories and email them to me. Then I'll use unlocker to delete them manually. This probably happened because I'm using a very unreliable POS computer for this job, and it decided to crash in the middle of a write or something. Thanks for recommending unlocker again steven, that is a pretty useful program! – IBC Jul 24 '10 at 7:34
Sorry, this was not the problem. I have copied the same folder over again through rsync and I have the same problems. I can access the files fine on the main fileserver but not on the backup. The mystery continues. – IBC Jul 24 '10 at 7:44
add comment
Your Answer
| http://stackoverflow.com/questions/3323363/need-to-find-a-way-to-programmatically-delete-undeleteable-empty-folders?answertab=active | dclm-gs1-054520000 |
0.019864 | <urn:uuid:b98b37cc-f349-42a3-91c9-da7bd62088fd> | en | 0.931551 | Take the 2-minute tour ×
We've been having a new type of spam-bot this week at PortableApps.com which posts at a rate of about 10 comments a minute and doesn't seem to stop - at least the first hour or so (we've always stopped it within that time so far). We've had them about a dozen times in the last week - sometimes stopping it at 50 or 60, sometimes up to 250 or 300. We're working to stop it and other spam bots as much as possible, but at the moment it's still a real pest.
I was wondering whether in the mean time whether there's any sort of module to control the frequency a user can post at to e.g. 50 an hour or something like 10 in an hour for new users. That at least would mean that instead of having to clear up 300 comments 50 at a time in admin/content/comment we'd have a smaller number to clear. (A module to add a page to delete all content by a user and block them would also be helpful!)
I believe that there's a plugin to do this available for WordPress, but can't find any such thing for Drupal.
share|improve this question
add comment
4 Answers
up vote 1 down vote accepted
For your second question, i would have a look at the code of the User Delete module (click).
The module also disables the user account and unpublished all nodes/comments from a certain user. By extending the code, you could easily create another possibility to unpublish + delete all nodes/comments from a certain user and blocking the account.
After the unpublish code in the module, you should just put delete code (in sql if the module is selecting by a sql-query or by using the drupal delete functions).
Another option would be so make a view (using the view module) only to be viewed by administrators, where you choose a certain user using the filters and then lists his/her posts. Then in the node-contenttype.tpl.php you place a button that calls a function which deletes all nodes/comments and the user.
First problem (post frequency)
I've been thinking about the comment post limit. If I remember correctly Drupal stores comments in a seperate table and has comment specific functions.
I'd create a new module and using the comment_nodeapi function i would check in the operation 'insert' how much comments the current user has already made within a certain timeframe.
To check this I would write a custom sql query on the database which takes the count of alle comments made by uid where the post_date is larger then NOW-1hour. If that count is larger then 10 or 15 or whatever post frequency you want then you give a message back to the user. You can retrieve the user id and name by using the global $user variable.
(example: print $user->name;)
You have to check on your own for the sql query but here's some code when you have the amount:
function comment_nodeapi(&$node, $op, $arg = 0) {
switch ($op) {
case 'insert':
if($count > 15){
$repeat = FALSE;
$type = 'status'
drupal_set_message("You have reached the comment limit for this time.", $type, $repeat);
db_query('INSERT INTO {node_comment_statistics} (nid, last_comment_timestamp, last_comment_name, last_comment_uid, comment_count) VALUES (%d, %d, NULL, %d, 0)', $node->nid, $node->changed, $node->uid);
(this code has not been tested so no guarantees, but this should put you on the right track)
share|improve this answer
That looks as though it should do just what we want to help with cleanup; thanks! I'll see about us trying that out. – Chris Morgan Nov 9 '10 at 21:48
add comment
I would suggest something like Mollom (from the creator of Drupal). It scans the message for known spam pattern/keywords/... and if this scan fails, it displays a CAPTCHA to the user to make sure that it's a real human that wants to enter content that has the same properties like spam.
They offer a free service and some paid solutions. We are using it for some customers and it's worth the money. It also integrates very well in Drupal.
share|improve this answer
We tried Mollom, but unfortunately, unlike my experience with a few other (smaller) sites I've deployed it on, it didn't work out - several known good users got blocked apparently due to their IP address, and there is no way to sort it out with Mollom - no whitelisting, etc. We talked things over with them but came to the conclusion that it just won't work at the moment, unfortunately. – Chris Morgan Nov 9 '10 at 21:41
Oh, that's a pity. We never had any problems so far. That's bad because Mollom is IMO a very neat service. – DrColossos Nov 10 '10 at 7:57
We used Mollom too on a huge site- it was a total wash out; it let the spammers through, and penalised legitimate users. – cjm2671 Mar 27 '13 at 11:50
add comment
Comment Limit is probably what you need.
share|improve this answer
That looks to cover just commenting on one node, unfortunately, not on any nodes of such and such a type. We haven't ever had any spam bots posting more than a couple of comments per node so it wouldn't work for us. Thanks for helping anyway. – Chris Morgan Nov 9 '10 at 21:47
add comment
http://drupal.org/project/spam http://drupal.org/project/antispam - with akismet support
share|improve this answer
I believe we already have the spam module and I think we decided our volume is too high for antispam. We have looked at both, sorry. – Chris Morgan Nov 30 '10 at 21:08
add comment
Your Answer
| http://stackoverflow.com/questions/4131136/drupal-module-to-control-user-post-frequency/4131963 | dclm-gs1-054550000 |
0.025757 | <urn:uuid:04332083-fab3-4fc9-984e-cc80a88a41b9> | en | 0.859929 | Take the 2-minute tour ×
I am trying to build a flex (and java) project using a groovy build script. See documentation here - http://groovy.codehaus.org/Using+Ant+from+Groovy
I have the build working for the java project, but for some reason it does not work for the flex project. It fails because it could not create mxmlc task. My flexTasks.jar is in the $CLASSPATH environment variable.
What is wrong here? Has anyone ever done this kind of setup before?
share|improve this question
add comment
1 Answer
I'm writing a Gradle plugin to compile Flex that uses the existing Flex ANT tasks. It handles multi-module builds with either compc or mxmlc and does correct build ordering based on dependencies. As we're using Flashbuilder for development, the build uses property file sniffing to work out whether compc or mxmlc should be used.
My company are OK with open sourcing the plugin in the near future (probably on GitHub), so leave a comment if you or anyone else are interested.
You can find the Gradle Flex plugin at GitHub here and and examples of using the plugin here.
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/4413622/groovy-build-script-to-build-a-flex-project | dclm-gs1-054570000 |
0.101051 | <urn:uuid:b1e7164a-4f98-4384-80b9-cb70b761d61a> | en | 0.760902 | Take the 2-minute tour ×
I have the Problem with the File Upload window. When I used it the first time it works perfect but when I call the same functionality to open and upload a File the open button (in the "Choose File to Upload" Dialog) is pressed to fast. So the Test can not write the complete path of the File over set and so the I can not open the File.
The Source Code of the function:
public void OpenFileDialogAndUploadCsvFileWithName(string fileName, IE editPage)
var fileUploadDialog = editPage.HtmlDialog(Find.ByTitle(PageTitle));
FileUpload fileUpload = fileUploadDialog.FileUpload(Find.ById(new Regex("_FileUpload")));
Image image = fileUploadDialog.Image(Find.BySrc(new Regex("/icons/upload.png")));
Element parentElement = image.Parent;
The Upload File Dialog is open from Internet Explorer Modal Dialog Window.
share|improve this question
add comment
1 Answer
You might find that the file upload dialog handler is running on a different thread, and that is why you don't get a chance to enter your text.
If that is not he case, and it really is a problem with the dialog handler then I would grab the code for the fileUploadDialog handler and create my own, custom, slower version.
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/5065699/watin-fileupload-press-open-button-to-fast/5280165 | dclm-gs1-054590000 |
0.55454 | <urn:uuid:2de827c6-c8a6-40eb-83f8-17ded2335001> | en | 0.863079 | Take the 2-minute tour ×
I'm working on a Python project with user input, and want to reuse specific parts (i.e the part/s that have matched a regular expression) in the output, so a dialog could go something like:
Program: Hello, what have you been doing today? User: I have been foobaring./I went foobaring./(anything else containing 'foobaring') [Where the regular expression is '[a-zA-Z]*ing'] Program: Do you like foobaring?
..but would also have the same result no matter what activity the user entered, so long as it ended in 'ing'.
I currently use variables for the regular expression and the user input like so:
variable = re.compile('regexp')
userinput = raw_input()
so I can use them in an if later on.
TL;DR: Is there anything that returns the string that is the portion of a larger string that matches a regular expression
share|improve this question
add comment
1 Answer
If you surround the regex with parentheses (to make it a group), then you can access that group using match.group(1):
In [89]: import re
In [90]: gerund=re.compile(r'(?u)\b([\w-]+ing)\b')
In [91]: sentence='I went foobaring'
In [92]: match=gerund.search(sentence)
In [93]: match.group(1)
Out[93]: 'foobaring'
Note that using regex to find gerunds is potentially error-prone:
In [103]: sentence='Ming Tsai and I went sight-seeing'
In [104]: match=gerund.search(sentence)
In [105]: match.group(1)
Out[105]: 'Ming'
share|improve this answer
Change \w to \p{L} and you'll have my vote. – Justin Morgan Mar 15 '11 at 18:59
@Justin E. Morgan: Unfortunately \p{L} is not understood by Python re module. – unutbu Mar 15 '11 at 19:01
Perhaps [^\W\d_] then? Or just [a-zA-Z]? – Justin Morgan Mar 15 '11 at 19:02
@Justin E. Morgan: Thanks for pointing out that \w matches digits. [^\W\d_] wouldn't match the hyphen in "sight-seeing", and [a-zA-Z] would miss accented letters. I think it might be better to match too much than too little. Also, I feel silly refining this regex, knowing all the while that "Ming" is not a gerund -- sort of like sharpening an arrow while a tank is bearing down on me. Regex is (ultimately) wrong tool for the battle. – unutbu Mar 15 '11 at 19:22
I see your point. Didn't consider a hyphen. You're right, using regex to parse natural languages is as perilous as using it on XML. +1 for a good answer. – Justin Morgan Mar 15 '11 at 19:37
add comment
Your Answer
| http://stackoverflow.com/questions/5316505/re-using-part-of-user-input-string-that-has-matched-a-regular-expression | dclm-gs1-054600000 |
0.142824 | <urn:uuid:7eaded18-5044-45ac-a806-38418fcdf039> | en | 0.929413 | Take the 2-minute tour ×
I'm considering a design for an app following the "freemium" model where certain content is free but the user can purchase more content within the app.
My concern is that the content they can purchase will be >20Mb, the limit for a 3G App download.
Has anyone attempted this or have any idea what the implications would be? I'm wondering what happens if they buy the app while on 3G... would they have to go back to their computer to finish downloading the content and then sync it to the phone?
share|improve this question
add comment
1 Answer
up vote 3 down vote accepted
With regards to what happens to >20Mb on a 3G connection this will not fail. Content is not being delivered from Apple's servers (where the 20Mb limit is) but from your servers. So, the download will go forward as normal. However, with a large download size there is an increased chance of it not completing. This is where you come in to check if you need to deliver additional content when possible.
The In App Purchase Programming Guide covers this quite well.
Ultimately, the responsibility for properly delivering content is up to you. Apple will provide the mechanisms to determine if you must restore a purchase. You'd restore content in a number of situations (user got a new phone, user reinstalled app, user failed to get content on initial purchase, etc). All content delivery is your (as the app developer) responsibility.
At the least-work case for you, non-consumable items once purchased will never be charged for again. That is, if they purchase the item one time, the attempt to buy it a second (due to a fairly of the app to realize it's been bought) StoreKit will return a successful purchase, but not charge the user.
At a more proactive level, you can obtain the purchased items list via restoreCompletedTransactions when the app starts and deliver any missing content.
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/6119249/ios-in-app-purchase-resulting-in-a-20mb-download | dclm-gs1-054650000 |
0.044006 | <urn:uuid:437e6de4-7d17-4e0c-9863-c946fbed9b40> | en | 0.862357 | Take the 2-minute tour ×
I would like to know how do i install python apscheduler on linux Ubuntu as a daemon? i have read the manual in here but i didn't understand how can i install it as daemon.
I wish to install it like a service and then attach (plug-in) to it all sorts of jobs.
any help?
share|improve this question
add comment
2 Answers
You need to set the daemonic configuration option to true as per the AP Scheduler Documentation Documentation on python.org
share|improve this answer
well i have tried this: <code>sched = Scheduler() sched.configure({'daemonic':'True'})</code> and nothing. I just want to schedule a task every 30 seconds ... – Yossi Jun 20 '11 at 15:44
@Yossi: Disregard if you're already doing this and you only posted the relevant snippet... you need to import the scheduler, then start it - so open with from apscheduler.scheduler import Scheduler and end with sched.start() – kathryn Jun 20 '11 at 22:20
add comment
it uses Scheduler which itself call after some schedule time. you will understand once you will go through scheduler
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/6405393/how-to-install-python-apscheduler-on-ubuntu-as-a-daemon | dclm-gs1-054680000 |
0.469476 | <urn:uuid:d722ed82-8bc2-44f8-831a-8307d6373002> | en | 0.813955 | Take the 2-minute tour ×
I have this select_tag using Rails 3
<%= select_tag :area_id, options_from_collection_for_select(@areas.sort_by(&:name)), {:onChange => remote_function(:with => "'filter_by='+value", :url =>{ :controller=>"encoder/members", :action=>"filter_schools" } ) } %>
But I kept on getting the error "wrong number of arguments (1 for 3)." What could be wrong?
share|improve this question
add comment
1 Answer
up vote 3 down vote accepted
The problem is on options_from_collection_for_select, which requires at least 3 parameters.
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/6935154/select-tag-rails-3-wrong-number-of-arguments-error | dclm-gs1-054710000 |
0.107615 | <urn:uuid:4abe3d26-3ab5-42a1-8216-934cce482ccb> | en | 0.754507 | Take the 2-minute tour ×
As I understand Subscribe method should be asynchronous whereas Run is synchronous. But this piece of code is working in synchronous manner. Can anybody fix it?
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Reactive.Linq;
namespace RxExtensionsDemo
class Program
static void Main(string[] args)
IObservable<int> source = Observable.Generate<int, int>(0, i => i < 10000, i => i + 1, i => i * i);
IDisposable subscription = source.Subscribe(x => { Console.WriteLine("Received {0} from source", x); }, ex =>
Console.WriteLine("Error occured");
}, () =>
Console.WriteLine("Source said there are no more messages to follow");
I always see Asynchronous written to console at the last.
share|improve this question
I don't think it's guaranteed that Subscribe is always async. – CodesInChaos Sep 8 '11 at 10:51
and even if it is there's no guarantee that one thread will yield at any specific time – Rune FS Sep 8 '11 at 10:52
I figured that all I was missing was specifying Scheduler option: Scheduler.ThreadPool as the last one. Specifying that did the job :) – Jaggu Sep 8 '11 at 10:56
add comment
1 Answer
up vote 3 down vote accepted
By default Observable.Generate uses Scheduler.CurrentThread. However, you can specify a different scheduler to get the desired asynchronous behavior:
i => i < 10000,
i => i + 1,
i => i * i,
The Scheduler class is in the System.Reactive.Concurrency namespace.
Other possible asynchronous predefined schedulers are Scheduler.TaskPool and Scheduler.ThreadPool.
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/7346811/why-isnt-this-code-behaving-asynchronous | dclm-gs1-054750000 |
0.018963 | <urn:uuid:276dc33d-0418-4b1a-b08a-7e9bddffb071> | en | 0.795023 | Take the 2-minute tour ×
The site I have runs great on my server and on a virgin 2003 server. But when I go to move the site to the client’s server some of the sites features don’t work. Like the CSS for the SiteMapPath and javascript for the menu.
Log from the client’s server:
2009-04-03 17:22:20 W3SVC44836191 XXX.XXX.XXX.XXX GET /WebResource.axd d=nFPK0XLN-ynHK7RFK3-O_5JOGa3F6eDQZaw2fDS9H-hsMCDPLAS0vS6xsQkMZOo5bD2x9W3P9ULIjVogWhfPoA2&t=633626988000000000 8080 - XXX.XXX.XXX.XXX Mozilla/4.0+(compatible;+MSIE+6.0;+Windows+NT+5.1;+SV1;+InfoPath.1;+.NET+CLR+2.0.50727; +.NET+CLR+1.1.4322;+.NET+CLR+3.0.04506.30;+MS-RTC+LM+8) 404 0 2
Have tried the uncheck “Verify that file exists” trick for the axd extension, no dice. http://allantech.blogspot.com/2008/01/webresourceaxd-gives-404.html
I am using the text menu form http://www.obout.com. The only thing I found in the knowledge base didn't help. http://www.obout.com/inc/KnowLedgeBase.aspx?id=114
I have double checked the file permissions.
Any ideas?
OS: Windows 2003 Server
IIS: 6
.Net: 3.5
UPDATE I ended up using a different server at the clients location everything runs great. I have yet to duplicate the error elsewhere or hear of anyone that has had a similar issue.
I'm guessing the install of IIS has gone south. Since its a production server the client doesn't what to reinstall IIS. If someone happens to solve this question please post it here.
share|improve this question
add comment
4 Answers
Is the site Asp.Net 2.0 or 3.5? you mention in your question spec .Net3.5 yet in your comment it seems you are setting the site up as a 2.0 site. have you tried changing the application under iis to be a 3.5 application?
If your site is 3.5 you may need to redo aspnet_regiis from the 3.5 framework directory.
share|improve this answer
No luck. It still has the same error. – NitroxDM Jul 2 '09 at 23:32
add comment
This might seem a bit obvious, but have you checked the registered httpHandlers for your web application?
All it takes is one <clear /> attribute for all of this to not work. So you might want to check the client's web.config file in the Microsoft.Net\Framework\Config and see if everything is there. On my machine I found the following line:
<add path="WebResource.axd" verb="GET" type="System.Web.Handlers.AssemblyResourceLoader" validate="true"/>
If it's not there add the line to some <httpHandlers> section.
share|improve this answer
The httpHandler is already in both the Microsoft.Net\Framework\v2.0.50727\Config\web.config and InetPub\Site\web.config. I tried removing the site level one. No change. – NitroxDM Apr 23 '09 at 16:11
add comment
Does the Event Log perhaps contain a more informative error message? A 404 return code may not necessarily mean "not found" - the ASP.NET handler may still execute but result in an error. This error message will probably indicate the fault.
If there are no errors in the Event Log then:
1. Check whether other WebResource.axd calls are succeeding. Does the application actually use any WebResource calls?
2. Do the resources you are trying to load actually exist within the application? You can use Reflector to peek into any 3rd party DLLs and see their resources.
3. Does your application re-configure or otherwise mess around with HTTP handlers? If so, perhaps something might be unregistering or pre-empting the WebResource.axd handler?
share|improve this answer
1. I don't know of any other WebResource.axd calls to test. I will have to put together a test app. 2. Yes they exist, well the obout dlls do, I'm not sure where to find the asp:sitemap resources. 3. Not that I know of. – NitroxDM Apr 23 '09 at 16:17
add comment
Did you check the server time? Sometimes it too can cause problems if its not set properly.
If that doesn't work, try installing the aspnet_client files again by running this command on the Visual Studio Command Prompt -
aspnet_regiis -c
Then do this -
aspnet_regiis -i //Will install ASP.NET version and update scriptmaps at the IIS metabase root and for all scriptmaps below the root.
share|improve this answer
The Server doesn't have VS installed. C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727>aspnet_regiis -c Start copying the ASP.NET client script files for this version (2.0.50727). Finished copying the ASP.NET client script files for this version (2.0.50727). C:\WINDOWS\Microsoft.NET\Framework\v2.0.50727>aspnet_regiis -i Start installing ASP.NET (2.0.50727). .......................... Finished installing ASP.NET (2.0.50727). No change. – NitroxDM Apr 20 '09 at 22:00
add comment
Your Answer
| http://stackoverflow.com/questions/762117/webresource-axd-404-for-my-sitemappath-css-and-others?answertab=active | dclm-gs1-054770000 |
0.290774 | <urn:uuid:fde83cd8-611f-461e-ab3d-5772976c5722> | en | 0.803118 | Take the 2-minute tour ×
When using this code:
var img = $("<img />").attr('src', 'devices/images/'+phoneid+'.png')
.load(function() {
alert('broken image!');
} else {
It loads the image fine into
<div id="deviceimage"></div>
but won't apply css styling. Nor does it if I put it into
<img id="deviceimage"/>.
share|improve this question
The css should be applied regardless, it's probably getting overridden by some other styles. Did you inspect it in firebug or web inspector to see if the styles are getting overridden ? – aziz punjani Nov 25 '11 at 23:25
@Interstellar_Coder Is this the only way? I have quite a lot of elements and properties and I can imagine it getting quite messy. Ah you've changed what you said, I shall inspect it now. – Supertod Nov 25 '11 at 23:26
Can you post your CSS? – sicks Nov 25 '11 at 23:27
Yeah, what does your CSS look like? The second way won't work because you can't nest img elements. In the first way, you need to address the image like so: #deviceimage img – Pekka 웃 Nov 25 '11 at 23:30
Ah #deviceimage img did the trick, thanks for your help. – Supertod Nov 25 '11 at 23:33
add comment
Your Answer
Browse other questions tagged or ask your own question. | http://stackoverflow.com/questions/8275061/is-there-a-way-to-import-an-image-using-jquery-depending-on-a-variable-then-app | dclm-gs1-054790000 |
0.157576 | <urn:uuid:e8498c9b-af43-48af-ada2-0fefb4dcdf74> | en | 0.897621 | Take the 2-minute tour ×
For my Eclipse plugin I have created a new perspective. This perspective consists of two views that I have created and a third view that is the default editor (as I assume). Now I want to open a source code file in the default editor. For this source code file I have only the source code in a String. So I may have first to create a temporary file. But more important: How can I access the default editor from my view? Couldn't find any documentation.
share|improve this question
add comment
2 Answers
up vote 3 down vote accepted
You have lots of options, but one of them is to call IDE.openEditor(). There are lots of variants of this, but they generally use a resource. BTW, and editor (EditorPart) and view (ViewPart) are different things in Eclipse, they are both implementations of a IWorkbenchPart.
You can also create a "hidden" resource if you like so that the file that you want to open is not visible in the workspace. If you just want a text editor the default editor can be fine, but you can also construct an IEditorInput to have more control over which sort of editor you want.
Specifically to create a resource:
IProject project = ResourcesPlugin.getWorkspace().getRoot().findProject("projectName");
IFile file = project.getFile("filename");
file.create(inputStream, true, null);
share|improve this answer
add comment
I am not exactly sure, but I think IDE.openEditor(...) is what you are looking for. See here for more details.
share|improve this answer
Thanks, this seems to be useful, but I don't know how to get a IFile from a String with source code. – RoflcoptrException Dec 17 '11 at 16:23
I edited my answer to add this. – Francis Upton Dec 17 '11 at 16:51
add comment
Your Answer
| http://stackoverflow.com/questions/8546013/eclipse-plugin-development-how-to-access-the-default-editor | dclm-gs1-054800000 |
0.70897 | <urn:uuid:8704a305-a6c9-4ed3-af89-4540fe4effa6> | en | 0.895185 | Take the 2-minute tour ×
I am working on completely redeveloped website and sales system and have come up against this Max_connections issue surprisingly quickly.
I posted this question: Closing/Pooling MySQL ODBC connections Recently, but have since tried a few other things, still drawing a blank, but have more detail to offer...
I have a built a pretty complex sales process, and in creating an invoice I seem to be leaving 7 "processes" running each time. I have counted the number of times the data connection is used during the process of creating an invoice, and it is 7-9 depending on a few conditional values, so effectively the data connections are not closing at all.
To try to speed up coding, I have made a couple of functions which handle my database connectivity, so I will post these below.
Firstly, my connection string is:
"DRIVER={MySQL ODBC 3.51 Driver}; SERVER=mysql.dc-servers.com; DATABASE=jamieha_admin; UID=USERID; PASSWORD=pWD; OPTION=3;pooled=true;Max Pool Size=100"
The functions which I am using to open and close and do stuff with the database are as follows:
Function connectionString(sql As String, closeConnection As String) As OdbcConnection
Dim DBConnection As String = ConfigurationManager.ConnectionStrings("dbConnNew").ConnectionString
'this is getting the connection string from web.config file.
Dim oConnection As OdbcConnection = New OdbcConnection(DBConnection) 'call data connection
connectionString = New OdbcConnection(DBConnection)
If closeConnection <> "close" Then _
connectionString.Open() ' open data connection
End Function
This function gives me a OdbcConnection Connection String Object, which I can then use with:
Function openDatabase(sql As String) As OdbcCommand
openDatabase = New OdbcCommand(sql, connectionString(sql, ""))
End Function
This function creates a useable data object when called doing something like:
Dim stockLevel As OdbcCommand = openDatabase("SQL STATEMENT HERE")
Dim objDataReader As OdbcDataReader = stockLevel.ExecuteReader(CommandBehavior.CloseConnection)
'=== DO STUFF WITH objDataReader ==='
Having read up trying to ensure data connections were closing properly and so on I read that adding (CommandBehavior.CloseConnection) should ensure that the connection is closed when no longer used, but this doesn't seem to be happening, so I have created a separate "closeCOnnection" function, which looks like:
Function closeConn()
If connectionString("", "", "close") IsNot Nothing AndAlso connectionString("", "close").State = ConnectionState.Open Then
connectionString("", "close").Close()
connectionString("", "close").Dispose()
End If
End Function
This is called after every use of the openDatabase function and also within the functions I have created for insert/update and delete, which look like this:
Function insertData(InsertSql As String)
Dim dataInsert = openDatabase(InsertSql, "new")
End Function
I am not sure whether making all these functions is making my life easier or harder, but I was trying to reduce the code in each file where data acceess is required, but I'm not convinced it has.
However, it has made it clear where and when I am opening and closing the database (or at least trying to)
The processes are not being closed though. If I run my sale process through 3 or 4 times in quick succession, with these 7 processes still being live and added to, I get the max_connections issue.
Not completely understanding how database connections work, I am afraid I am at a loss with this and hence having to ask you... again!!
Can anyone tell me:
a) Is my connection string correct, is there a better connection available for MySQL?
b) Using this method, creating a ODBCConnection Object, is it possible to close it within a function like this?
c) Why is (CommandBehavior.CloseConnection) not closing the connection (this problem arose before I tried closing the connection manually)
share|improve this question
Added the VB.NET tag – Bueller Jan 9 '12 at 17:31
add comment
1 Answer
up vote 3 down vote accepted
Unfortunately the issues you are having come from your design and a mishandling of references to connections.
But don't worry. It's not difficult to fix. :-)
In VB.Net you always need to access data in the following pattern:
1. Create a connection.
2. Create a command which uses the connection (including adding any parameter values).
3. Open the connection.
4. Execute the command.
5. Close the connection.
There are variations of this, such as looping over rows before closing the connection, but generally this is how it works. In order to ensure that the connection is closed, VB.Net provides Try/Finally blocks and Using statements. You need to use one of these to make sure the connections are closed.
I'll show you what I mean by rewriting your methods in the proper manner.
Firstly, wrap your connection-creation code into a function.
Function GetConnection() As OdbcConnection
GetConnection = New OdbcConnection(DBConnection)
End Function
Secondly, write a function to create your command. (openDatabase is the wrong name, so I have changed it to CreateCommand).
Function CreateCommand(sql As String, connection As OdbcConnection) As OdbcCommand
CreateCommand = New OdbcCommand(sql, connection)
End Function
Now when you wish to execute a query or a statement in the database, you can follow this pattern:
Dim connection As OdbcConnection = GetConnection()
Dim stockLevel As OdbcCommand = CreateCommand("SQL STATEMENT HERE", connection)
Dim objDataReader As OdbcDataReader = stockLevel.ExecuteReader(CommandBehavior.CloseConnection)
End Try
Using the Try/Finally block means that the connection will always be closed correctly, even when an Exception causes the code to return before you expect it to.
An alternative shorthand is the Using statement (which effectively does exactly the same thing as the Dispose in a Finally block):
Dim connection As OdbcConnection = GetConnection()
Using connection
Dim objDataReader As OdbcDataReader = stockLevel.ExecuteReader(CommandBehavior.CloseConnection)
End Using
And if you want to wrap your InsertData function in a command, you can do it like this:
Dim connection As OdbcConnection = GetConnection()
Dim stockLevel As OdbcCommand = CreateCommand(InsertSql, connection)
Using connection
Dim result As Integer = stockLevel.ExecuteNonQuery()
End Using
I suspect that the first time you tried this, you were leaving your connections open without ever closing them. I also assume (from what you wrote) that you added the closeConn method to sort that out. Unfortunately, every time you call connectionString you are actually creating and opening a new connection, which you then call Close or Dispose on. The initial connection is never closed.
Hope that helps.
share|improve this answer
Whoops! Forgot to add the opening of the connection in my first edit. Updated now. – Richard Jan 9 '12 at 21:38
Not by my computer now, on my phone, but that looks exactly what I was trying to achieve!! Thanks, I'll try it out later and report back! :) – Jamie Hartnoll Jan 9 '12 at 22:27
OK, so far so good. Couple of questions: Firstly; When you need to connect to the database several times during the course of a script, would you open the connection at the top using connection and then close right at the end end using or would you open and close specifically each time it's required? Second, does end using ALWAYS close the connection? – Jamie Hartnoll Jan 10 '12 at 10:19
I only usually answer for votes (hint ;-)), but as you asked so nicely... When you use a connection pool you are actually doing the work of creating connections up-front, and grabbing a connection from the pool is very lightweight. So the best thing to do is to open and close again as soon as you can. The Using statement always calls the Dispose method on the resources passed to it, even when an exception occurs. Calling Dispose on a connection automatically closes it. – Richard Jan 10 '12 at 11:29
Brilliant. Voted up and accepted! Thanks so much, that was exactly the answer I was looking for! It's all working now and only one process can be seen at any time! :D – Jamie Hartnoll Jan 10 '12 at 12:00
show 1 more comment
Your Answer
| http://stackoverflow.com/questions/8792472/mysql-dataconnections-not-closing-pooling?answertab=votes | dclm-gs1-054810000 |
0.326135 | <urn:uuid:fa8aa157-e30d-4d8e-9dc7-51f50b2c0940> | en | 0.811929 | Take the 2-minute tour ×
I am trying to color some alphabets in a string based on input alphabet given. Can anyone suggest me how to achieve it ? As I am new to this.
Suppose that I have the following string: "AUSTRALIA"
OUTPUT: (A in red)'A'USTR(A in red)'A'LI(A in red)'A'
share|improve this question
Where do you want to output? MATLAB command line? GUI? Web page? – yuk Jan 10 '12 at 21:43
Welcome to SO. Show us the code you have so far, and consider changing the question title to something more descriptive. – Richie Cotton Jan 10 '12 at 22:02
add comment
1 Answer
up vote 5 down vote accepted
If you want to show it as text on axes (GUI), use the text command and Latex formatted strings
text('string','{\color{red} A}ustralia')
You can read about Latex commands here.
Alternatively, there is an undocumented functionality for some UI controls, mentioned in Yair Altmans great website.
That is the way to do it (Taken directly from his site)
In order to actually find the letters instances, use the strrep command.
There is a flaw here, related to capital letter, I am sure that you can work it out!
share|improve this answer
add comment
Your Answer
| http://stackoverflow.com/questions/8810815/how-can-i-show-partially-colored-text-in-matlab?answertab=votes | dclm-gs1-054820000 |
0.896257 | <urn:uuid:659c0273-3aa7-4269-bfa1-047f00ff8134> | en | 0.83417 | Take the 2-minute tour ×
what does happen if I use multiple mysql_connect() to the same mysql server? I use this function in some functions and call mysql_close() inside one of them and it cause the other connections be closed too.
How can I resolve it?
share|improve this question
dude, you accepted the wrong answer. – Your Common Sense Feb 8 '12 at 10:06
@Col. Shrapnel: and because of that use give me -1 point? we need to do multiple connection sometimes. My question was a question about connection concept. – hd. Feb 16 '12 at 9:35
It is not true. Your question was not about "concept" but about wrong connection usage in your code. For the code from your question you don't need multiple connections at all. Once you will need it - you are welcome to ask it. – Your Common Sense Feb 16 '12 at 10:04
add comment
4 Answers
up vote 0 down vote accepted
open the mysql connection with an identifier, for example:
$connection1 = mysql_connect('server','user','password');
$connection2 = mysql_connect('server','user','password');
this will only close $connection1;
share|improve this answer
add comment
Just don't use multiple connects.
Connect once, then run your functions and then call mysql_close once (not necessary)
share|improve this answer
add comment
Declare a variable in which the NewLink will be stored.
if (!$link) {
echo 'Connected successfully';
share|improve this answer
add comment
bool mysql_close ([ resource $link_identifier ] )
Check this reference :http://in2.php.net/manual/en/function.mysql-close.php
share|improve this answer
hello this is the useful content for this question ! why do you click as not useful ! it actually helps someone not for yours. – Sam Arul Raj Feb 8 '12 at 8:29
add comment
Your Answer
| http://stackoverflow.com/questions/9188302/multiple-mysql-connect-are-closed-together | dclm-gs1-054830000 |
0.736896 | <urn:uuid:e444b1db-32de-4055-8314-1e8eac7b5364> | en | 0.726489 | Take the 2-minute tour ×
This simple program below does not build for some reason. It says "undefined reference to pow" but the math module is included and I'm building it with -lm flag. It builds if I use the pow like pow(2.0, 4.0), so I suspect there is something wrong with my type casting.
#include <math.h>
#include <stdio.h>
#include <stdlib.h>
int main() {
int i;
printf("2 to the power of %d = %f\n", i, pow(2.0, (double)i));
return EXIT_SUCCESS;
Here is the bulid log:
make all
Building file: ../src/hello.c
Invoking: GCC C Compiler
gcc -O0 -g -pedantic -Wall -c -lm -ansi -MMD -MP -MF"src/hello.d" -MT"src/hello.d" -o "src/hello.o" "../src/hello.c"
Finished building: ../src/hello.c
Building target: hello
Invoking: GCC C Linker
gcc -o "hello" ./src/hello.o
./src/hello.o: In function `main':
/home/my/workspace/hello/Debug/../src/hello.c:19: undefined reference to `pow'
collect2: ld returned 1 exit status
make: *** [hello] Error 1
**** Build Finished ****
share|improve this question
add comment
1 Answer
up vote 3 down vote accepted
You've told it to use the math library in the wrong place -- you're specifying the math library when you compile (where it won't help) but leaving it out when you link (where it's actually needed). You need to specify it when you link:
gcc -o "hello" ./src/hello.o -lm
share|improve this answer
What Jerry's saying is that you're not passing it in the linking phase. See the line just after Invoking: GCC C Linker. Maybe can you post your Makefile? – K.G. Mar 20 '12 at 14:52
Thanks K.G. I'm using Eclipse so instead of adding the -lm parameter to the GCC C Linker settings, I've added to GCC C Compiler settings. Passing it in the linking phase solved the problem. – pocoa Mar 20 '12 at 14:56
add comment
Your Answer
| http://stackoverflow.com/questions/9788996/ansi-c-pow-function-and-type-casting | dclm-gs1-054860000 |
0.69331 | <urn:uuid:ac2307dd-529f-42a5-9f0f-e60940bb9132> | en | 0.715029 | Take the 2-minute tour ×
In an XML document, I have elements which share the same name, but the value of an attribute defines what type of data it is, and I want to select all of those elements which have a certain value from the document. Do I need to use XPath (and if so, could you suggest the right syntax) or is there a more elegant solution?
Here's some example XML:
<data type="me">myname</data>
<data type="you">yourname</data>
<data type="me">myothername</data>
And I want to select the contents of all <data> tags children of <object> who's type is me.
PS - I'm trying to interface with the Netflix API using PHP - this shouldn't matter for my question, but if you want to suggest a good/better way to do so, I'm all ears.
share|improve this question
X-Ref: Implementing condition in XPath – hakre Jul 9 '13 at 9:43
add comment
2 Answers
up vote 16 down vote accepted
Try this XPath:
$myDataObjects = $simplexml->xpath('/object/data[@type="me"]');
And if object is not the root of your document, use //object/data[@type="me"] instead.
share|improve this answer
add comment
I just made a function to do this for me; it only grabs the first result though. Your mileage may vary.
function query_attribute($xmlNode, $attr_name, $attr_value) {
foreach($xmlNode as $node) {
switch($node[$attr_name]) {
case $attr_value:
return $node;
echo query_attribute($MySimpleXmlNode->Customer, "type", "human")->Name;
(For the XML below)
<Root><Customer type="human"><Name>Sam Jones</name></Customer></Root>
share|improve this answer
Why not use the XPath Gumbo suggested? And why use a switch instead of the easier to read if($node[$attr_name] == $attr_value)? – dimo414 May 29 '12 at 15:34
add comment
Your Answer
| http://stackoverflow.com/questions/992450/simplexml-selecting-elements-which-have-a-certain-attribute-value | dclm-gs1-054870000 |
0.954751 | <urn:uuid:696c4977-d4a7-4045-90ba-7f3d7aa1f615> | en | 0.961488 | View Single Post
Republic Veteran
Join Date: Jun 2012
Posts: 411
# 21
07-20-2012, 10:41 PM
I don't understand whats in their heads either. Why do the modules cost so much in the c-store... 100 zen to 200 zen seems more reasonable. People are likely to grind and buy more ships.... and people who aren't willing to pay 20$ for c-store ships, might actual buy a single character unlock ship or people who might buy for alts. Are they trying to discourage people from paying the money they can afford for this game... | http://sto-forum.perfectworld.com/showpost.php?p=4893181&postcount=21 | dclm-gs1-054880000 |
0.996656 | <urn:uuid:a3ad0ac4-0617-43f2-b36b-84ff0ac1a859> | en | 0.800755 | Take the 2-minute tour ×
I have a presentation that uses the theme Dresden with color theme beaver. Everything works fine, except for the name of the institute in the footer of the slides, which appears white on a very light grey background, making it basically impossible to read.
1. How can I change its color?
2. Why isn't the color changed automatically like, for example, the color of the author name in the footer?
share|improve this question
add comment
1 Answer
up vote 9 down vote accepted
Add the following line to your preamble, replacing your_color by a relevant color name
\setbeamercolor{institute in head/foot}{fg=your_color}
The original definition is:
\setbeamercolor{institute in head/foot}{parent=palette tertiary}
With beaver theme color defined as:
\setbeamercolor*{palette tertiary}{bg=darkred!80!black,fg=gray!10!white}
That explains why the font color appears fast white....
share|improve this answer
Thanks! So I guess that the "author" fields have a different palette? – user1301428 Dec 20 '12 at 10:50
Yes, check the content of files like beamercolorthemedefault.sty and beamercolorthemebeaver.sty – Lionel MANSUY Dec 20 '12 at 12:00
add comment
Your Answer
| http://tex.stackexchange.com/questions/87727/change-color-of-institute-in-the-footer-of-a-latex-presentation/87733 | dclm-gs1-054930000 |
0.304586 | <urn:uuid:2fa9bbc5-c917-4abb-b44c-7daab7b62639> | en | 0.970671 | In response to:
Where Is The Inflation?
bigdawgworking Wrote: Sep 15, 2012 8:20 PM
As evidenced by the responses below as well as my own experience, the government measure of inflation is completely false. Completely. If the government books are not cooked, then please explain why. Until that explanation is put forward, the article has no meaning because it is based on a premise that is false.
The Consumer Price Index was released this morning. It was up slightly.
US Consumer Price Index data by YCharts
Some are mystified by the economic results of the expansionary Federal Reserve policy. The Fed is working to try and get inflation started, but it doesn’t come. There is no inflation in the economy yet. The reason, money isn’t turning over. It’s being created by the Fed and it gets stuck into the banking system. Banks aren’t lending because they increased their requirements for lending after the financial crisis, and after the passage of Dodd-Frank. Additionally, because of all the... | http://townhall.com/social/bigdawgworking-565391/where_is_the_inflation_cmt_5367625 | dclm-gs1-054940000 |
0.075305 | <urn:uuid:86e571b2-d9ca-4ab4-bd6c-5a90fb645546> | en | 0.952112 | (1 x 22 minutes)
The night sky fascinated the ancient Greeks, and they recognized patters in the stars, and created myths to explain them. Here are three of the most popular:
- Orion, in which a mortal, but ever-boastful hunter named Orion catches the eye of the great hunter- goddess Artemis. But when Atermis' twin brother Apollo finds out, things don't go too well for poor Orion.
- Callisto, in which a once-beautiful women is turned into a bear and then almost killed by her own son, until Zeus steps in to set things right.
- Andromeda, in which a vain queen's boasting almost ruins her daughter's life, until the hero Perseus shows up on his winged horse to save her from the jaws of a terrible sea monster.
Loading more stuff…
Loading videos… | http://vimeo.com/24585339 | dclm-gs1-054980000 |
0.119107 | <urn:uuid:ac19e01d-a91f-4567-8b6c-60b34f2b7050> | en | 0.837558 | ECF Filetransfer Support for NTLMv2 Proxies
From Eclipsepedia
Jump to: navigation, search
Like other parts of ECF, the filetransfer API has a provider architecture, allowing multiple implementations to be used for filetransfer (i.e. via http, ftp, and others). In ECF 3.0/Eclipse 3.5 the primary provider is based upon Apache httpclient 3.1. This was introduced in the ECF 3.0/Eclipse 3.5 cycle because the previous provider that was based upon the JRE URLConnection implementation proved insufficiently reliable (i.e. see bug 166179).
Unfortunately, the Apache httpclient implementation, although more robust than the URLConnection-based provider, does not support NTLMv2 proxies directly (for an explanation of why, see here).
For NTLMv2 Proxies, that require username and password for access the workaround is to
1. Disable the ECF httpclient provider.
2. Provide the NTLMv2 proxy authentication info (domain, username, and password)
In ECF 3.0 both 1 and two can be done via system properties provided to Eclipse on startup. Here is an example using 'myproxy', 'mydomain', 'myusername', and 'mypassword':
The first property disables the httpclient provider (and so uses the URLConnection-based provider, which does have support for NTLMv2 proxies), and the next 5 properties are as specified by Sun for the URLConnection-based provider.
In the future, it is likely that with other providers (e.g. the Apache httpcore client...i.e. bug 251740 or Jetty's asynch filetransfer implementation we will be able to support NTLMv2 proxies...i.e. bug 252002 more directly. Further, in future versions the Eclipse platform proxy API should support NTLMv2 as well...i.e. bug 269832. | http://wiki.eclipse.org/index.php?title=ECF_Filetransfer_Support_for_NTLMv2_Proxies&oldid=155413 | dclm-gs1-055000000 |
0.018372 | <urn:uuid:4e5f7950-7c1d-4ebd-bb73-8e86e9a8d3fa> | en | 0.977385 |
Top Reviewer Ranking: 2,546,446 - Total Helpful Votes: 3 of 3
MiLi Power Skin 3G & 3GS - Worlds thinnest iPhone &hellip by MILI
2.0 out of 5 stars I was expecting more, 14 Sep 2011
There are a lot of chargers like this out there and when I bought mine, the Mili Power Skin was one of the more expensive options. Honestly I was expecting more out of it. When fully charged it will recharge your iPhone to about 70% power- I was expecting at least a 100% re charge and a bit more from it. Also, whereas it isn't as bulky as others, don't buy it expecting to be happy leaving it on your iPhone all the time. Its not huge, but its certainly noticeable and makes the iPhone considerably bigger. I've given it two stars because it seems to be made quite well and if a charge of 70% is all you want then you'll be happy with it. Maybe the new, more powerful versions will be better..
Abus Catena Chain - Blue, 75cm Abus
3 of 3 people found the following review helpful
4.0 out of 5 stars Sturdy, 23 May 2011
I can imagine a much more expensive lock feeling slightly more secure, but for the price this really is great. It looks and feels quality and I can't imagine anyone getting through it with out the aid of some pretty serious bolt cutters. Great lock. | http://www.amazon.co.uk/gp/pdp/profile/A2YU8OUF5LOHFE | dclm-gs1-055060000 |
0.02339 | <urn:uuid:2b8aaa87-5381-49f4-b9d4-fe824ebffa8c> | en | 0.939419 | Fear of Flying
© Getty Images
Getting Over a Fear of Flying
The Andy Bush Column: Combatting My Fear of Flying
Andy Bush
The night before, I'll lie awake in bed wondering if my 'estate is in order'. By this, of course, I mean mentally checking whether all of my pornography is either hidden or destroyed so as not to disappoint my grieving parents.
In a few days time I have to fly to Ireland to do my radio show from Dublin. This on the surface should be pure heaven — an adventure to the home of Guinness, a stay in a nice hotel, a chance to explore one of the most iconic cities in Europe. But there's a problem. And that problem is my fear of flying. By that I don't just mean ‘not keen’, I mean sweaty arsed, rosary bead thumbing terrified.
In the 37 years I’ve inhabited this planet, my over-active imagination has served me pretty well. It helps to come up with ideas for stupid stuff to do on the radio and it greatly increases my enjoyment of playing video games like FIFA 14 because when I’m at work in meetings, I pretend I’m still the manager of Everton. However, the main drawback of a vivid imagination is that it presents you with a terrifying array of nightmare scenarios on an almost daily basis. No matter what I’m doing or where I am, the creative bit of my brain will magic up a suitably gory death plot. On the train: What if the driver crashes? Just heard an ambulance: Is someone I love seriously injured? A cute squirrel appears: could it be diseased?
It's absurd and I find it hard to comprehend that the bit of my brain that is responsible for nice stuff like drawing and painting can be behind such malevolence. Much like the dramatic reveal at the end of a good murder mystery, no one ever suspects that the gentle, bespectacled artistic guy next door was capable of such a crime.
I take solace from the fact that I’m not alone in suffering with this neurosis. Everyone’s got a jumpy mate that acts like a sketchy cat, and if you’re scared of flying you’ll be more than familiar with the build up to the day of a flight itself.
It goes a little something like this...
As the days, hours and minutes tick down until the dreaded event, I generally feel like I’m being followed around by a military drummer from the English Civil War who ,maintains an ominous beat as I do simple things like searching for my passport and packing clothes. The night before, I'll lie awake in bed wondering if my 'estate is in order'. By this, of course, I mean mentally checking whether all of my pornography is either hidden or destroyed so as not to disappoint my grieving parents. And after my death, will friends understand that I was only keeping White Dwarf magazines as a fond memory of my school days rather than an indicator of any real desire to play with miniature orcs and elves?
By the time I’m clipping in my seat belt on the plane I’m already sweaty and scared. I look around at those smug, calm people who snuggle back into their seat, closing their eyes getting ready for a sleep and, frankly, I hate them. I wish I could be doing the crossword on the back of the complementary Times, but instead I'm fixated on the little Super Mario engineer dude by the wing who’s fiddling with something. What’s he doing out there? Why is he required to perform this last minute maintenance? Go away if there's nothing wrong, Mario! Once he's finally cleared off, my hushed, solemn prayers soundtrack the terror of actual take-off. Somehow, I've survived.
On a long flight most people watch a movie. I don’t. I tend to scan the stewardesses faces for any sign of panic, especially when they have a go on that phone by the cockpit. Frequently, I have convinced myself their grim faces mean they've just received word from the pilot that the plane is doomed. Logical, grounded me will know that they're just a bit concerned because the veggie lasagnes supplies are low.
I’ve tried all sorts of different ways to cure myself. I’ve had NLP, hypnotherapy and I've even been on a special flying course where proper pilots placate you by promising you that you aren’t going to die and there's nothing to worry yourself with. But nothing has worked so far. I always end up at the same place: Self-medication. I mean ‘self-medication’ in the Edgar Allan Poe sense, a planned intoxication through whatever means to reach a higher state of understanding. Most of the time when I fly I’ll be off my head on Valium or if I haven’t got any I’ll sink some sneaky breakfast double whiskies at the airport bar before I board. This of course isn’t ideal as it means that whoever's unfortunate enough to fly with me is forced to to turn into Clint Eastwood in Any Which Way But Loose and has to lead me off the plane by the hand after landing like an orangutan in a nappy.
However, I am determined to beat this phobia. The last thing I want to do is pass it onto my little girl who loves going on a plane. Her airport excitement reminds me of the fearless innocence of youth before adulthood wraps its sinister, messed up tentacles around you. So I’ll keep saying my prayers and doing my stupid little rituals that in my weird world keep me alive. But the most important thing of all is that I don’t give up trying.
More Like This
Best of the Web
Special Features | http://www.askmen.com/fine_living/how_to/getting-over-a-fear-of-flying.html | dclm-gs1-055120000 |
0.055573 | <urn:uuid:2a2ce47a-9b9c-4423-b958-4f19e6263faa> | en | 0.94609 | When filling for an extention of a restraining order. How is the service on respondent done?
Asked 11 months ago - Miami, FL
This person moves often, making service difficult. In DV restraining orders aren't the respondents suppose to file change of address with the court? Can a respondent be served by mail to the last address? Or has to be the sheriff's dptm?
Attorney answers (2)
1. Larry Thomas McMillan
Contributor Level 15
Lawyers agree
Answered . The Respondent has to be personally served, unless he/she is represented by counsel.
2. Carin Manders Constantine
Contributor Level 19
Lawyers agree
Answered . I agree with my peer on his answer and will add that if your allegations are serious and you can prove you are still in danger, the Judge may extend the injunction until the Respondent is served if it has not expired and if he/she can procedurally do so. You must still give the Court and the Judge all information you have regarding his new address or addresses of family members if you have them. Good luck to you.
This information is a general answer and is not specific to any particular case. Carin Manders Constantine, Esq.... more
Can't find what you're looking for? Ask a Lawyer
Get free answers from experienced attorneys.
Ask now
30,592 answers this week
3,110 attorneys answering
Ask a Lawyer
Get answers from top-rated lawyers.
• It's FREE
• It's easy
• It's anonymous
30,592 answers this week
3,110 attorneys answering
Legal Dictionary
Browse our legal dictionary | http://www.avvo.com/legal-answers/when-filling-for-an-extention-of-a-restraining-ord-1211117.html | dclm-gs1-055130000 |
0.019467 | <urn:uuid:161f65d4-5204-446a-920a-a5de850bfa8f> | en | 0.933867 |
The Dean's December (Classic, 20th-Century, Penguin)
by Saul Bellow
ISBN 0140189130 / 9780140189131 / 0-14-018913-0
Publisher Penguin Classics
Language English
Edition Softcover
Find This Book
Find signed collectible books: 'The Dean's December (Classic, 20th-Century, Penguin)'
Book summary
Albert Corde, dean of a Chicago college, is unprepared for the violent response to his expose of city corruption. Accused of betraying his city, as well as being a racist, he journeys to Bucharest, where his mother-in-law lies dying, only to find corruption rife in the Communist capital. Switching back and forth between the two cities, The Dean's December represents Bellow's "most spirited resistance to the forces of our time" (Malcolm Bradbury). [via] | http://www.bookfinder.com/dir/i/The_Deans_December_Classic,_20th-Century,_Penguin_/0140189130/ | dclm-gs1-055200000 |
0.082801 | <urn:uuid:a87dca28-b769-410a-ad66-9fa308516b9f> | en | 0.889662 | Oh my god..... Gronk..
Re: Oh my god..... Gronk..
In response to Neal Page's comment:
Oh well. Should help Brady be better. With Hernandez returning, it shouldn't matter too much. Employ Fells and Shiancoe more.
What an idiot. Mr Brady does not need to get better, BUT YOU SURE DO!
2. You have chosen to ignore posts from CubanPete. Show CubanPete's posts
In response to LessPhatRex's comment:
It's like Bill Belichick can predict the future. It all makes sense now. Why else would he have signed 8 TEs?
If BB could predict the future, he wouldn't be dumb enough to play his best player, albeit arguably, on special teams.
Already registered? Just log in:
Forgot your password?
Not registered? Signing up is easy: | http://www.boston.com/community/forums/sports/patriots/on-the-front-burner/oh-my-god-gronk/100/6443078?page=3 | dclm-gs1-055230000 |
0.250935 | <urn:uuid:a03c3bc4-68f5-44a3-94ed-d7f2aba0bb03> | en | 0.989683 | A father posts a YouTube video in protest after secretly recorded teachers bullying his 10-year-old son, who has autism
After Stuart Chaifetz was told that his "sweet and non-violent" 10-year-old son Akian was acting violently at his New Jersey school -- including physical assaults against his teacher and teacher's aide -- he decided to investigate.
Akian has autism, as do the rest of the students in the class. This prevented him from being able to explain to his father if anything had been happening to him at school. Chaifetz decided the only way to find out what was behind the outbursts was to send his boy to school wearing a hidden audio recorder.
While Akian's teacher and colleagues denied anything out of the ordinary was happening, the recordings Chaifetz listened to told a different story.
Sign Up For Traffic Text Alerts
"You would never get away with talking about your alcohol abuse the night before if this was a mainstream class," Chaifetz says in the YouTube video (below). "And that's the point, isn't it? They knew none of those boys could go home and tell their parents that the person who ran that class was under the influence of alcohol and was throwing up."
As the video continues, Chaifetz introduces the viewer to the voice of his son's teacher, "Kelly", and her classroom aide, "Jodi".
"Who are you talking to, nobody?" Kelly asked Akian, who often talks to himself. "Knock it off," Jodi says sharply.
Upset, Akian begins to cry. "Go ahead and scream because guess what? You're going to get nothing until your mouth is shut," one of the teachers snaps. "Shut your mouth."
The abuse escalates as the video progresses, with Jodi saying, "Oh Akian, you are a bastard."
"She betrayed my son and caused him great pain. If some union rule or HR regulation has allowed her to keep her job, then the law needs to be changed so that the next time a teacher bullies a child, especially one with special needs, they will be immediately fired. For me to do nothing would mean I was treating my son with as much disrespect as they had," he added.
Chaifetz said that he made the heartbreaking video after the Cherry Hill Public School District officials listened to the recordings and decided not to fire the teacher, but rather move her to a different classroom. The aide, Jodi, was fired however. Chaifetz is calling for both the teacher and aide to publicly apologize and for the teacher to resign from her position at Horace Mann Elementary School. | http://www.courant.com/news/wpix-kid-autism-wears-wire-to-record-teacher-bullying,0,251067.story | dclm-gs1-055350000 |
0.041596 | <urn:uuid:df82d2fd-d0f4-4e0a-b3b4-eec948b7c210> | en | 0.970411 | Obsessive loner, 21, jailed for sophisticated hacking scam that netted him Porsche and gold bullion
By Daily Mail Reporter
Alistair Peckover
Jailed: Alistair Peckover carried out a lucrative online fraud operation to feed his gambling habit
An 'obsessive loner' who carried out a sophisticated and lucrative online fraud operation to feed his gambling habit was jailed today.
Using sophisticated computer programmes, some of which he wrote himself, 'Peckover remotely viewed files of other computer users without their knowledge or consent.
He misused systems by such internationally known names as Google and BT and breached security barriers to target online betting sites and individual email accounts.
Police said Peckover then placed 'filters' on all the email accounts. Any email that contained key words including 'sort code', 'exp' or 'amazon' would be deleted from the user's inbox without them knowing.
Using a computer 'fake mail' programme, Peckover would take the identity of the original sender and continue correspondence with the victim.
Money recovered from Alistair Peckover
GainsL Police recovered this money following the computer hacker's arrest
Passports in three names he used were also found.
Porsche 911 Turbo
Flash lifestyle: The 21-year-old computer whizz spent the proceeds of his fraud on a Porsche and gold bullion (file pictures)
Profits he obtained from his method of deception were often moved into one of his many personal bank accounts, and some of it would be spent on expensive items.
Detective Constable Des Hamilton, of Sussex Police's major fraud unit, said: 'This is a classic example of a self-taught, obsessive loner with real computer skills but no concern for his impact on other people.
'He was caught time and again but seemed completely uncaring about others.
Further inquiries are being conducted by Sussex Police into Peckover's finances.
The property and cash seized has already been frozen and there will be a court confiscation hearing under the Proceeds of Crime Act to seek to strip Peckover of everything found.
Both Google and BT were made aware of the security breaches and have made arrangements to prevent them happening again, a police spokesman said. | http://www.dailymail.co.uk/news/article-1287407/Alistair-Peckover-Obsessive-loner-jailed-sophisticated-hacking-scam-netted-Porsche-gold-bullion.html | dclm-gs1-055390000 |
0.037816 | <urn:uuid:35c0aeeb-f7ad-4f16-968f-a602d4f0b061> | en | 0.935035 |
Space shuttle Endeavour (Source:
Source: Yahoo News
Comments Threshold
RE: Shuttle Clear Cutting
By FaaR on 9/6/2012 7:54:11 AM , Rating: 1
...And of course if you actually lived where those trees are growing you'd be there yelling and screaming that your property value's getting shot to hell and that big gov't is stomping all over the little guy and blaha blahabla and all of that shit you conservatives are so hypocritically uptight about.
...But now all you're on about is how hippies ought to be stomped and that trees have no inherent value (although strangely it costs $1k to cut one down, lol), even though trees and nature is what sustains the echosphere of planet earth, which we of course depend entirely upon.
| http://www.dailytech.com/article.aspx?newsid=27595&commentid=803105&threshhold=1&red=152 | dclm-gs1-055420000 |
0.111001 | <urn:uuid:44109f6f-700e-4f7a-91aa-782ede63b70e> | en | 0.973054 | Comments about ‘Letter: Asthma inducer’
Return to article »
• Oldest first
• Newest first
• Most recommended
I don't mean to be rude, but have you considered relocating to a location with environmental conditions more suited to your condition? That seems like it would be the prudent thing to do.
The problem is that inversions are natural, not man-caused. There is no way for us to prevent them or eliminate them once they've formed. What is most likely causing your health problems is that when an inversion occurs, all human-produced emissions are trapped in the valley. The obvious way to eliminate the pollutants that get trapped in the inversion is to not emit them. That would mean no cars, no buses, no trucks, no trains, no airplanes, no natural gas usage for home heating, cooking, or hot water, and no industrial activity. It would pretty much end life as we know it here.
A better approach would be to assess the causes of pollution and begin addressing them in a rational manner, balancing the economic impact with the health issues. But that takes time and must be done carefully to avoid throwing the baby out with the bath water. In the meantime, you should act to preserve your health.
salt lake city, UT
thanks for writing. it is only through people like you speaking out that change can come. hopefully sooner rather than later.
embarrassed Utahn!
Salt Lake City, UT
Utah's higly-moral leaders wouldn't let personal agendas get in the way of protecting public health would they?
Sandy, UT
Geez Pops, I wondered who would be the first to tell the author to love it or leave it. Inversions are natural, but having the worst air quality in the nation is not. Why not be the first to donate to pay for her and all the things she loves to move and be able to function in another environment. It isn't an all or nothing proposition Pops, we can do better and expect better.
Salt Lake City, UT
Three important considerations:
1. Reducing air pollution is not a process that is fast or straightforward. If it were easy it would have been done long ago, not just in Utah but around the world. Re-locating, as Pops suggested, is a more reliable short term solution.
2. Chronic sinus infection and asthma are closely related. Your physician may want to check that out. Rescue inhalers are not the answer.
3. Self righteous comments about Utah's leaders are not a solution.
Mom of 8
Hyrum, UT
When we were relocating to Utah, we purposely made sure we moved outside of the valley to avoid inversions. Yes, the air a problem, and one that's not going to be solved easily or soon. Part of the issue is geology, and that's a part that's not going away.
Quite often the solution to individual problems is to change the individual. We've moved from areas that weren't conducive to our standards and health, and perhaps this letter writer should consider the same thing instead of complaining about a problem that's been afflicting the valley since pioneer times.
Michael Matthews
Omaha, NE
And this is exactly one of the reasons why I live in Omaha. I was heavily recruited for a position for a good organization a few years back. I also have family that moved to Salt Lake a few years before so there is a personal draw too. But, I have asthma as does one of my sons and the air there is just too bad in the winter. It is a shame for SLC really because the organization still hasn't been able to fill the position adequately. There aren't enough employees for my particular speciality nationally so hiring me would have been a coup. As it was, I just rejected their offers to come out for an interview.
2 bit
Cottonwood Heights, UT
So what are we supposed to do to help you Karrie? Outlaw inversions... or outlaw pollution?
I think people ARE trying. But as long as the population in the valley keeps growing... it's going to get worse. Are we going to force some people to move out of the valley? And outlaw commuting to jobs in the valley? Shut down all factories and power plants.
What do you propose we do to prevent your asthma problems?
@ugottabkidn - I wish you had read my comment before condemning it, particularly the last paragraph. As others have also pointed out, solving our air quality problem isn't as easy as the legislature passing a law or the governor issuing an executive order. If it were that easy, it already would have been done. It will take time and money.
Most of us aren't severely affected by the pollution, but those who are should do something about it that will actually protect their health. Writing letters to the editor might help motivate corrective action, but it won't solve the letter-writer's medical problems. No disrespect was intended.
Pasedena, CA
To "Karrie Higgins" has your Doctor said that it was pollution induced asthma?
There are many ways of inducing asthma. You said that you exercise a lot. Did you know that your exercise could have caused exercise induced asthma?
Your asthma could be induced by an allergic to the trees, pollen, animals, or change in diet. This is the most common reason for asthma.
Your could be brought on by a viral infection.
Cold air, changes in temperature, and humidity can cause asthma also.
Some asthma is caused by moving to a higher altitude than what your body grew up in.
The point is, there are so many different and natural causes of asthma, that blaming the air in Utah for your asthma is about as logical as blaming the positions of the stars for an asthma attack.
About comments | http://www.deseretnews.com/user/comments/865592826/Asthma-inducer.html | dclm-gs1-055430000 |
0.075637 | <urn:uuid:aab03070-6e14-4370-b797-81c822f9be39> | en | 0.888951 |
Where's our
phone number?
Printer Supplies
We currently don't offer this product.
Track your order
Order number:
Zip code:
Were you buying your product from somewhere else until now?
Excellent! I searched for the product I needed and found it in a couple of clicks. Thanks! Rating: 5 of 5
Barbara M.
view more
You are 100% secure
on ExtraMileToner.com! | http://www.extramiletoner.com/product/OKIDATA-B710-FUSER-110V/50242603/58485 | dclm-gs1-055510000 |
0.024041 | <urn:uuid:19002ae5-e54d-47b9-a548-8f0aa9f848ed> | en | 0.962036 | close ad
6 Solutions for Teen Job Problems
Help your kid land and keep a gig with these take-action strategies.
• Share
• Print
Teen jobs
Enlarge Image
Michael Byers
Teens today want jobs for many of the same reasons you did when you were their age: money, freedom, responsibility, and a desire to be treated like an adult. Though the number of employment opportunities continues to decline, nearly 80 percent of teens say they want to work, and some 1.9 million 15- to 17-year-olds actually held gigs in 2009. For those lucky (and cunning) enough to find work, it can mean so much more than a paycheck. "Your child will begin to interact with coworkers, and possibly customers, and as a result, gain knowledge about how the workplace operates," says Beverly F. Slomka, author of Teens and the Job Game (iUniverse). "It's important that kids take their first job seriously and understand that it's a stepping stone to bigger things later on." Anticipating the problems that a kid might run into in a new venture—and taking preventive measures to avoid them—will help your young worker get off on the right foot.
The Problem: New Job Jitters
The beginning can be scary—the pressure to perform can turn a laid-back teen into a ball of nerves.
The signs: Your child is quieter than usual and complains of a stomachache or loss of appetite before her first day.
How to help: Assure your teen that it's normal to feel anxious. Remind her that the biggest challenge is already behind her (getting hired), and that she may make a mistake but it won't be the end of the world. "Nobody expects perfection on the first day, or even the first week," says parent coach Susan Epstein. When your teen messes up, encourage her to admit it immediately and to ask her employer how she can avoid making similar mistakes in the future. Her new boss should admire her honesty and be impressed with her desire for self-improvement. Helping teens practice basic skills—like making eye contact and firming up their handshake—will also give them more confidence from the get-go.
When to get involved: If your teen is still nervous after a few weeks, it may be a sign of a deeper issue, like a lousy manager or overwhelming responsibilities. Talk it out until you uncover the real issue.
The Problem: Immaturity
It's easy for teens to let "little things" like personal hygiene or a bad attitude damage their workplace rep. Teaching them to behave professionally sets an example for life.
The signs: They're dressing sloppily, arriving late to work, asking to leave early and relaying anecdotes about goofing off.
How to help: Reiterate the long-term impact of taking employment seriously: Good behavior now means a strong reference later, which can lead to a better, higher-paying job in the future. "Give them a sense of how important first impressions are," advises Karen Hinds, author of A Teenager's Guide to the Workplace (New Books). "They should dress for the job they want, not the one they have."
When to get involved: Angelica L. Kloos, MD, assistant professor of pediatrics at the Children's National Medical Center in Washington, D.C., says that "it is best for teens to experience for themselves the natural consequences of their behaviors," such as answering to a supervisor about why they're late. If your kid is fired as a result, help him process what happened and why, and discuss what he can do in the future to ensure it doesn't happen again. Moreover, resist the urge to give him money while he searches for new work. Warns Dr. Kloos, "If you provide for him what he planned on earning through a job, you may inadvertently take away his motivation to succeed in the workplace." Instead, suggest chores he can do to earn money while hunting for another job. Refusing to pay for extras like a cell phone or the latest video game will also teach him to take that position more seriously.
More Smart Savings | http://www.familycircle.com/teen/jobs/job-problems-and-solutions/?page=1 | dclm-gs1-055520000 |
0.025665 | <urn:uuid:af59ab99-e037-4db1-9f59-1c3874bd4296> | en | 0.99051 | The father of Josh Powell was involved in the disappearance of his son's wife, a member of the Powell family told RadarOnline.
Josh Powell, who was a person of interest in the 2009 disappearance of his wife Susan, killed his two sons -- Charlie, seven, and Braden, five -- Feb. 5 in a fiery double-murder suicide at his home in Graham, Wash., during a supervised visit.
After the deaths of his son and grandchildren, Steven Powell -- currently jailed in Tacoma, Wash., on child porn charges -- also was named as a person of interest in the disappearance.
Kirk Graves, who is married to Josh Powell's sister Jennifer, said he believes that Steven Powell at the "very least" knows what happened to his daughter-in-law.
"I believe that, at a minimum, Steven knew something about what happened to Susan," he told the website. "At the very least, Josh told him what he did."
FLASHBACK: In 911 call, social worker says Josh Powell 'exploded' home
He added, "It was a very controlled relationship. Steven controlled Josh, so if he was in trouble, he would have known what was going on, or even worse, been controlling what he did."
Graves believes Steven Powell did not want Susan involved in the raising of his grandchildren.
"She was a threat for his control over the family. She was too strong to have around," he said.
Steven Powell filed court papers last week saying he will not cooperate with investigations being conducted by law enforcement agencies into the case.
Meanwhile, Susan Powell's father, Chuck Cox, plans to hold a public meeting Thursday to call for a review, both into the investigation of his daughter's disappearance and into possible child-welfare failings that led to the deaths of his grandsons, The Salt Lake Tribune reported.
"We're coming up with some things that should have been done differently," Cox, who was granted custody of the two Powell boys last fall, told the newspaper.
Cox also confirmed Tuesday that he would be meeting with top crime writer Ann Rule this week to discuss her plans to publish a book about the Powell family.
"We don't have any desire to make any money on anything," Cox said, adding that he supported the book because it would bring attention to the case.
Susan Powell was last seen on Dec. 7, 2009, when Josh Powell said he left their home in West Valley City, Utah, to take their two sons, then aged two and four, camping in freezing conditions. | http://www.foxnews.com/us/2012/02/22/steven-powell-was-involved-in-daughter-in-laws-disappearance-his-family-says/ | dclm-gs1-055620000 |
0.044035 | <urn:uuid:23a1e2c5-ee3f-4b0b-b142-92dc0482f181> | en | 0.976581 | View Full Version : PC/modem question
04-10-2012, 11:47 PM
So I am helping some folks to buy a laptop for a guy in Guatemala. Communications with him are a bit sketchy, but I have figured out that they don't really have phone lines and so they use a modem that works off of a cellular network or maybe satellite. Tigo is probably the most common company, and you can buy a Tigo usb modem there pretty inexpensively. The problem is, on the Tigo website it doesn't seem to indicate whether it will work with Windows 7. And it seems hard to find new laptops that do not come with Windows 7. I would get him a Mac if he lived at all close to me and/or spoke English so I could help him as needed (and also if they had a little more money to spend). I have emailed Tigo to ask them about this specifically, but haven't gotten a response yet.
Does anyone have any helpful information?
04-11-2012, 12:28 AM
Never mind. Found another site, in Spanish, that led me to a manufacturer's site, and they do seem to work with Windows 7, too.... | http://www.fsuniverse.net/forum/archive/index.php/t-83274.html | dclm-gs1-055640000 |
0.414808 | <urn:uuid:f53a049d-1620-440f-a96d-23e9f45b1349> | en | 0.921579 |
Do you care about using legendaries on your in-game team?
#11endergamer537(Topic Creator)Posted 4/6/2013 10:40:44 PM
scrappybristol posted...
Lexifox posted...
I dislike them because generally speaking
A. They're too strong and thus ruin the challenge of the game.
B. They're too hard to catch (catch rate) and I don't really care to deal with that hassle.
Pokemon can be challenging?
Challenge Mode was decently harder if you used a full team, but not really.
And HGSS is hard because of the horrible leveling curve that results in you being way underleveled for the Gyms if you don't grind.
Official Meta Knight with his Brobat
#12Torru369Posted 4/6/2013 10:47:21 PM
I never care for shear power being put in my hands no matter what I play. So I usually use legendaries only if they really appeal to me.
#13KyrieIrvingPosted 4/6/2013 10:52:29 PM
I use them because it makes me feel like a Pokemon master.
#14Brandon042487Posted 4/6/2013 10:53:09 PM
Lol only kids use legendary pokemon ingame...Just Kidding
Honestly I don't use legendaries for the ingame I feel a legendary will make it way to easy.
#15ThatKippPosted 4/6/2013 11:03:21 PM
I don't use them, because it's boring to OHKO everything even when your attack is resisted. It feels like I'm playing with training wheels.
3DS FC: 3609-1237-6725 | http://www.gamefaqs.com/boards/696959-pokemon-x/65897279?page=1 | dclm-gs1-055680000 |
0.025456 | <urn:uuid:51618ce6-e93e-4b8f-b629-77c79f81d4b1> | en | 0.965156 | Decisions Decisions...
#1Tavy89Posted 5/17/2013 3:53:44 AM
I just bought my 3DS two days ago (and loving it) and today, now that I have been paid, I'm going to get another game. The problem is I can't decide between Tales of the Abyss and Ocarina of Time. I've never really played a Zelda game (I bypassed the N64 and didn't bother on other consoles) but everyone raves about Ocarina. Thing is there is a lot of people talking about Tales of as well and I have played other games in that series and enjoyed them.
Decision is mine to make of course but any recommendations?
(Hopefully unbiased ones cos this is the actual 3DS board and not one of the games boards...)
(PS3 Versus 360) Versus WII U Versus PC.
#2DampeThePoeHuntPosted 5/17/2013 4:06:18 AM
I haven't played Tales of Abyss but I can tell you don't want to pass up on Ocarina of Time. It's a really great experience on the 3DS.
3DS FC: 5413-1158-6036 Name: John. PM me to exchange, don't be a Shyguy.
#3Aarosmashguy27Posted 5/17/2013 4:16:25 AM
I like OoT more on the N64. Link doesn't roll as awkwardly and there are a plethora of glitches to exploit. The 3ds version is still pretty good though.
#4crispyoPosted 5/17/2013 4:42:50 AM
I am (or was) like you, never been a zelda fan and had only briefly played 1 or 2 of them, but OoT was a great surprise for me. Fantastic game and port to the 3ds. It was my first 3ds game too.
3DS FC: 4253-3731-6211
#5noobody1Posted 5/17/2013 6:24:44 AM
There is no decision. There is only Ocarina of Time
Sent from my iPhone via PowerFAQs 1.9
#6BeanBeanKingdomPosted 5/17/2013 6:28:34 AM
Abyss is definitely worth playing, especially if you liked other games in the franchise, but go with Ocarina since you've never played Zelda.
#7stargazer64Posted 5/17/2013 6:29:57 AM
I got tired of Tales after around 4 hours. There's nothing really wrong with it, but it didn't capture my interest. And I don't even have the standard complaint of disliking the main character, as I thought his antics were funny.
The kind of love that makes us functional members of society, the kind of love that makes you consider others' power levels...
-ServantOfErieos having a moment
#8x_stevey_xPosted 5/17/2013 6:42:18 AM(edited)
i hear the zelda "port" is really good and enhanced .. where as the tales port is very lackluster and identical at best
that being said i played both on their original systems and they are both very good.. though OOT is god tier and tales is a notch or two below.. no contest pick OOT!
#9BeanBeanKingdomPosted 5/17/2013 6:46:04 AM
The Tales port is alright, it's just the same exact game as the PS2 version with 3D and much shorter load times. Not worth buying again if you have the PS2 version, while I can easily recommend OOT3D to someone who's already played the original.
#10badboyPosted 5/17/2013 6:48:52 AM
Both are games not to be missed. | http://www.gamefaqs.com/boards/997614-nintendo-3ds/66215805 | dclm-gs1-055710000 |
0.053605 | <urn:uuid:798ea072-5604-4c50-87b6-a4d411445d39> | en | 0.966485 | Why do we love the games that hate us?
Mark of the Ninja strikes an impressive balance between challenge and reward, but it's certainly not the only game in recent memory to do so. XCOM: Enemy Unknown, Super Meat Boy, Dark Souls (and Demon's Souls before it)--these are all commonly used as examples of games that are difficult but fair. We often joke that they're made for masochists as a result of their extreme challenge. But difficulty in and of itself isn't all that appealing, and will yield only frustration if handled poorly.
In a recent interview with Dark Souls producer Daisuke Uchiyama, he describes difficulty as a vehicle through which players obtain a sense of achievement. "We often ask ourselves: Why do people continue to play, continue to torture themselves, when playing this difficult game? The underlying concept when we were first developing [Dark Souls] was not to make a difficult game, but to provide a sense of achievement, a sense of accomplishment."
The time I spent playing Dark Souls for review in 2011 remains one of the greatest experiences I've ever had with a video game. I had no guides to rely on, no form of assistance. I was forced to explore that intimidating world, to experiment, to employ the skills I'd developed to succeed--and I was punished when I failed to play smart. That punishment was always fair, and it made me appreciate my triumphs even more.
"Jane McGonigal talks about the concept of 'fiero' in her book Reality is Broken," DeAngelis says. "Fiero is an immense sense of pride a player feels when triumphing over adversity, and it’s one of the most powerful emotions an interactive experience can provide. But fiero is absent if there aren’t real odds to overcome. I can’t remember her exact words in the book, but there have been actual neuroscientific studies analyzing the brain concluding that fiero is one of the most intense rushes human beings can experience; you know, those moments where you throw your hands over your head in exultation because you just won a championship, or solved a seemingly impossible problem. So scientifically, challenging games are rewarding because they trigger some of the most powerful, genuine emotions in a player."
Now we're heading into dangerous territory. Publishers fear challenging games won't sell, so they don't make them. Thus we end up facing a barrage of "safe" games--so many of them that they end up opening our eyes to their very safeness, and we become unimpressed. Look at the reception of Medal of Honor: Warfighter. In 2006, people would've gone crazy over that game. Now? Many shrugged so hard they damn near fell off the plateau of apathy. What does that say about the gaming market? Are "hard" games making a comeback? Or are we simply less inclined to blindly fall in love with pretty pictures and fancy lighting effects?
Yu argues that challenging games aren't making a resurgence--they've just been drowned out by the explosion of "casual" games in recent years. "I don't just mean mobile and social games, but big budget games as well. There's a huge mainstream audience now and developers are afraid of scaring them off by making games that are too hard. Now that it's plateaued a little bit, players are rediscovering the joys of tough games."
I desire games with more substance. I crave interactive experiences with consequences. I get excited at the thought of justified failure--I don't care if I lose a game of XCOM eight hours in. If I do, it's because I messed up. That's not to say I don't pick up my Mass Effects, Halos, or Uncharteds from time to time. I still enjoy my shelf lined with Call of Dutys. But there's a special place now for those few games that linger in my mind long after my consoles are powered down. Those are the ones that always surface whenever I think about my most potent gaming memories. And that's pretty damn refreshing.
We Recommend
• JMarsella09 - November 9, 2012 4:58 p.m.
Impossible Jrpgs are my montra, including the Souls games. I just love them so much.
• ObliqueZombie - November 9, 2012 5:06 p.m.
Great article, Ryan! I, too, have been more fond of the "hard games." Not intentionally, mind, but I simply remember and cherish those moments when I've overcome a seemingly impossible obstacle--like just recently, with Tales of Vesperia's Gattuso boss. That was a BITCH to beat, but when I finally did, it felt so damn good. Like you said, I still enjoy my "streamlined" games quite a lot. I'm a huge fan of Halo, and Black Ops II is around the corner and you bet your ass I'll be there at midnight with my friends.
• GR_RyanTaljonick - November 9, 2012 5:08 p.m.
Definitely! It's not really a "this type of game" vs. "another type of game" thing, right? It's just that certain ones are inherently more memorable because they force you to rely on your skills--and, more importantly, they let you fail when you mess up.
• jivecom - November 9, 2012 5:49 p.m.
This might not seem like it really applies to this, but a lot of what you said is kind of rolled up in my love of proper racing sims. Bear with me, because it's all there: 1. Failure is in nearly all cases because of your poor judgement 2. Success requires the player to learn and apply a specific skill set, a skill set which in most cases is never given by the game, and sometimes isn't even mentioned. You basically have to teach yourself (though in fairness, once you've got it down in a good sim, you've more or less got the hang of it in the rest of the good sims) 3. When you finally do succeed, you feel like you've accomplished something. "Yes! I finally mastered this specific track with this car and I didn't even have nanny aids on" And finally, the most important one 4. All of the nanny aids with the exception of the recent influx of "driving line" diagrams are cribbed directly from nanny aids that real cars really sometimes have, therefore providing you with a legitimate context for them, should you choose to use them Most of this applies as well to well-made arcade racers, i.e. sega rally. In some more recent arcade racers, losing is difficult, but sometimes even then, there's a line between simply succeeding and being truly good at it (I'm sure justin knows exactly what I'm talking about here)
• GR_RyanTaljonick - November 9, 2012 6:03 p.m.
Yeah! These kind of experiences aren't exclusive to one genre of game, which is one of the awesome things about games in general :D
• Sinosaur - November 9, 2012 5:56 p.m.
I think that for a lot of people, this experience has been somewhat replaced by multiplayer content. Until you get into the realm of outright cheating, you can never be absolutely certain that you'll achieve victory, whether it be against a team of players or swarms of AI enemies with a small squad of allies. That amazing victory where you take out your enemy with a mere sliver of health left, or finish a brutal wave as the last one standing, those are the sorts of memories you hear most people talking about the most now. They also have the advantage of being brief around 10-40 minutes so that even if you don't come out victorious, you usually don't feel like you've wasted your time.
• codystovall - November 9, 2012 6:23 p.m.
Dark souls was all the more harder with its stunted controls.
• BladedFalcon - November 10, 2012 1:36 a.m.
Aside from the sometimes wonky auto lock-on, I never really had any problems with the controls. They responded and reacted accordingly to your own movements, unless of course, you made the mistake of over encumbering yourself, that is...
• winner2 - November 10, 2012 11:59 a.m.
Completely agreed. I love the controls for Dark and Demons. They're, to me, how fighting in a game like that should be. You'd better move and react perfectly or you're going to get hurt. Badly. And in that game, you can die just as easily with heavy armor as you can with light armor. Being able to roll and move at top speed is practically a necessity. Prime example: accidentally discovering that miralda the executioner lady in the first area of demons as a complete noob with no good equipment. Scared the hell out of me walking into the dark and hearing "WOOSH". Rolled the %*#@ out the doorway in a heartbeat.
• SDHoneymonster - November 10, 2012 1:24 p.m.
Dark Souls has occasional input lag too, which is annoying, but it happens so rarely that it's barely worth mentioning when the controls tend to be so spot on.
• taokaka - November 9, 2012 6:37 p.m.
I'm kind of mixed when it comes to gaming difficulty, I don't play games for a challenge but when I find a game that challenges me in a way I like then I'm all for it. I hate when games stimulate difficulty by limiting the number of lives or attempts you have at the challenge, making the only way to win through memorization of attack patterns, etc or when there's a severe punishment like permadeath, losing 8 hours of gameplay sounds like utter hell to me. I like difficult action games like ninja gaiden sigma 2 and bayonetta on a high difficulty because they challenge your ability to correctly time your attacks, dodges, etc and test your spacial awareness all while providing a fast, fluid combat system that's still fun even on easier difficulties. I enjoy having games that are difficult and fast because of how they test your decision making skills, an example of this is burnout 3, when you get in the formula 1 car you go so ridiculously fast in incoming traffic that you need god like decision making skills and reflexes to avoid constantly crashing and get a good position. Another way I enjoy being challenged is in bullet hell games like touhou, they test your spacial awareness and your ability to judge based off of where you think will be a safe spot in ten seconds time. However my utmost favourite form of challenge is the challenge you create yourself, an example is deliberately choosing the worst fighter in a fighting game when versing other people because the sensation of winning a round of blazblue with Rachel, a round of tekken with Julia or a game of smash bros with mr game and watch is great. I always try and make games difficult my way, in dishonored I only took people out by choking them, in skyrim I fought dragons with my fists, in uncharted 3 I took out all the regular enemies by rolling around, jumping from atop cover to the next set of cover and being a total jackass then punching them to death. Sorry for the long wall of text.
• xx_CaPTiiN_SpAiiN_zz - November 10, 2012 1:38 a.m.
• KA87 - November 9, 2012 7:30 p.m.
I look at it this way, someone paid $733,000 for an unused copy of Killswitch just so that they could be possibly the only person to have completed Ghast's (AKA an avatar that is invisble to all of the enemies and you) champign. That said, the youtube video of said buyer crying at his computer is a likely reason why games are normally not that tough.
• ChaosEternal - November 10, 2012 10:18 a.m.
I'd say the reason the buyer was crying at his computer was because the entire story was a hoax, including his buying it. There was never a game called Killswitch. (Though there was an unrelated game titled Kill.Switch. :P)
• xx_CaPTiiN_SpAiiN_zz - November 10, 2012 1:39 a.m.
no mention of devil cry 1... and yet faster than light is mentioned oh boy. people just jumped on that bandwagon after totalbiscuit showed a video of it.
• GR_RyanTaljonick - November 10, 2012 10:45 a.m.
Different games for different people. There's not a definitive list - those are just the ones that do it for me.
• GR HollanderCooper - November 10, 2012 10:37 p.m.
Also he's sort of talking about new games with it, not old ones.
• xx_CaPTiiN_SpAiiN_zz - November 11, 2012 1:28 a.m.
oh right i shouldve read it through a bit more properly. thanks.
• jasoncarter - November 10, 2012 11:22 p.m.
I would be more then happy with xcom, if it wasn't a bug ridden mess. Hell I'd be more then happy to do ironman in xcom overall its a fun game, but when enemies teleport in randomly right in the middle of my troops, shoot me through multiple walls, and my soldiers get stuck under floors, incorrect flanking on troops, and I suddenly get tossed an extra abduction mission even though I just finished one, there is a problem. Hard and fun is one thing, cheap glitches is another. Why does no game website talk about this kinda stuff with xcom? Just curious. Also, FTL is a damn fun game.
Showing 1-20 of 28 comments
Join the Discussion
Add a comment (HTML tags are not allowed.)
Characters remaining: 5000
Connect with Facebook
| http://www.gamesradar.com/what-makes-us-love-games-hate-us/?page=2&comment_ordering=oldest_first | dclm-gs1-055750000 |
0.024539 | <urn:uuid:1cc560d6-248e-4f68-9b68-be9fc0782001> | en | 0.968943 | Beth's Reviews > Under the Dome
Under the Dome by Stephen King
Rate this book
Clear rating
's review
Jan 19, 10
Read in January, 2010
One random afternoon, an invisible, impenetrable dome seals off the town of Chester's Mill ME from the rest of the world. The car salesman selectman who runs the town is determined that the meth lab he's masterminded won't be discovered, and will go to any lengths to do so in this novel of small town politics gone awry that seems to be a microcosm for life in post 9-11 US.
King says in his author's note that he got the idea for Under the Dome 35 years ago, but it certainly resonates well in our current martial/political climate. He made the MANY characters vivid enough and unique enough that I didn't have any trouble keeping them straight, which was admirable, and he followed them all through to their ends, making it a satisfying, if horrific, read.
I think Under the Dome would be pretty appealing for the content, and the length won't deter fans. What I WAS bothered by the authorial intrusion and tense changes to present tense - maybe I didn't notice them earlier, but I picked up on it about 75% of the way through the book. it was inconsistent and thus jarring for me, and he or his editor should have known it. The ant metaphor was clever, but kind of heavy handed, and I felt like he spoon fed me a lot that I would rather have figured out on my own; he's just not subtle or deft, to me.
EDIT: In discussion, someone pointed out WHY he chose to change POV, and I'm adding another star.
6 likes · likeflag
sign in »
dateDown_arrow newest »
message 1: by Terry (new)
Terry So it's not worth slogging through?
message 2: by Beth (last edited Jan 08, 2010 07:36AM) (new) - rated it 3 stars
Beth OMG, Slogging is exactly the word I used when composing my review! I'm not done, so the number of stars in my rating may go up.
I am slogging through Under the Dome and according to my Kindle, am 25% through.
I LOVED Stephen King as a teen, but not all Stephen King - I remember several friends reading The Stand senior year, and I just couldn't get through it, but IT was one of my favorite books.
I still consider King a master of the short story, but I'm not feeling much love - or WOW - for this title. While I'm admiring the deeper level of the allegory and the story's politics and the themes of how power corrupts, it just feels a little heavy handed.
And, I can't help thinking of The Simpsons Movie while I'm reading Under the Dome!
message 3: by Terry (new)
Terry Yeah, when I heard the plot summary my first thought was "Simpsons did it!"
Early Stephen King was dangerous -- it was cool to be seen with a Stephen King book. But his newer stuff is like geratric horror. My friends and I joke that his tagline should be "Stephen King, scaring more old people than Glenn Beck." :)
message 4: by Terry (new)
Terry Thanks for the review. I think I'll skip this one.
Beth do. Read Breathers: A Zombies Lament instead!
message 6: by Terry (new)
Terry Just added it to my lamentably long to-read list!
Gary Hagood slogging? Anything but! This is a fast paced don`t want to put down read. Absolutely love it but only half way through it. A must read for Stephen King Fans!
back to top | http://www.goodreads.com/review/show/83904573 | dclm-gs1-055770000 |
0.093443 | <urn:uuid:ce6494d9-a2fb-4ab2-91c6-0201c6c33d85> | en | 0.8532 | Red Raspberry Jelly Recipes
Enjoy our collection of red raspberry jelly recipes submitted, reviewed and rated by community. Meet people who are looking for red raspberry jelly recipes.
CC: 1
Red Raspberry And Currant Jelly
Crush currants thoroughly, add the water, and bring to boil. Meanwhile crush the raspberries thoroughly, add to the currants, and squeeze through a jelly cloth, see Extracting Juice. Measure the juice into a large saucepan—there should be 4 1/2 c. If not... - 32.9704
You May Also Like!
Currant Raspberry Jelly
1. Remove stems from currants; rinse currants and drain. Rinse and drain raspberries. In heavy 4-quart saucepan, with potato masher or slotted spoon, thoroughly crush currants and raspberries. Over high heat, heat mixture to boiling, stirring frequently to... - 34.2149
Currant Raspberry Jelly
Pick over raspberries and place in a sieve. Wash by immersing quickly in cold water. Shake off excess water. Place berries in wide kettle; mash. Add washed and stemmed currants. Bring slowly to a boil, cover, then reduce heat to simmer and cook until currants... - 31.1222
Red Raspberry Rolls
Mix flour, baking powder, 1 1/2 teaspoons sugar and salt; cut in shortening. Stir in milk slowly to form soft dough. Turn dough on lightly floured board; roll into 12 x 8-inch rectangle. Brush with butter. Drain raspberries; reserve liquid. Spread raspberries... - 43.9448
Ruby Jelly
GETTING READY 1. Crush berries completely and using a jelly bag, extract juice; should be 4 cups. MAKING 2. In a large saucepan, mix juice and pectin; heat until mixture begins to boil. 3. Stir in sugar and bring mixture to rolling boil; stir constantly and... - 34.3751
Rodgrot Danish Red Jelly
MAKING 1) Make a thin cream by blending cornflour with a little cold juice. 2) Allow the remaining juice to boil and mix with the cornflour mixture. 3) In a pan, allow the mixture to come to a boil and then simmer for 1 minute. 4) Take a dish; pour the... - 35.4907
Red Raspberry Plum Jam
GETTING READY 1. In a food chopped, using medium blade, grind plums and raspberries together. 2. Measure fruit mixture in cups and measure 1 cup sugar for every cup of fruit. MAKING 3. In a saucepan, mix fruit and sugar; bring mixture to a boil and then boil... - 35.9664
Sautéed Duck Breasts With Red Cabbage And Raspberry Sauce
GETTING READY 1. Add duck giblets to saucepan, cover with water, bring to boil. Lower the heat and allow to simmer for 20 minutes for giblets to turn tender. Keep aside ½ cup drained liquid. 2. Keep aside the minced giblet and meat separated from... - 45.5544
Raspberry And Red Currant Tarts
GETTING READY 1. Preheat the oven to 350°F MAKING 2. In a large enamel coated or stainless steel saucepan, combine the fruit and sugar 3. Place pan on low heat and cook the fruit, stirring gently to melt the sugar and make a syrup. 4. Take and add lemon... - 42.3174
Red Raspberry Sour Cherry Jam
Crush the raspberries, then measure 1 1/2 cups into a large pan. Pit and grind the sour cherries then measure 1 1/2 cups into the pan with the raspberries. Combine the sugar and fruits and mix thoroughly. Let stand for 10 minutes. Mix 3/4 cup water and the... - 33.2449
Red Raspberry Crepes
Spread cream cheese over unbrowned side of each Basic Dessert Crepe, leaving 1/4 inch rim around edge. Sprinkle each with some toasted almonds. Roll each crepe up as for jelly roll. Cover crepes and chill. To make raspberry sauce, drain raspberries, reserving... - 44.6315 | http://www.ifood.tv/network/red_raspberry_jelly/recipes | dclm-gs1-055860000 |
0.035697 | <urn:uuid:b5dd66bb-c532-4454-bcd7-ffb5f1c74e85> | en | 0.968821 | IMDb > Deja Vu (2006) > Reviews & Ratings - IMDb
Deja Vu
Top Links
trailers and videosfull cast and crewtriviaofficial sitesmemorable quotes
main detailscombined detailsfull cast and crewcompany credits
Awards & Reviews
user reviewsexternal reviewsawardsuser ratingsparents guidemessage board
Plot & Quotes
plot summarysynopsisplot keywordsmemorable quotes
Did You Know?
triviagoofssoundtrack listingcrazy creditsalternate versionsmovie connectionsFAQ
Other Info
box office/businessrelease datesfilming locationstechnical specsliterature listingsNewsDesk
taglines trailers and videos posters photo gallery
External Links
showtimesofficial sitesmiscellaneousphotographssound clipsvideo clips
Reviews & Ratings for
Deja Vu More at IMDbPro »
Filter: Hide Spoilers:
Index 389 reviews in total
223 out of 304 people found the following review useful:
U can save her…Déjà Vu
Author: jaredmobarak from buffalo, ny, usa
24 November 2006
It's a real shame that everything I had read about Déjà Vu concerned the high-powered explosions and loud clatter of guru/producer Jerry Bruckheimer. No mention, except maybe as a footnote, was given to A-list director Tony Scott and the magic he has woven in his past three films. The man who brought us Top Gun has seen a sort of revival in style lately with the entertaining Spy Game, the amazing Man on Fire, and the kinetic Domino. Scott has taken the quick cuts of music videos and has infused them into his shooting style. His editor better be making some good money as these films fly by with filters, jump-cuts, grain, and camera angles swiveling at every turn. Greatly overshadowed by brother Ridley Scott and his more serious, award-winning epics, Tony has been pumping out some of the most solid and entertaining films of the past couple decades. With a reuniting of semi-regular star Denzel Washington, Déjà Vu proves that when Bruckheimer is paired with a like mind, his usual drivel can become great. Scott shows us how to hone the explosions, noise, and clutter to an effective level and gives us a helluva ride.
Déjà Vu could have easily reduced itself to timetravel farce, going by the books to show a time warp in order to solve a crime. The far-fetched premise of being able to see the past as it happens four and a half days later should seem crazy and by watching the previews you are given the idea that it will be just a series of do-overs. Fortunately the trailers these days show a totally different movie than what has been crafted. Scott and his screenwriters have not only developed a sci-fi tale seeped in enough reality to at least be looked upon as plausible for the sake of the story, but they nicely tidy up any chance of their being a plothole. Our story begins with a devastating domestic terrorist act upon a ferry carrying over 500 people, Navy and family. Washington's ATF agent is brought in and discovers that it was no accident. Intrigued by the efficiency he displays, an FBI agent, played with nicely effective restraint by Val Kilmer, calls him in to check out a new toy they have to find who the perpetrator is. During the use of this screen of the past, Denzel acquires a feeling of obligation to do all he can to prevent what he sees from occurring in the present, no matter what consequences that might entail for the future. The quest to stop the violence begins with an attractive young woman who unknowingly has become an integral part in what will ultimately transpire.
The beauty of this film is that with multiple timelines being shown parallel to each other, there are many questions that desperately need answering. To credit all involved, they appear to have put themselves in the audience's shoes and piece-by-piece wrote in a reason for everything. Anything that is seen either in the past, present, or future has a reason for being there and will be intelligently explained. Also, the performances are stellar, Denzel and Kilmer as well as a quietly maniacal Jim Caviezel and the emotionally exasperated Paula Patton, and the visuals unique. While Scott has toned down the ultra-kinetic cuts and filters for the main action, his style is still stamped on the graphics of their screen showing the past. The motion trails and speed scans lend a stylized digital editing program feel and are gorgeous to watch. Déjà Vu's best sequence, however, is the crazy car chase during the present in pursuit of a vehicle in the past, definitely a rush and orchestrated almost flawlessly. Even though Ridley gets the accolades and Tony gets the hack/overproduced label, I must say, while they are the best directing duo in Hollywood, I might have to give the edge on pure cinematic entertainment to the younger Tony. He is on a roll and doesn't seem to be stopping anytime soon.
Was the above review useful to you?
205 out of 291 people found the following review useful:
Fun Ride
Author: Nate Challen from North Carolina
22 November 2006
I'd say this movie definitely lived up to expectations I had from the ad trailers. A good mix of science fiction and cop drama, with the occasional good joke. Both my wife and I thoroughly enjoyed it. Denzel entertained as usual, as did Adam Goldberg. Don't be turned off by the professional reviewers. Those guys can never seem to enjoy a movie that's content with being slightly unbelievable. If I always wanted believable, I'd stick to documentaries or the news. There won't be any Oscars coming out of it, but it was a action-filled thriller that kept me guessing till the end. If you liked the Island, this is right up your ally.
Was the above review useful to you?
253 out of 407 people found the following review useful:
A superb and brilliantly crafted thriller
Author: akeanefan from United States
23 November 2006
It has been quite a while since I have seen a film that was this beautifully crafted and nearly flawless. The acting is very convincing and the storyline follows quite closely to a Michael Criton-esquire novel. I was rather surprised at the 6.8 rating this movie has received thus far, and I hope that more positive reviews will come in order for the score to be bumped up to at least the mid 7's. I can guarantee you will not be disappointed by this film. For one thing, it stars Denzel Washington, Jim Cavizel, who I felt did a marvelous job at playing the antagonist, Val Kilmer, and Bruce Greenwood. With these four actors, you typically cannot go wrong. I notice that these four are also never in the tabloids and don't get caught up in the typical Hollywood tripe that is so prevalent today. They have raw talent, are not just getting by on their looks, and their performance, especially in this film, shows it. "Deja Vu" is one of those rare films that grabs a hold of you from the very start and does not let go of you until the very end. People even clapped after the film ended and such applause was well deserved. If you do anything at all this Thanksgiving weekend, then by all means, put going to see "Deja Vu" on your shopping list. I can promise you that both you and your family/significant others will be blow though the very back wall of the theater.
Was the above review useful to you?
204 out of 311 people found the following review useful:
Deja Vu is a great ride!
Author: Max Million from United States
9 November 2006
I was also at that Century City screening last night, and I was probably one of the people who were saying they thought this movie was awesome. I enjoyed it immensely. It has been described as an action-adventure-romance-sci-fi pic and it truly is all of that.
First of all, the cinematography was stunning. Tony Scott and his DOP, Paul Cameron, do fantastic work -- every shot is beautifully composed. And all the footage that involves a cast of thousands (meaning the crowd scenes) is masterful work.
I don't know why I started with commenting on the photography (also the editing) of this movie. It's probably because that is what struck me from the very beginning, particularly when there is so much going on in the opening sequence. Yet you never get lost. Above all, the performances and story are great and really suck you in. Yes, this movie requires a fair bit of suspension of disbelief. I would go so far as to say the plot was far-fetched, but the heart of the story just takes you along for the ride.
For the record, I felt Scott's most recent teaming with Denzel, Man on Fire, was one of the best movies of 2004. I don't think Deja Vu is as good as Man on Fire, but it's right up there as one of the most entertaining and thrilling movies I've seen this year.
For sheer entertainment and an intriguing (though not flawless) plot, Bruckheimer, Scott and Co. sure have DELIVERED the goods.
I recommend you see Deja Vu on the big screen with a big, loud audience for maximum enjoyment. Part of the appeal last night was exactly that; hearing the audience -- as one -- laugh, applaud and sigh along with this movie and getting swept up in that communal experience.
post scriptum -- Any fans of Otto Preminger's wonderful 1994 classic Laura may be delighted by the echoes of that storyline in Deja Vu.
Was the above review useful to you?
152 out of 231 people found the following review useful:
An absolute thriller...
Author: ( from United States
22 November 2006
Highly recommended for the open-minded.
Was the above review useful to you?
80 out of 121 people found the following review useful:
The Dumbing Down Of American Film!
Author: liberalgems from Baltimore, Maryland
16 February 2007
*** This review may contain spoilers ***
I kept my hopes low for this mediocre time machine movie and my expectations were not exceeded! I realize the filmmakers are solely in it for the money. Film is now, for the most part, a commodity like toothpaste and paper towels - and it shows! I wouldn't even be surprised if Hollywood stooped so low as to hired Public Relation firms to write fake positive reviews on internet sites like this one!
While I have no complaint with the acting, the storyline is just utterly ridiculous, and boring as tears. I don't think it is asking too much for a story to make some sense, instead of treating the movie going public like a bunch of teenagers looking for some cheap thrills!
Where do I begin? This highly professional terrorist has no motive for his madness. He pops out of the blue, belongs to no organizations or movements, and has no ideology, no allies, and no one helping him. Our meany terrorist quotes Thomas Jefferson, claims he's not killing people because the U.S. military hurt his feelings when they rejected him for being "too much" of a patriot (I kid you not), and all he wants when he's captured is to confess like he's talking to a priest. (Plus a cigarette, of course - don't all bad guys smoke these days?) Oh, please, give me a break! How sanitized a story can you get? The filmmakers and screenwriters of Deja Vu have absolutely no guts, whatsoever, to make any kind of statement other than that terrorists are crazy and get hurt feelings! Wow! What an interesting insight!
Next, The U.S. Government has a time machine that uses so much energy it caused the last Canada to New York blackout while doing experiments with just small animals, which, in-turn, all end-up going into cardiac arrest, and dying. But when our fearless hero, Denzel Washington, goes back in time the energy problem miraculously disappears. Keep in mind a single piece of paper was sent through time a couple of days earlier, and it knocked out a whole city's power!
The dying problem is also solved too, with a full recovery taking less than a day. Keep in mind, when most people recover from going into cardiac arrest, they are usually not strong enough to waltz out of the hospital a couple of HOURS later! But Denzel is special, and he doesn't even have super powers!
When Denzel is shot by a rather large caliber bullet, he begins losing blood fast. So fast in fact, that it's obvious to everyone he needs to make a trip to the emergency room, pronto! Instead he goes over to his women's home because of time constraints. There they wash his wound with water and dry it with paper towels. He miraculously stops bleeding because he washed his wound. No need for stitches or compresses, just soap and water stops bleeding from gunshot wounds. Imagine what other miracles would have occurred if he had the time to wash the rest of his body!
I think you get the picture. This is such a dopey film because the stupidity is non-stop! It's a shame films are not rated based on cleverness and intelligence. If they were, perhaps filmmakers would start making more interesting movies!
Was the above review useful to you?
55 out of 74 people found the following review useful:
Reality Crime Thriller With Neat Sci-Fi Twist
Author: AudioFileZ from United States
16 April 2007
I usually like sci-fi when it's pure sci-fi. I usually like present day drama when it's believably real. Disaster, at least for me, looms large when sci-fi meets real life drama. So here we have a present day crime thriller crossed with sci-fi time travel...And, this movie kicks butt, works so well, in fact, it's nuances should be studied in film school. It's original enough to be compelling-where we are not in some distant future, but the here and now.
The story, the characters, and the effects mesh well to suspend belief to the point that you "get on-board" and enjoy the ride. This is the way to do sci-fi with believable real life situations. The cinematography, the implementation of technology, and even a beautiful (but presently dead) damsel in distress, combine to give the actors, who are uniformly good to excellent, the boost to put this in rarefied good sci-fi territory. Genre fans are shoo-ins and those who think they don't like sci-fi should enjoy this one too. 7.5 to 8 out of 10.
Was the above review useful to you?
84 out of 136 people found the following review useful:
A Well-Produced and Compelling Thriller
Author: tabuno from utah
10 December 2006
This richly dense action-thriller has Denzel Washington as his typical but well cast character in this well thought out script that uses the idea of time and space in a superb manner. In one of the best genre thriller of its type, this consistent execution, high-quality production provides an intellectual and mostly satisfying experience. the movie also contents musical strains reminiscent of the intense and action-focised Bourne Identity series (2002) that also offers a similar strength and sharpness the movie's appeal. Except for a "Stargate" (from the movie and television series) like structure that unnecessarily detracts from the scene and the obvious impossibility or at least gigantic leap of science two-thirds way through the movie, such lapses are minor compared to the intensity and small deja vu clues that actually enhance the movie till the end. Sometimes predictable, but nevertheless, it's in the execution that matters here. A solid eight out of ten.
Was the above review useful to you?
79 out of 129 people found the following review useful:
Characters are made dumb, just like in horror movies and bad soap operas...
Author: insolit from Maia, Portugal
28 January 2007
*** This review may contain spoilers ***
I consider time-travelling movies particularly interesting most of the time. I like the idea of a bridge between past and present, that turns communication possible, as well as timeline branching. I can remember "Frequency", that i found an amazing movie and recommend to those enjoying this subject. About this movie, there are a few things i particularly dislike. It's particularly annoying when characters are made stupid so that screenwriter get the story the way he wanted. Why was that paper sent to a place where Denzel would be just in that instant? After that "forced failure", why didn't they try to send the paper once again to a place he could certainly see it... his home for example... didn't he ever go to sleep? Then to solve all the problems... it was made possible sending him to the past... well i can't comment on that, i'll just assume it as a possibility in movie's reality, though it would be kind of impossible to imagine it after so much trouble sending the mass of little sheet of paper. But even when he was sent to the past, after the girl's rescue, the screenwriter created suspense by making characters once again stupid and complicating everything. Why didn't Denzel try to contact ATF and just warn to abort that ferry travel so that they could safely dismantle the bomb, without risking all that people's life... Well i'll answer that, because screenwriter wanted to break people's heart after his death, just when love between he and "Claire" (Paula Patton) had been set. And of course even more important was to make him appear once again, so that all people get happy again... I can't like movies that get their suspense or any other type of emotions, by turning characters dumb, this is usually done in bad horror movies. These and many other reasons don't make this movie a good reason to go to cinema. This is a Sunday's afternoon movie to watch with the family while pictionary is played, so that we don't take the movie too seriously.
Was the above review useful to you?
51 out of 75 people found the following review useful:
Only 2 required (don't read without seeing the movie)
Author: ajsmith001 from United Kingdom
15 December 2006
*** This review may contain spoilers ***
I was expecting more of this film based on the title and the trailer but ultimately came away feeling a bit taken for a ride. I read Sci Fi, I understand some of the time travel stuff they write so would like to add some thoughts.
To begin the whole process the ferry must blow up and he must travel back in time at least twice. The script writers get lazy in adding the ambulance and the stuff at the flat in the wrong time loop. They are compressing the two time loops into one time loop and using some of the elements to explain stuff that is logically wrong. Why two time loops and why is the film wrong? because the dead girl and the stuff at the flat and the ambulance all exist in the same time stream in the film. Why is this a problem: she must have been alive to help put it in the flat which he finds before he time travels but her dead body is in the morgue, so where was this other alive version of the girl in his current time stream???? She can't be the same girl in the river with fingers missing as that should already have happened. Now there are two of him at the end, but only because he time travelled, she never did, so there can only ever be one of her in any one time stream or loop at any one time. He saved her with the ambulance therefore its in the wrong time stream loop if she is also dead in the same time loop, so there must be two time loops, one where she is dead and one where she is alive. (now some might try to get round this by saying she was killed after going to the flat with Denzel and then placed in the river, but I don't think the timing and the positioning of the bomber will support that very well, and of course that didn't happen in the film)
The whole sequence would make more sense if it went like this. start: A note arrives from the future on his desk, his partner gets it. His partner disrupts the bomber, gets shot. Bomber can no longer use the car. This makes the bomber go for the girl and her car. The car is changed the girl dies at the hand of the bomber she ends up in the river and found later but too early for the ferry explosion. There should be no traces at the flat. There should be no ambulance at the bombers place. Science team get him on board, he starts the investigation, he sends the note into the past
Loop 1 He travels back in time. He gets the ambulance. He saves the girl from the first death. They go back to her flat, he arranges the letters and leaves the blood etc. Bomber still rides across the bridge (very very important for the logic) They try and save the ferry they fail (and die) The ferry blows up (again).
Logically this should have happened to have all the elements available at the start of the film to travel back a second time, where everything in the past is in place, so he can now see all of those things in the past that he put there and changed. So the time travel trip shown in the film should actually be the start of the movie (as it fits all the requirements for the first time loop) not the one leading to the shown ending which should logically be the end of the second time loop and the continuation of the time stream and exit from the time loop that could potentially go on for ever if the ferry keeps blowing up.
NB Bomber riding across the bridge: In reality if he had succeeded in stopping the ferry from blowing up as shown in the movie he would not have been able to see the bomber ride across the bridge on the CCTV(future part) as he was changing the past in real time, eg Bomber is now on the ferry. (remember the two are linked in real time, they said so). The ambulance, bandages at the flat, phone call etc must exist in the same loop as the bomber riding across the bridge.
Was the above review useful to you?
Add another review
Related Links
Plot summary Plot synopsis Ratings
Awards Newsgroup reviews External reviews
Parents Guide Official site Plot keywords
Main details Your user reviews Your vote history | http://www.imdb.com/title/tt0453467/reviews?ref_=tt_urv | dclm-gs1-055880000 |
0.048325 | <urn:uuid:d066ed27-28e6-4d41-bf31-9ece7a1137fc> | en | 0.939736 | Find companies:
Job Work/Life Balance
Job Security/Advancement
Job Culture
2 reviews
About Enecon
Enecon Employer Reviews
supervisor (Former Employee), Cali, VACJanuary 6, 2014
Tecnico em Segurança do Trabalho (Former Employee), Belo Horizonte, MGJanuary 3, 2014
Working at Enecon
• What are the average starting salaries, bonuses, benefits and travel requirements like at Enecon? What do you like best about working at Enecon? Are there any great perks...
• It's always hard to know what to expect when going in for that interview -- and preparation can make all the difference. What is the interview process like at Enecon? Any...
• Do you work at Enecon? How did you find the job? How did you get that first interview? Any advice for someone trying to get in?
• What do you think - will Enecon grow fast? Are they expanding their staff? How does Enecon stack up against the competition?
• Every business has its own style. What is the office environment and culture like at Enecon? Are people dressed in business casual, jeans and t-shirts, or full-on suits? ... | http://www.indeed.com/cmp/Enecon | dclm-gs1-055890000 |
0.040626 | <urn:uuid:46f94f1a-2388-4bd3-a3cc-ddcb5853f0e9> | en | 0.712828 |
Air date:
jermaine jackson and STEVIE WONDERlet's get seriouslet's get seriousmotown
jurassic 5i am somebody (instrumental)power in numbers (instrumentals)up above
kool & the gangfruitmanlight of worldsde-lite
idris muhammadpower of soulpower of soulkudu
philip cohran and the artistic heritage ensembleel hajj malik el shabazzthe malcolm x memorialzulu record co.
o'jayslove trainthe sound of philadelphiaphiladelphia international/legacy
mc coy tynerplanet xcosmosblue note
art blakey and the afro-drum ensembleife l'ayo (there is happiness in love)the african beatblue note
james blood ulmersphinxmusic speaks louder than wordskoch jazz
mos def f. weldon irvinemay-decemberblack on both sidesrawkus
| http://www.kboo.org/node/10826 | dclm-gs1-055940000 |
0.028084 | <urn:uuid:390a7a64-0f39-431a-b46d-9eaf34c3f02a> | en | 0.95626 | Jump to content
uk_redwing's Photo
Member Since 11 Jun 2006
Offline Last Active Yesterday, 08:02 PM
Posts I've Made
In Topic: 3/9 GDT: Red Wings at Rangers
09 March 2014 - 02:02 PM
Watched the first period before turning the game off and finding something else to do. Boring as hell.
In Topic: Ken Holland's Moves From 2009-2014
05 March 2014 - 01:17 PM
Can't see it, don't have a Google account.
In Topic: Why did Franzen get 10 min game misconduct?
01 March 2014 - 06:59 PM
It seems like people are trying to make their case for fighting vs. no fighting by using this incident in microcosm.
Only if you look for it.
In Topic: Why did Franzen get 10 min game misconduct?
01 March 2014 - 02:51 PM
This one's for you, Dickie!
@AnsarKhanMLive: Franzen responded to Neil's purse, lipstick and yellow streak comment by saying asking him (Franzen) to fight is like asking Neil to (cont.)
@AnsarKhanMLive: Franzen (cont.) .... To show good hands and hockey sense.
@AnsarKhanMLive: One more from Franzen: Maybe they (NHL) should actually try to protect the players (cont.) ...
@AnsarKhanMLive: "a play like that when he just drops his gloves and punch me in the head, if he doesnt get anything for that I dont know whats going on.
Can't believe he said that. That's embarrassing. He wants protecting so he can run his mouth 24/7 and use his stick as a weapon without any retribution? f*** right off. That's exactly why there's fighting in hockey. Franzen keeps digging himself a bigger and bigger hole.
Don't poke a bear with a stick and be angry he's taken a swipe. Those concussions seem to have lost him a bit of common sense.
In Topic: Why did Franzen get 10 min game misconduct?
01 March 2014 - 08:41 AM
In Neil's defence, Franzen did clearly poke (or spear) Neil in the groin just before the scrum.
Neil is a heavyweight enforcer. Who in their right mind does that to guy like Neil in a blowout game and then not expect anything to happen afterwards? Insanity, especially given his concussion history I have no idea what the in the hell Franzen thought he was doing. | http://www.letsgowings.com/forums/user/8372-uk-redwing/?tab=posts | dclm-gs1-055990000 |
0.033539 | <urn:uuid:68290b4f-3a69-4458-9afb-276e2475d398> | en | 0.941573 | New! Read & write annotations
Come, let me hold you for a while
All you have to do is smile
& I'm yours again
I may not like some things you do
But they're all a part of you
& you're my best friend
I don't mind the cold when I have a fire to warm me
I don't mind the rain 'cause it makes the flowers grow
I can take the bad times when you wrap your love around me
I don't mind the thorns when you're the rose
Stay, we can work the whole thing out
That's what love's about
& I understand
You didn't mean the things you said
They're so easy to forget
When you take my hand
If it was anybody else, I would be gone
But you're so beautiful to me, oh that I keep on holding on
(chorus, then repeat its last line)
Lyrics taken from
Correct | Report
• u
UnregisteredNov 29, 2011 at 9:06 am
I dunno... I mean... What does love have to do with horticulture? And does it really help the nice lovely feelings if we're thinking suddenly of thorns? Thorns? What the heck?! If i wanted to think about thorns, i'd go back to my last residence-- they had these goat-heads, which are thorns that they say look like goat heads. Funny, butt never did i ever see a goathead like that--ever@@!! But anyways, what does love have to do with that? And what was i talking about before the goatheads?
Write about your feelings and thoughts
Min 50 words
Not bad
Write an annotation
Add image by pasting the URLBoldItalicLink
10 words
Annotation guidelines: | http://www.lyricsmode.com/lyrics/l/lee_greenwood/i_dont_mind_the_thorns_if_youre_the_rose.html | dclm-gs1-056030000 |
0.019263 | <urn:uuid:074a026a-0bc1-4241-b28d-6927c9f4913d> | en | 0.971043 | WASHINGTON -- President Barack Obama's choice for replacing Federal Reserve Chairman Ben Bernanke probably comes down to a quiet consensus builder, who would be a historic pick, or one considered brilliant but difficult to work with.
Through unprecedented policy moves and public outreach, Bernanke has dramatically expanded the role and the profile of the nation's central bank. But neither he nor the White House have indicated whether he would seek a third term or be renominated.
Janet L. Yellen and Lawrence H. Summers -- the two leading contenders on the White House's short list -- offer contrasting styles that could play a crucial role in the Fed's delicate task of withdrawing its stimulus efforts in the next few years without damaging the economic recovery.
Yellen, a soft-spoken and respected economist who has been the Fed's vice chair since 2010, is most likely to continue Bernanke's mix of aggressive steps to boost the economy and understated academic ways of explaining the central bank's actions.
Summers, the outspoken former Treasury Secretary and Obama economic advisor, is known as a brilliant economist who also probably would continue the Fed's aggressive stimulus policies.
But the Harvard economist is known for having a prickly personality. And that means he's more of a wild card when considering how he would lead a Fed policymaking apparatus that strives for consensus and how he would communicate its actions to financial markets that can overreact to even the most carefully worded pronouncements.
A pick could be announced soon. But Obama advisors believe the president hasn't decided between the two and might be considering other candidates, including former Treasury Secretary Timothy F. Geithner.
Vincent Reinhart, former director of the Federal Reserve's division of monetary affairs, said Yellen and Summers are highly qualified for the tough task of replacing Bernanke.
"I think it's a very tough call," said Reinhart, now the chief U.S. economist at Morgan Stanley.
With the economic recovery still fragile, Obama might not want to risk a contentious confirmation fight in the Senate. The Fed's stimulus policies have been controversial, with many Republicans arguing the central bank has gone too far and some Democrats contending it hasn't done enough to stimulate hiring.
"Larry Summers is certainly an excellent economist, but he does come with some baggage," said Bernard Baumohl, chief global economist at the Economic Outlook Group. "I think that might well slow down the approval process, and this is not something this economy can afford at such a delicate time."
Summers, 58, was a high-ranking Treasury official in the Clinton administration, serving as secretary in 1999-2001. He also headed the White House National Economic Council in 2009-2010, playing a pivotal role in Obama's early response to the Great Recession and financial crisis.
Summers has never served on the Fed, so his positions on monetary policy are not well-known. Analysts said he probably backs the Fed's recent actions and wouldn't hesitate to act aggressively in response to economic problems.
Yellen, 66, offers stability. She's been a loyal ally of Bernanke since joining the Fed Board of Governors and, before that, as president of the Federal Reserve Bank of San Francisco. She also served a stint on the Fed in the 1990s and headed President Bill Clinton's Council of Economic Advisors in 1997-1999.
No Fed vice chair has ever been elevated to chairman. But analysts said Yellen's history at the Fed would guarantee a smooth transition. Yellen has been the overwhelming front-runner to replace Bernanke in recent polls of economists and investors.
"My sense is she'd be a very good consensus builder, and that's really important," said Jared Bernstein, the former chief economist to Vice President Joe Biden. | http://www.mercurynews.com/business/ci_23695624/dissimilar-front-runners-emerge-leading-fed | dclm-gs1-056070000 |
0.025605 | <urn:uuid:15e9737d-08ca-41dd-8b78-fe25f94d6e0a> | en | 0.954176 | User Score
Generally favorable reviews- based on 15 Ratings
User score distribution:
1. Positive: 10 out of 15
2. Negative: 4 out of 15
Review this movie
1. Your Score
0 out of 10
Rate this:
• 10
• 9
• 8
• 7
• 6
• 5
• 4
• 3
• 2
• 1
• 0
• 0
1. Submit
2. Check Spelling
1. BrianH.
Mar 30, 2006
just a big show, really. people seem to think its all meaningful, but it just seems superficial and boring to me, like a slowed down music video.
2. Dan
Apr 5, 2006
I find images from this film haunting me. If you let yourself just experience it and not focus so much on what it is about, you will find yourself transported.
3. LarissaM.
Mar 30, 2006
This was the most pretentious movie I have ever seen.
4. KendraL.
Jun 5, 2006
I'm tempted to say that people who enjoy this would enjoy anything Bjork or Barney did, like throw up on stage. The images are striking, and the costuming is oddly intreguing, but I think the whole thing would have been better captured from a series of successful stills, rather than two hours of pointlessness.
5. PeterG.
Jul 20, 2006
Substantial organic talent is employed to produce this tedious and narcissistic film. I like obtuse art that is intelligently presented. This movies seems like giant egos (whale sized in fact) run amuck. I wish that some of the talented struggling artists out there had access to 1/100th the money and attention lavished on Barney. That's life on the post modern frontier.
6. Deniz12s
Jul 21, 2006
I have seen the exhibit accompanying this film, and overall I think it's a big joke about the art world and American culture. Matthew Barney is just pushing limits to see how far he can go and still be called an "Artist" while creating very little that can actually be called art, or even that he made himself. Little Bjork is into the crazy imagery, and a lot of this film was probably for the purpose of impressing her. There is some interesting commentary on the role of whale slaughter and worship of the sea in Japanese culture, but it is so lost beneath the ridiculousness of the rest of the project, that it's almost beside the point. Expand
Generally favorable reviews - based on 20 Critics
Critic score distribution:
1. Positive: 12 out of 20
2. Negative: 2 out of 20
1. Reviewed by: Leslie Felperin
A tapestry of sensuous, striking and sometimes disturbing imagery, Drawing Restraint 9 marks the latest cinematic visit to the wacky world of experimental artist Matthew Barney.
2. Reviewed by: Ed Halter
Those who fear that the mainstream of contemporary art has become little more than an extension of fashion will find no comfort in Drawing Restraint 9, Matthew Barney's latest big-budget ejaculation of ritual self-involvement and superficial foofery.
3. The uninitiated viewer can admire it simply for the majesty of its visual poetry. | http://www.metacritic.com/movie/drawing-restraint-9/user-reviews?dist=neutral | dclm-gs1-056090000 |
0.999962 | <urn:uuid:533c4bc8-cef0-4f11-a78b-0eeefd39d7c5> | en | 0.956002 | Jean Shepard Lyrics
Why Did You Wait Lyrics
Add song information...
For Example...
Cancel Submit
Thank You For Your Submission
Why Did You Wait Submit Correct Lyrics
Submit Corrections Cancel
Why did you wait to prove to be untrue why did you change what's come over you
What made you stop a carin' for me why did you wait till we had a family
Why did you wait till a baby was born think of the shame look at the harm
Think of what you've done to your baby and me why did you wait till we had a family
[ steel ]
I'd rather be dead than to tell her the news
Your daddy's traded us for bright lights and booze
I can see her little face as she cries in misery
Why don't my daddy stay with my mommy and me
Why did you wait...
Listen to Jean Shepard Radio on, or Jango
Music News | http://www.metrolyrics.com/why-did-you-wait-lyrics-jean-shepard.html | dclm-gs1-056100000 |
0.060595 | <urn:uuid:25df7f2d-a7ae-43a2-8047-17a7d56b8316> | en | 0.986986 | or Connect
Mothering › Mothering Forums › Mom › Parenting › Would you let your kids play with squirrels?
New Posts All Forums:Forum Nav:
Would you let your kids play with squirrels?
Poll Results: Would you let your kids play with squirrels?
• 7% (16)
Sure, I would let my kids play with squirrels, including feeding them and petting them
• 28% (57)
I would let them feed them, but not touch them in any way
• 60% (122)
NO WAY, I would have nothing to do with them.
• 3% (7)
Other, please explain
202 Total Votes
post #1 of 58
Thread Starter
So, we have baby squirrels up at the top of our chimney. We had heard them chirping and squeaking and my two boys, 4.5 and 3yo, have really had fun looking up at them and talking about them. Today we were outside, and one finally scaled down the chimney and onto the roof...went in the gutter...and then jumped off into a bush! We were not 6 feet away when all of this happened, so the kids are so excited and giddy about all of it. When the squirrel came out of the bush, it gravitated towards our feet! It wasn't scared or anything, the kids were giggling and kind of running around, half nervous, but interested. The squirrel would stop and the boys would crouch down a foot away to check him out. Each of them pet its tail before I could even tell them not to and before long, this squirrel is just following them around! Very cool, but I'm kind of nervous! I am in no way an outdoorsy type person, so I have no idea if this is totally dangerous or unsafe or unsanitary or what. My husband came out and discovered the squirrel, oh wait, now two squirrels, and he is totally enamored with them. DH would take in any animal as a pet...he even suggested we potty train this squirrel and let it live with us! (no thanks!!) But now they are out there feeding the squirrels sunflower seeds and spinach and it's quite adorable. But these squirrels are like climbing on my kids shoes and legs until my dh gets them off, and I'm just not sure how I feel about it! It's super fun, but I don't want to be foolish.
So, would you let your kids play with the squirrels and possible keep them around outside as "pets?" Or would you say, NO WAY!?!
post #2 of 58
That sounds so adorable! But not really safe for your kids OR for the squirrels. Squirrels can be very aggressive, and deliver a nasty bite. They're cute and furry, but they are wild animals. They can also carry parasites and diseases.
From the squirrels' side, taking away a wild animal's natural fear of humans puts that animal at terrible risk of harm. And feeding them makes them dependent on humans for food -- at this age, they need to learn to forage. For their own safety, it's better not to interact with them at all.
I know all this, but I have to admit that in your place I'd have a hard time not petting the friendly baby squirrels too ...
post #3 of 58
i would not let my kids touch them. leave out food and watch them and talk to them sure. but they are wild animals. and carry all the dangers of wild animals. would you let your kids play with a wild rat? same thing. and it is possible that even loving attatched rodent pets can bite. My kids have gotten bitten by their guinea pigs accidentally. At least I know where those little guys have been.
post #4 of 58
A) Squirrels scratch too. Big time.
B) Get the nest out of your chimney. They can do damage to both the interior of your home and make a new nest in your home. A 4x4 hole was eaten in our eaves, and a 4x4 hole was eaten THROUGH our gutter and into the roof. We had to put up drip edge on all our gutters where the roof edge meets the gutter edge - not enjoyable.
C) I have two traps in my attic right now.
D) Do not be friendly to them. They are rodents and they are destructive. It isn't cheap to have the trapper come out to get them either. If they nest in your home, it has to be disinfected. Ew.
post #5 of 58
No. For all of the aforementioned reasons.
post #6 of 58
No way. In addition to what's been said, they also need to learn to fend for themselves, so I wouldn't even feed them.
post #7 of 58
Squirrels = "Rats with good p.r."
At least, according to my dh.
Having said that - it would be incredibly difficult to resist adorable baby squirrels. I would try my best though. Aside from the destruction that they can do to a home, there has been a problem with distemper in wildlife in my area recently.
post #8 of 58
feed them sure, but where I am from we had dry corn cobs type stuff on teh trees for squirrles anwyas. But as far as touching them not a chance. To many dangers to both the kids and the animals.
post #9 of 58
Bad for the kids and bad for the squirrels leave them alone and let them do their wild squirrel thing.
post #10 of 58
Nope. Not feed them, certainly not play with them or touch them.
Squirrels are not domesticated animals. They belong in the wild. They deserve to be wild (or as wild as you can get in suburbia). They do not mix well with humans. They can destroy your house (eating holes in it). They can carry parasites.
Putting food out for them simply teaches them that humans leave food and will make them pests for the rest of their lives.
post #11 of 58
The baby squirrels sound adorable, but I would leave them alone. They have sharp claws ment to climb trees and that could end very badly for little legs, and they need to learn how to find their own food.
post #12 of 58
I'd watch them from afar like other wild critters. I wouldn't even give them food because often the foods that humans like to give will create spoilage in the squirrels food cache (salted foods, cracker type foods, for example). It is hard when they are so cute, but it can become an issue in many ways as other posters have pointed out.
I like the "good PR" comment. I've heard of squirrels called "tree rats".
post #13 of 58
I wouldn't touch a baby animal, period.
However, when I was a kid, we used to have tame squirrels (and deer too) because we lived in the wood and had lots of spare time. We had a group of about... oh 8-10 squirrels that we regularly played with and would eat out of our hands. They had great personalities and were very individualistic and it was great to learn so much about them. One day my mom got bit pretty hard though on her finger, no lasting damage but it freaked her out (she mistook one tame squirrel for a more nervous, wild one). She just got a scare and after that she wouldn't let us play with them.
I wouldn't be against it necessarily unless there's a rabies scare or they're acting funny. Everything has some risk involved, especially things connected with nature. But I would NOT touch a baby animal period. Mama instincts are NOTHING to mess with; even beloved pets can turn on you if something triggers the protection drive, never mind a first-generation wild animal.
post #14 of 58
I wouldn't for all the above reasons but let me tell you, I know how hard it is to resist. When I was pregnant with ds, my cousin found an orphaned baby squirrel and it was all over! Oh man was that the sweetest thing! I fed it kitten formula and slept with her to keep her warm. I know (and knew) that she could have been carrying something but I guess my pregnant brain didn't register, and my hormones..well, did I mention I slept with her?
Anyway, all that was just until we could get her to the wildlife refuge for small animals. They reminded me how wonderful it was that I brought her in bc kitten formula wasn't going to cut it, obviously. That and I had no intention of attempting to make that wild animal a pet.
Did the babies have adult squirrels in the nest? I think you should consider looking into an organization that will help if not. Just a thought.
post #15 of 58
Also, we used to have some cats that would bring in some chipmunks and mice and all them. Two chips we took in and nursed back to health because they were babies and the cats had injured them. They were pretty tame and would ride around my shoulder. They're kept as pets in some parts of the world, like Japan. Chips are a lot smaller than squirrels though.
post #16 of 58
No. Wild animals are not toys for the amusement of my kids.
post #17 of 58
sharp teeth, sharp claws, squirrely personality, equals a huge nope. I teach my kids to respect the wildlife. We watch from a distance, we might feed (unsalted nuts at the park-mind you they raid the bird feeders at home), but we don't touch.
I was at the zoo today and watched a bunch of kids chase a couple of geese. My 4yo said that they shouldn't do that, and he was validated in that belief when one of the geese bit one of the kids.
post #18 of 58
My DH had neighbors growing up that ate them.
post #19 of 58
I have actually raised 3 squirrels. The first I had was cut from a tree nest, literately, his tail was cut completely off, just a few weeks old, hand raised him and let him go when I was 9 mo preg with my first child.
Second was thrown from the nest by his mother and found by the house cat. We found out while feeding him why his mother rejected him. He had a cleft pallet and milk would poor from his nose as he fed. At this time I had just given birth to baby #2. Since I was breastfeeding at the time, I would express extra milk and feed the baby. He was a newborn, no hair and his eyes were closed for the first 3 weeks we had him. Few months later we eventually let him go also.
Third baby we found was ejected from his nest during a hurricane. I found him cold and stiff at the base of the tree he was in. Immediately I placed him in my bra for warm skin contact! He survived the trauma he endured and once again, months later I let him go.
They were friendly (well kinda, the first became VERY territorial over me, did not like any male who came near me and would get nasty, that is why I released him). I allowed my children to handle the second two we had. We had no issues at all.
I would not knowingly disturb a nest just to have a squirrel as a pet, but in the event that I ever found another abandoned baby, I would do the same as I have in the past w/o a second thought!
As for the comments about the parasites and diseases and such, well that goes for ANY living thing, even humans!
post #20 of 58
A whole lotta no, for many good reasons already mentioned. I also wouldn't feed them on any kind of regular basis, unless you're planning to do it for the rest of their lives--wild animals that get used to receiving food from people can lose their edge (although not their ability) to forage for themseves. Big food source disappearing + hard winter = dead squirrels. Not so cute.
New Posts All Forums:Forum Nav:
Return Home
Back to Forum: Parenting | http://www.mothering.com/community/t/1206253/would-you-let-your-kids-play-with-squirrels | dclm-gs1-056150000 |
0.032741 | <urn:uuid:436f56fa-4925-4180-81b7-39cab45db87d> | en | 0.9876 | or Connect
Mothering › Mothering Forums › Toddler › Toddler Health › Breastfeeding Beyond Infancy › Dr. Jay Gordon's method to night-wean
New Posts All Forums:Forum Nav:
Dr. Jay Gordon's method to night-wean
post #1 of 5
Thread Starter
Is anyone else trying the Dr. Jay Gordon method to night wean? Or has anyone else tried it before?
I have been reading many posts from other moms who are in the same boat as I am. I have an 18 month old ALL-NIGHT-nurser. I can't take it anymore. Someone recently posted a link to Dr. Jay Gordon's method for night-weaning. Here's the link again:
I have been doing this method for two nights. The first night my son cried for 2 hours while I held him, rocked him, sang to him, and eventually nursed him a little to put him down while he was drowsy. He would wake up immediately and cry and we would go back to the same routine.
Then last night, (the second night) he cried for FOUR HOURS! It was a nightmare. It's also a nightmare to nurse all night, so I am not stopping this plan. I just don't get how letting them nurse briefly for the first three nights is productive, since they are learning that if you cry for long enough, you can nurse. I did that for two nights, it is recommended to do it for 3 nights, but I will not do that again tonight as I think it sends the wrong message.
I have questions about this method:
How does it make sense to the toddler that in the morning they can nurse after they have been crying all night and you have refused to let them nurse?
If they have been crying for hours, and then the 7 hours is up and you let them nurse, how is that teaching them anything?
Is this doing psychological or emotional damage to the child?
Will it affect our relationship negatively?
We all just need to get some sleep and I am trying my best. If you have any experience with this, especially with a VERY SENSITIVE child who HAS NEVER PUT HIMSELF TO SLEEP, I welcome your sharing.
post #2 of 5
well i can't say we followed dr. Jay's.. but we recently night weaned our 18 mo old.. well he is 20 mo. now and sleeping great.
basically i started around 16 mo. by super gently trying to shorten our nursing sessions..
then around 17 mo. (after i found out i'm preggers and it is even more uncomfortable to nurse) one night he would not let go he nursed for an hour.. i think my milk dropped and he was physically hungry.. i went downstairs filled up a sippy of whole cows milk.. he downed it and went to sleep without nursing i was flabergasted..
well a couple nights later we went cold turkey offering the sippy.. he only cried for a couple minutes and honestly if it went past 5 minutes.. i nursed him then before he fell asleep i gave him the sippy.. so he could be calm as he tried to fall asleep without the boob.
I think once he got so worked up it was hard for him to bring it down on his own.. so i would nurse him so he got drowsy enough to take the last leg to sleepdom on his own.. with cuddles of course.
now that last leg has ever increased.. i still nurse before bed but he seems to stop nursing at a point where he isn't super drowsy.. he just seems on the way to sleepyness.. then he lays down. has a sip of water (switched to water for his teeth) and goes to sleep.
i think you need to make the leg they have to travel alone as short as possible at first. get him as close to sleep as you can then take away the boob and offer something else. a nuk, if he takes one.. or a sippy... something oral i think is good.
then for a while he needed the sippy and cuddles when he woke up.. but only a couple swigs. then sometimes he just needed cuddles... now he sleeps through.. 830p to 6p.. sometimes 7p.. but now if he wakes up and asks to nurse i nurse him because i figure there is a good reason and its not just out of habit.. it has never been more than once, since we "night weaned"
hope this helps
post #3 of 5
we did this when i was pg because DD was crying anyway because there was no milk, so i figured it was worth a shot! fwiw, she is also very sensitive and had never gone to sleep any other way than nursing. well, maybe she'd fallen asleep in the sling without nursing, but not easily.
the first few nights were rough (though not crying for hours... it just felt like it), but then she happily took the sippy and started sleeping longer stretches. within a month, i'd say, she was not waking at night as a general rule. of course there were times she had a bad dream or had to pee or was sick or whatever, but when nothing else was up, she slept all night long - from like 9pm to 8am.
i didn't do the comforting or offer the sippy at first, though, DH handled that because we felt she was more likely to accept alternative comfort for someone who couldn't nurse her. is that an option for you? i had to leave the room completely. if she knew i was there she wanted me. we even had to reconfigure the family bed so she was between us instead of between me and the wall, so DH would have easier access to her.
she was also very verbal, and it helped me to talk to her about it *during the day* about what would take place at night. i basically told her the milkie needed to sleep at night, and that she could still nurse when the sun was up, but not when it was dark. i think she needed to know i wasn't cutting her off completely, and that the daytime wasn't going to change.
we also made a little book (an idea i had gotten from the toddler NCSS) - we took pictures on the digital and printed them out, and had a little craft project of gluing them to construction paper, decorating the pages with stickers and markers, and i wrote "captions" - basically the whole book was our new routine of going to sleep... "daddy snuggles River and reads her a books" ... "River drinks some water while she falls asleep" ... "we all snuggle in bed all night long"... "River has milkie when she wakes up"...
i think it helped her process the change. we read it constantly for weeks.
post #4 of 5
Thread Starter
Here is our progress so far:
Last night was night #3. It went MUCH BETTER!!! DS woke up every two hours, but there was minimal crying because I would pick him up and hold him so that his head could rest on my shoulder and I could rock him back to sleep. This is his preferred method of falling asleep after bf. I was able to put him down without him waking up.
I know that I am supposed to start putting him down while he is drowsy, not asleep, so that he can learn to fall asleep on his own. We were all so tired yesterday that we needed to get some sleep, so I made sure he was asleep when I put him down. I guess I feel that it should be one thing at a time: first, learn not to nurse at night (with the comfort of mom or dad) and second, learn to self soothe and fall asleep, of course still with the comfort of mom and dad nearby or touching, but not holding.
That will be our next step.
Thanks for the two replies, they were helpful. I tried the water and he was thirsty at one of the wakings, so that helped!
post #5 of 5
I did not try Jay Gordon's nightweaning plan, but I did night wean two kids sometime during each one's 2nd year (maybe around 20 months?). Some kids can do it easier and earlier than others. I think Gordon's plan is way too fast! Night weaning can be expected to last a couple of months before it is complete. First, I would explain that I would like to sleep without nursing him/her at night and defined night as from the time the light goes out to when there is light in the room again. Then for a while (maybe a few days) I would explain during the night nursings that I would prefer him/her to stop nursing at night so I could get more sleep. Then I cut down the number of night nursings, maybe from three times to twice and then to once. While I was doing that I made the nursings shorter. By the time it was just once and a quick (count to ten) nursing, it was no big deal for them to just stop. I don't remember any extended crying at all. If there is really extended crying, the baby may not just not be ready to do it. Try again in a week or so. Gentle, slow, without pressure. I read Gordon's plan and I think it would be very, very stressful for a baby. I also offered water in a sippy cup instead of nursing at night.
New Posts All Forums:Forum Nav:
Return Home
Back to Forum: Breastfeeding Beyond Infancy | http://www.mothering.com/community/t/595177/dr-jay-gordons-method-to-night-wean | dclm-gs1-056170000 |
0.048266 | <urn:uuid:c657317c-0a4b-452a-969c-4137099a2174> | en | 0.974062 | Hob dead?
(3 Posts)
lizzywig Fri 03-May-13 08:12:01
We have an integrated electric hob and oven - last night I turned on one ring, put the pan on top and heard a sizzle. I assumed that the pan might be a bit wet underneath, it wasn't and moments later thick grey/black smoke came pouring out from under the hob (seeping through the crack that connects to the work surface). I turned it off and the smoke stopped. I tried again later and more smoke. DH went down in the middle of the night and to try it again, he said there was no more smoke but the ring wouldn't heat up either.
I'm assuming that the ring is now dead but was wondering if anyone had any experience of this so I know what I'm dealing with?
I'd rather know if it's written off so we can just cut our losses and get a new one without paying out for an electrician to come out and diagnose it as dead first. Alternatively perhaps it's just a blockage of some sort or a part needs replacing...
Clutching at straws!
e1y1 Sun 05-May-13 21:17:21
It depends, the entire thing could be dangerous now. We had a halogen hob split level that was set into worktop. My grandmother switched it on and it completely caught fire under the glass, so needless to say it had to go.
It might not be worth forking out to fix it, for it to be unusable/something further going wrong with it later down the line. On other hand it maybe completely fine when fixed (depends on how much it costs and how long you have had it).
Probably not saying what you already don't know - don't know what would be for the best.
Jan49 Mon 06-May-13 14:15:09
You could try phoning the company that makes the hob for advice first.
Join the discussion
Join the discussion
Register now | http://www.mumsnet.com/Talk/good_housekeeping/1746964-Hob-dead | dclm-gs1-056210000 |
0.018909 | <urn:uuid:a98b2451-57b8-467c-b33d-ae7dc0465fb4> | en | 0.799076 | Witold Lutoslawski: Livre Pour Orchestra
Verisign secured
Print On Demand. Usually ships in 5 working days
Reserve product at Store
Our store will contact you to confirm the reservation.
Please do not travel until the store has contacted you.
Our Price: £19.95 Change Currency
Customer Rating:
Media: Sheet Music
Arrangement: Orchestra (ORCH)
Composer: Witold Lutoslawski
Catalogue #: HB28915
ISBN: 9780711960213
This Item Earns 39 Musicroom Points
Commissioned by the town of Hagen and first performed there in 1968 by the Stadtisches Orchester, conducted by Berthold Lehmann. Duration, c.20 mins.
Livre Pour Orchestra
Customer Reviews
Write Review Write a review!
Write a review to win
More Product Details
Sales Rank: Not specified
Published on: Not specified
Format: Miniature Score
Length: 74 pages
Language: English
Publisher: Chester Music
Share this product with your friends using the icons below. | http://www.musicroom.com/se/id_no/00007185/details.html?kbid=1296 | dclm-gs1-056240000 |
0.250484 | <urn:uuid:3ddbdfa8-c217-40d5-bed5-3bf5589a45af> | en | 0.93976 | Not-So-Holy Land?
Listen to this 'Talk of the Nation' topic
For many years, the Holy Land Foundation for Relief and Development, formerly the Occupied Land Fund, was the largest American Muslim charity. From its offices in Richardson, Texas, just outside of Dallas, the group raised millions of dollars, ostensibly for Palestinian families. In 1993, Israeli agents alleged that the Foundation's motives weren't so innocent. They argued that it funneled money to the Islamic Resistance Movement, or Hamas. In 2001, the federal government froze the organization's assets and prosecuted its leadership. A judge declared a mistrial in that case yesterday. Jason Trahan, a reporter for The Dallas Morning News, will join us in the second hour, to shed light on why jurors couldn't reach a verdict.
Support comes from: | http://www.npr.org/blogs/talk/2007/10/notsoholy_land_1.html | dclm-gs1-056270000 |
0.019724 | <urn:uuid:9eac3015-5e0b-4141-bf07-2a058b1efe03> | en | 0.973677 | Edition: U.S. / Global
Smoking and Cancer: What Cigarette Concerns Really Knew
Published: June 17, 1988
As early as 1946, 20 years before warning labels went on cigarette packages, tobacco companies were worried that cigarettes could cause cancer. And in the 1950's, when independent researchers began publishing major studies on the health hazards of smoking, the companies began parallel and largely secret research, duplicating and expanding on the published reports and attempting to produce a safer cigarette while publicly denying that any hazards had been established.
Dozens of tobacco company documents, including confidential memorandums, were obtained as part of the proceedings in the recent lawsuit brought by Antonio Cipollone on behalf of his wife, Rose. A new review of those documents revealed little that had not already emerged in bits and pieces at the trial, but it provided a more coherent picture than could be gained then and an opportunity to match statements in the documents with researchers' recollections of the scientific milieu of the time.
Mrs. Cipollone died of lung cancer after smoking for 40 years.On Monday, a Federal jury determined that a cigarette maker, the Liggett Group, failed to adequately warn consumers of the dangers of smoking in the years before warning labels were required.
The documents indicated that in the 1950's and 1960's, the companies duplicated animal experiments published in medical journals. The experiments showed that the constituents of tobacco smoke could cause cancer in animals. The companies also repeated and expanded on studies showing that tobacco constituents can make other chemicals more potent carcinogens, and studied what chemicals in smoke were most likely to irritate the lungs, leading to bronchitis and emphysema. Liggett Memo Voices Concern
A 1963 Liggett memorandum expresses particular concern about the irritants in smoke, saying, ''A number of experts have predicted that the cigarette industry ultimately may be in greater trouble in this area than in the lung cancer field.''
In the same period, the medical case against cigarettes was strengthening, although cigarette companies noted continuing division among scientists about whether the case was conclusive. As recently as 1961, The New England Journal of Medicine declined to say in an editorial that the studies proved that cigarettes cause cancer.
The industry documents never show that the tobacco companies had definitive evidence damning cigarettes at a time when many scientists were still not swayed by published studies. Nor did the companies baldly state in their confidential documents that smoking causes cancer in humans. Although the documents frequently said that cigarettes contain cancer-causing substances, they always make the distinction that these substances caused cancer in animals, not people.
But the documents do show the companies worried that independent researchers might be right about the hazards of smoking and that the companies would be unable to refute the growing perception that cigarettes are dangerous. As early as 1962 the companies were thinking of diversifying. Diversification Urged
A confidential Liggett memo suggests a faster rate of diversification because ''there is a chance, slight though it may be, that excessive cigarette smoking may lead to degenerative disease in humans and this in turn to a lessening in the use of cigarettes.'' This was two years before the Surgeon General said smoking causes cancer and four years before warnings were required on cigarette packages.
Hand-wringing within the tobacco companies began in earnest in the 1950's, while the scientific community was also trying to confront a growing evidence linking cigarette smoking to cancer and heart disease. It was a time when nearly half of all adults and a majority of American men smoked, and many scientists faced the difficult task of deciding whether the data really meant that they could be killing themselves with their habit.
For the tobacco companies, the grim picture was magnified. Their very livelihood was threatened, and, the documents show, they fought back.
Tobacco companies and some independent medical researchers suspected that cigarettes might cause cancer years before conclusive evidence began to accumulate.
On July 29, 1946, a chemist for the P. Lorillard Company wrote to an executive, saying: ''Certain scientists and medical authorities have claimed for many years that the use of tobacco contributes to cancer development in susceptible people. Just enough evidence has been presented to justify the plausiblity of such a presumption.'' The chemist's name is obscured in copies of the documents. The company is now known as Lorillard Inc. and is a division of the Loews Corporation. Paper About Lung Cancer
Shortly afterward, studies indicting smoking began to appear. In May 1950 the Journal of the American Medical Association published a paper by Dr. Ernst L. Wynder and Dr. Evarts Graham showing that lung cancer occurred almost exclusively in smokers. The study involved a survey of men, and the researchers also found that the more a man smoked, the greater his chances of developing lung cancer.
In 1953 Dr. Wynder, who is now at the American Health Foundation in New York, painted tobacco tar on the skin of rats and showed that it caused cancer. In 1954 Dr. E. Cuyler Hammond and Dr. Daniel Horn published a study conducted for the American Cancer Society in which 188,000 men were followed to see if they were more likely to develop health problems if they smoked. The resarchers linked smoking to lung cancer, heart disease, and a general increase in the death rate.
Lorillard researchers, meanwhile, repeated Dr. Wynder's experiments. They also contracted with a St. Louis scientist who was identified in the documents only as Dr. Suntzeff to secretly test experimental cigarettes to see if they were less carcinogenic in animals (they were not), and to see whether cigarettes could make other chemicals more potent in causing cancers (they could).
In 1963 Liggett submitted its findings to the Surgeon General's office, under assurance of confidentiality.
Even without knowledge of the tobacco company experiments, some scientists, including Dr. Wynder, became crusaders, arguing to all who would listen that cigarettes were deadly. But many scientists themselves were hesitant about accepting the conclusions of the growing body of research and the debate over cigarettes and health went on. Journal Avoids Position
In 1961 the New England Journal of Medicine published an essay by Dr. Wynder and a counterargument by Dr. Clarence C. Little, who was scientific director of the Tobacco Industry Committee. The journal declined in an editorial to take a position.
It said that Dr. Wynder was ''making a career of cancer and its causes'' and that Dr. Little ''devotes his highly developed talents to a defense of what many cherish as man's second or perhaps third best friend.'' It concluded that, ''each individual must choose his own course, whether to woo the lady nicotine or abjure the filthy weed, while the search for truth continues.''
Dr. Paul Meier, a statistician at the University of Chicago, said that he was among those who waited for years after Dr. Wynder's first study to say they were convinced.
''The general feeling was that it was probably true, but that the evidence was not sufficient to take up the battle cry,'' he said. ''There was a lot of confusion. There were an awful lot of us who smoked at that time and taking a position would have meant that we had to look at our own habits. That was threatening. We weren't anxious to believe it.''
But by the time of the Surgeon General's report in 1964, the vast majority of scientists were convinced by the growing body of evidence that cigarettes cause lung and other cancers and heart disease, Dr. Meier said.
The tobacco companies, however, argued that studies showing that tobacco products cause cancer in animals do not necessarily mean they cause cancer in humans and that epidemiological studies show correlations, not necessarily cause and effect.
They argued further that people who smoke may have other attributes that make them more prone to develop cancer. And they said the epidemic of lung cancer in the United States, could be the result of such factors as ''air pollution, viruses, food additives, occupational hazards, and stress,'' according to a report in 1988 to the head of the Tobacco Institute, describing the industry strategy of the last 20 years.
Companies were searching, meanwhile, for ways to make a cigarette that had fewer cancer-causing chemicals and irritants. By 1977 Liggett & Myers had developed and patented such a cigarette, but the company decided not to market it.
In notes for a talk given in Europe shortly after the patent was approved, a Liggett & Myers employee said that the company did not want to market its new cigarette in the United States because ''any domestic activity will increase the risk of cancer litigation in other products.'' | http://www.nytimes.com/1988/06/17/us/smoking-and-cancer-what-cigarette-concerns-really-knew.html?pagewanted=all&src=pm | dclm-gs1-056290000 |
0.022058 | <urn:uuid:92d7bc43-3171-4837-918c-0c029ab764fd> | en | 0.948205 | Find better matches with our advanced matching system
—% Match —% Friend —% Enemy
36 / M / Straight / Single
Richland, WA
My Details
Last Online
Dec 7, 2013
6′ 0″ (1.83m)
Body Type
Mostly anything
Agnosticism, and laughing about it
Cancer, but it doesn’t matter
Graduated from university
Science / Engineering
Relationship Type
Doesn’t have kids
Likes dogs and likes cats
Similar Users
My self-summary
I know I know I need to fill this is in. Ugh. I wish someone could just video tape me and translate that into words. Actually that might be fun.
What I’m doing with my life
I'm doing what everyone else is doing. I'd like to pretend that I'm not just another rat in the race, but I'm pretty sure I am. I think as of now, and in the future, I will have left no memorable mark on the the history of mankind. So on that note I'm just another boring individual, go to work, contribute to my 401K, and have as much fun as I can.
I’m really good at
Not filling out essays, haha!
The first things people usually notice about me
You're 36, you don't look like it! Yup, please don't remind me. (I still think I'm 25) :/
Favorite books, movies, shows, music, and food
I love music - Sasquatch festival is a staple, and I saw Yeah Yeah Yeahs down at Edgewood in Oregon, BuiIt I'll se in Porland in December. I have a pretty wide range, but typically don't listen to rap or country . Anyone who loves built to spill, mumford and sons, modest mouse, etc, we could talk for hours based on that alone. Oh I do like Macklemore, who's a rapper, he's pretty awesome.
Archer, Arrested Development, Seinfield, BreakinG Bad, Dexter, Californication, the list of shows I enjoy goes on. They have all won some sort of award so my opinion is no different than many.
There are a few real life movies that I really enjoy, and when I say enjoy, they actually moved me, actually the list is pretty large. But typically I like animated moves, despicable me is one that I cannot stop laughing at. I enjoy laughing. =)
I'm a picky eater and I'm trying to work on it, but it's slow. I love Mexican, Ethiopian, Indian, and Italian. I'm not a big fan of vegetables, but I'm learning new ways to cook them so I do like them. Like I said it's a slow process.
The six things I could never do without
Social interaction, everything else meh.
I spend a lot of time thinking about
In all seriousness, I spend most of my time wondering how to make things more efficient.
On a typical Friday night I am
I'm stealing this from someone else's profile but totally true..
There actually is this little guy that chirps outside my window, I'm wishing him luck.
The most private thing I’m willing to admit
I'll tell you anything, I'm pretty open.
I’m looking for
• Girls who like guys
• Ages 25–41
• Located anywhere
• Who are single
You should message me if
If you're friendly, fun, easy going, and interested in doing something without having any expectations. | http://www.okcupid.com/profile/Electriengineer?cf=profile_similar | dclm-gs1-056340000 |
0.415577 | <urn:uuid:559f1432-9479-4f08-9d5f-1ed7402f802d> | en | 0.880425 | The 100 Best iPhone Apps
Onavo Extend
The free app Onavo Extend compresses data automatically to help you reduce data usage on your phone. In other words, it will save you money if you typically exceed your mobile service plan's data allotment. Additionally, anyone traveling abroad with an iPhone should absolutely have Onavo installed. Learn the settings well, but be forewarned that there's no compression for streaming video. Onavo is also not supported on Verizon accounts with iPhone 4.
23 / 100 | http://www.pcmag.com/slideshow_viewer/0,3253,l%253D286654%2526a%253D286659%2526po%253D23,00.asp?p=n | dclm-gs1-056410000 |
0.175017 | <urn:uuid:9ec208f5-b37b-4787-89fc-cbe64abbea29> | en | 0.96062 | Beefy Boxes and Bandwidth Generously Provided by pair Networks Frank
Welcome to the Monastery
Re^3: perl's sleep function
by blazar (Canon)
on Mar 28, 2008 at 19:38 UTC ( #677091=note: print w/ replies, xml ) Need Help??
in reply to Re^2: perl's sleep function
in thread perl's sleep function
I personally believe that the negative overall reputation of this very old node of mine clearly shows that by general consensus it actually was too harsh. In some sense, I apologize for that, and I believe my manners got better since. I still consider the actual question to be both overly stupid and overly stupidly asked, proof which can be the even more negative reputation. Incidentally I did give some actual advice in my reply as well. This, and the person who posted the question, later turned out to be an especially bad member of this community: while it is true that (as the sig of one of our fellow monks claims) one should "examine what is said, not who speaks," knowing who the OP was sheds some light on the annoying carelessness of his question.
If it is of any comfort to you, clpmisc is generally considered to be an even more ill mannered place than PM. Yet I've learnt Perl more there than from any other resource. The subject matter could be discussed ad nauseam, and it often is: to be blindly gentle, no matter what, or to occasionally slap in the face the arrogant newbie, as an educational aid? Who knows...
BTW: I can't understand what you mean with "extraneous punctuation," what is it supposed to be?
Comment on Re^3: perl's sleep function
Download Code
Re^4: perl's sleep function
by Phatfingers (Initiate) on Apr 05, 2008 at 06:18 UTC
Can't you just pick up a dictionary and look up the words "extraneous" and "punctuation" for yourself instead of wasting the time of this forum doing the work for you?!?
Sorry. Just giving an example. The "?!?" at the end of the sentence conveys a sense of disrespect and an attempt at making the recipient feel belittled in public. Emphasizing negative phrases in italics also lends to a sense of contempt. They distract readers from the helpful technical information being sought.
I personally believe that notwithstanding your "delicate" irony, I knew full well what both "extraneous" and "punctuation" mean, except that "extraneous" refers to something that does not belong to somewhere, whereas I coulnd't think of a single spot where my punctuation was inappropriate. More precisely I still can't think of any. Just taking your own topical example, the "?!?" at the end of the sentence did indeed constitute an attempt at making the recipient feel belittled in public. It did intentionally because it was meant as an educational aid for him not to behave in such a way as to be belittled in public again. But I wouldn't call that "disrespect". Disrespect is something completely different that takes place when you cross the line of the personal insults. Of course different people will have different thresholds, and appearently yours is lower than mine. I just don't mind: I don't consider you a troll, but you're certainly a whiner; I've seen endless discussions going on with them, and I've occasionally taken part to some. Needless to say, it's completely moot. Not differently from all those other people, you speak about "helpful technical information," but evidence is that you have provided err, well... none! OTOH, within my well defined limits, I think I contributed enough to this community, albeit unfortunately I've not been much active as of late. So I'm not answering any more to further provocations about alleged disrespect or similar idiocies: you have the last word, if you like...
Log In?
What's my password?
Create A New User
Node Status?
node history
Node Type: note [id://677091]
and the web crawler heard nothing...
How do I use this? | Other CB clients
Other Users?
Others surveying the Monastery: (5)
As of 2014-03-14 05:03 GMT
Find Nodes?
Voting Booth?
Have you used a cryptocurrency?
Results (300 votes), past polls | http://www.perlmonks.org/?node_id=677091 | dclm-gs1-056430000 |
0.067799 | <urn:uuid:06a01b6c-a10c-4356-b12b-c888b7e8c8f4> | en | 0.839118 | Beefy Boxes and Bandwidth Generously Provided by pair Networks kudra
Syntactic Confectionery Delight
Re^2: if(my) scope
by oha (Friar)
on Oct 12, 2009 at 08:53 UTC ( #800633=note: print w/ replies, xml ) Need Help??
in reply to Re: if(my) scope
in thread if(my) scope
i just realized that:
open my $fh, '<', $file or die;
so i'm asking myself if the possibility to setup a scope variable inside the argument of a function call is extended to _if_ statements too?
Comment on Re^2: if(my) scope
Download Code
Re^3: if(my) scope
by ikegami (Pope) on Oct 12, 2009 at 09:20 UTC
This is fine:
if (open(my $fh, '<', $qfn)) { from $fh... } # $fh is out of reach here
Perl doesn't care where the my is to the point that it allows the following (even though the behaviour is officially undefined):
my $fh if ...;
that's another thing:
if(my $x = expr) { ... } # my always executed my $x if expr; # my is conditional if(expr) { my $x } # as above
what i was saying is that if i can my on a arg of a function, maybe i can do the same in the "argument" of a if
"as above" is unclear. I think you meant "my is conditional", but it's really "my always executed" (in the scope in which it resides).
c() or my $x; # XXX Conditionally executed c() and my $x; # XXX Conditionally executed my $x if c(); # XXX Conditionally executed (same as previous) sub foo { my $x } # OK Always executed if (c()) { my $x } # OK Always executed die; my $x; # OK Always executed
Log In?
What's my password?
Create A New User
Node Status?
node history
Node Type: note [id://800633]
and the web crawler heard nothing...
How do I use this? | Other CB clients
Other Users?
Others avoiding work at the Monastery: (6)
As of 2014-03-14 05:27 GMT
Find Nodes?
Voting Booth?
Have you used a cryptocurrency?
Results (300 votes), past polls | http://www.perlmonks.org/?node_id=800633 | dclm-gs1-056440000 |
0.027868 | <urn:uuid:435a7e66-ed9f-44f5-b18f-c8de1441b891> | en | 0.9239 | Sim City 4 (Classic)
Rating: 3+ (ELSPA)
(3 customer reviews) | Write a review
Customer Reviews
"Average rating (3 reviews)"
Results 1-3 of 3
Very Good City Builder
| | See all D0MINIK's reviews (4)
you can spend hours or even days! building the cities, roads, parks, trees, ports, etc, etc and finaly have your perfect city. in my opinion it is the best city-builder on the market. one minus - I had some problems runing my mp3 files under game folder instead standard music.
A tale of one city
| | See all Gazsmith's reviews (11)
Sim City 4 is a huge leap from Sim City 3000 with a lot more detail in both a graphical sense and an economic sense.
The game has the same distinct features of any other sim city but allows you to do more.
As mayor, you have to build your city, maintain it, keep an eye on your finances and ordinances, conduct deals and even destroy it if you wish with a giant robot!
It needs a good system to run on, but overall, you can have hours of fun with it.
| http://www.play.com/Games/PC/4-/104158/Sim-City-4/ProductReviews.html | dclm-gs1-056460000 |
0.04838 | <urn:uuid:af82030e-7df9-4ba2-87f3-6d024ac05af5> | en | 0.960209 | Most Commented Stories Tagged: Somalia
Business, Finance & Economics
Somali food protests
Global Politics
Piracy vs. privacy
When President Obama made his first public comments on the rescue of an American cargo shop captain from Somali pirates, he said "...I want to be very clear that we are resolved to halt the rise of privacy in that region." Some have called it a presidential flub, but The World's Jason Margolis says maybe so, but it's not as straightforward as it seems.
Conflict & Justice
Al Qaeda in Somalia
The World's Jason Margolis reports on the escalating violence in Somalia, and this week, a US naval submarine fired missiles into southern Somalia aimed at a what the US military said was an Al Qaeda target.
Arts, Culture & Media
The world's poorest countries
Today's Geo Quiz is about money. We Americans aren't feeling very wealthy right now. Most of us are a lot wealthier still than most of the world's 6.8 billion people. Most of them are poor. We want to know which are the 5 poorest countries of the world? | http://www.pri.org/taxonomy/term/570/commented | dclm-gs1-056500000 |
0.17448 | <urn:uuid:4f8a721b-0496-46d1-8ca4-03f24476f574> | en | 0.923522 | Newburgh council sets emergency meeting for Thursday night
CITY OF NEWBURGH -- The city has scheduled an emergency meeting for 7:30 p.m. and could take action leading to "the .... discipline, dismissal or removal of a particular person" or corporation.
The notice did not say where the meeting will be held, but most likely it will be at City Hall on Broadway.
The notice came out of the city manager's office at 4:32 p.m.
The subject of the meeting was not disclosed.
Reader Reaction | http://www.recordonline.com/apps/pbcs.dll/article?AID=/20130529/NEWS/130529651/-1/NEWS83 | dclm-gs1-056540000 |
0.027822 | <urn:uuid:6a42bf37-2333-4817-af47-c4ce09c49283> | en | 0.972312 | Frozen over again
By KATHY MATHESON and MICHAEL RUBINKAM | Associated Press Published:
In Ohio, the northern half of the state is under a wind chill advisory through 11 a.m. today.
It was blamed for at least one death in Maryland after a car fishtailed into the path of a tractor-trailer on a snow-covered road about 50 miles northwest of Baltimore. The car's driver was thrown from the vehicle.
In Campbelltown, Pa., Ralph Duquette kept close tabs on the weather because his wife needed to go to Washington's Dulles Airport for a flight to London. But those plans were thrown into doubt when an 18-wheeler went into a ditch, hindering her route to the airport.
She was trying instead to get a flight out of Newark, N.J., but Duquette added: "Don't think she's going to get there."
Washington was expecting 4 to 8 inches snow.
"Lots of nuisance storms this season have meant that PennDOT crews have been plowing and treating roads more frequently this winter," spokeswoman Erin Waters-Trasatt said.
Standing in Philadelphia's LOVE Park with snow swirling around her, visitor Jenn Byrne of Portland, Ore., said the nasty weather put a crimp in her plans to do a "giant walking tour" of the city. But she vowed to soldier on, taking cabs instead of trudging. She wasn't wearing snow boots.
"I'll keep going. Just the means of transportation will change a bit," Byrne said.
Others shrugged off the snow as well.
In Herndon, Va., where voters were casting ballots in a special election that was likely to determine control of the state Senate, Earlene Coleman said she felt obligated to make her selection: "It only made sense to come out and do my duty."
"If you don't work, you don't get paid," he said, adding that deep cold is good for business. "We're trying to get stuff insulated so it doesn't freeze up."
With federal workers given the day off, Tom Ripley, who works at a Washington hardware store, said his morning commute was cut in half because "there was almost no one on the road." He said the store was jammed Monday as customers stocked up on ice melt and shovels.
"Nobody prepares because we never get any snow, so the slightest chance of it, everybody freaks out," Ripley said.
Rubinkam reported from northeastern Pennsylvania. Associated Press writers Matt Moore in Philadelphia, David Dishneau in Hagerstown, Md., Matthew Barakat in Herndon, Va., and Jessica Gresko in Washington contributed to this report.
Want to leave your comments?
Sign in or Register to comment. | http://www.recordpub.com/ap%20general%20news/2014/01/22/frozen-over-again | dclm-gs1-056550000 |
0.02606 | <urn:uuid:879bc7d2-a777-4e24-a6da-57b5478851f4> | en | 0.915132 |
Mr. Moto Takes a Walk
Short You get the movie and the jokes combined!
2 April 2010
Available formats:
• Stream instantly!
• DivX
• iPod (mp4)
• High Quality (MPEG-2)
• Zune (wmv)
• Commentary (mp3)
Compatible with:
Average: 4.2 (43 votes)
Without knowing who Mr. Moto* is, you're probably slightly confused about why you would want to watch him take a walk. "I can watch Mr. Jensen, the bald guy four doors down, take a walk anytime I feel like it," you say. Yes, we all know Mr. Jensen. He carries a miniature baseball bat and the neighborhood kids (mostly Bobby) started a rumor that he uses it to hit dogs with.
While the holes in Bobby's story are numerous (Why a miniature bat Bobby?), there is one thing that is indisputable. Watching Mr. Moto take a walk is far more entertaining than Mr. Jensen. For starters, Mr. Moto takes a walk through the zoo. So right off the bat, you're seeing some crazy stuff. Second, a somewhat attractive lady accompanies Mr. Moto on his walk. Those of you who have seen Mrs. Jensen are now strongly in the Moto camp. But finally, sealing the deal firmly in favor of Mr. Moto is this: Mr. Moto is a monkey. On his walk, Mr. Moto (who is a monkey) undertakes the demented quest of traversing the entire alphabet, from A to Z, seeing one animal for each letter. Why he has chosen to spend his day this way is a mystery, especially seeing as he is a monkey. But it's an action packed journey full of mischief and exotic animals. And did we mention that he is a monkey?
Mike, Kevin and Bill just like monkeys, is all.
*This short is unrelated to the series of films starring Peter Lorre as a character also named Mr. Moto. There are no references to said films in this short because we are not 94 years old.
The reviews are in!
Pain will not hurt you if you add these to your cart
Adding product to your cart. Hang tight! | http://www.rifftrax.com/shorts/mr-moto-takes-a-walk | dclm-gs1-056560000 |
0.496762 | <urn:uuid:c9fb3de3-cd40-4642-8000-97853e2bea6c> | en | 0.965502 | Join The Community
Pricing on Model X?
For the Model S, those that have a reservation prior to year-end will not be subject to the price increase that takes effect on Jan 1. Is there any similar advantage to making a Model X reservation before year-end? Or is the only advantage, at this point, that you get a spot earlier in line?
Considering that they have not announced any prices, I don't think there will be any benefit from reserving a Model X before the end of year.
Why is there no pricing on the Model X?
Guidance has been given that it will cost about the same as an equally sized and equipped Model S. So use that.
I am not rich by any means but believe in the technology. Would seem silly to put a $5000 deposit on a vehicle that we do not even have pricing for. Sorry but I think this is bad business.
Think of it as reserving a place in line, which can be used as a deposit if you subsequently commit to buy. If.
It worked for the Model S tommy lad. Why would Tesla move away from something that works?
Pricing is hinted at here:
"Though he would not disclose pricing, Franz von Holzhausen, Tesla’s chief designer said Model X will be priced competitively with premium SUVs and about five to 10 per cent more than the Tesla S four-door sedan which starts at $57,400 US. Production is expected to begin next year at Tesla’s plant in Fremont, Calif."
So the base price for a Tesla Model X with a 60 kWh battery and not any of the available options will be under USD 60,000?
No, More likely $75,000 before tax credits.
Current base Model S is $59,400, add $10,000 for 60 kWh battery, add at least $5,000 premium for Model X, because it is bigger etc.
For people from Europe that price will be even higher?
I think the $5K "premium" might be more like 10%, or $7K. But that's a quibble. Within 10% of a similarly equipped Model S is the guideline.
So the base price for a Tesla Model X with a 60 kWh battery, and a single motor, and further not any of the available options will be just under USD 80,000?
Just to add. The cost of the battery will likely be lower by the time the Model X is delivered, so the difference might not be quite 10%. Also, Tesla may take into account what the market will bear, and adjust their margin accordingly. I do not think it unrealistic to expect a dual motor model for USD 80,000. There still is more than a year to go after all, so the cost of other technology and components may drop by then as well.
Prices that drop are great.
I hear that the Model X will cost $100,000.00 Canadian. How can anyone justify this kind of expenditure just to avoid a gasoline engine?
For example:
Lets look at a popular cross-over vehicle like the Dodge Journey RT with 283 HP V6 getting a conservative 20 miles per gallon (combined hwy/city).
The Dodge Journey R/T is a popular North American built cross over vehicle that costs under $33,000.00 Canadian, while the Tesla costs $100,000.00....a difference of $67,000.00.
Using 600 US gallons of gasoline, or approximately 2400 liters(I'm rounding off) you will get 12,000 miles at a cost of approximately $3,120.0 Canadian.
At $3,120.00 a year It would take more than 20 years to spend the 67,000 extra cost for the Tesla X.
The logic and the math don't add up. There needs to be some economic benefit to driving an EV.
I don't see any economic advantage in buying an Electric Tesla X over a cheaper fuel efficient gas powered cross-cross over such as the Dodge Journey.
The moral of this post is: get your prices down to 40,000.00 to 50,000.00, otherwise it's a no brainer to get a gas powered vehicle of similar size and style.
So..... you're comparing a Honda Civic to an Aston Martin then?
If you want cheap in the short term, and expensive in the long term, go ICE.
If you want Performance, plus to be OFF GAS for good, you go BEV.
Sam, hasn't the cost of gasoline tripled in 15 years? What cost per gallon are you supposing? I'm not saying you're wrong, but just want to imagine an accurate picture.
When I started driving, in 1998, I remember filling up for $0.79/gallon. So that is more than quadrupled in 15 years.
The cost can probably be estimated at 5-10% over the nearest equivalent Model S. And the reason people will spend that much? Because haven driven one, alternatives seem primitive. People will live on Macaroni and Cheese for 5 years to be able to make the payments. 1-to-1 price matching is just not on. ;)
Tell that to all the people spending twice and three times what they ever have on a car when they purchase the Model S. There are some fairly intelligent people out there that have done the math you just demonstrated for us and are still buying $100,000 sedans when a Honda Accord or Toyota Prius would suffice.
In other words, it isn't, necessarily, about the math of gas savings. There is most definitely something else "driving" these sales.
SamFisher; There needs to be some economic benefit to driving an EV.
Simple question: why? If the car is better in every single other way except price, then why would it have to cost less? In order to compare to similar vehicle you need to compare it to something like Porsche Panamera 4s.
I currently drive a '07 MB GL450 (7 passenger vehicle, original cost ~$70K). It cost me on average $10,000/annually on just gas alone. I priced a Model S fully equipped (non-signature) at ~82K. If I was to buy a 2013 MB GL450 it would cost me the same as an MS however the MS SAVES me the $10K in gas. Total engergy calculated (using the calculator provided on this website) is $660/year. That's $9340/yr in savings, so no Mr. SamFisher I cannot agree with you.
Notice also I covered ONLY gas and cost of the vehicle, there are additional savings when you compare the $600/yr maintenance to $3K+ a year I've spent on this vehicle with its mandatory schedule maintenances and other mechanical issues
I understand that Elon Musk needs all the high end people to have capital to grow this company!
But just think if Nikola Tesla was here today whom you have taken his name and are representing it, He stood for all people all over the world putting up an antenna in there home and having free electricity, and because he wanted this big powers destroyed him.
So why haven't you made a electric model Car for the working class from the start. $16,000.00 to $20.000.00 this is what Nikola Tesla would of done, If he was alive today he would be shacking his head at you. and saying you got this backwards.
I Love this company and its Models, but i feel its for the rich and privilege, not the common people.
Hope you get a clue.
And no the working class and poor need it NOW, not 10 years from today or 2 years from now. Now is TODAY!
Rethink this Please!!
Jerry, look up the Tesla Secret Master Plan.
i agree with your aguments too. i'am not riched and in austria there is not tesla company and the UK people told me i must care with the austrian finance company about the using as company car. Here is only a 40.000 Euro car (with Taxes) allowed for company use, every thing thats bigger than this, have you pay private and every service, gas, energy ... you have pay in this procent private. so a model s/x i have to pay 60% from my private money. So there is no benifit for take one of this cars as company car.
Otherwise i like to have one, but i'am not riched.
The problem is the way of buisness, its every time a balance from how many people buy this product and how mutch you can produce. The best price is where you have the maximum income with less costs.
JrJerry, Alexander;
To make money off a low-cost car you must sell high volumes. To sell high volumes you must make high volumes. To make high volumes you must have a large, streamlined factory. To build and perfect a large factory you must have lotsa money, probably a few billion dollars. Elon did not have a few billion dollars to invest, so he could not build and equip a huge factory. Since he could not build a huge factory he could not make a high volume of cars. Since he could not build a high volume of cars he could not sell a high volume of cars. Since he could not sell a high volume of cars he could not make money. Since he could not make money he could not go into the high-volume low-cost car business.
Get it yet?
+1 Brian H
@ Bran H:
but they will........
Gradually produce 'cheaper' higher volume cars, hopefully more gross profit(not margin)
In facing the math I do not think it is intelligence driving the sales. What drives most people to buy vehicles is not intelligent decision making processes. What drives most people is pride and vanity, and that is why so many people buy vehicles they end up selling within a year or two (losing a pile of money). Automakers advertise and sell an image which they attempt to imprint into the mind of the buyer, such as: You will look smart, look cool, feel good, be successful, attract women, people will envy you, etc.
Sure, you will stand out as you drive down the street in an EV and people stop you, question you, wish they had one, envy you, etc., but the little high we humans get from new vehicles wears off quickly, and then the payments become a burden. I have long since left that mindset behind me. I'll go further, go to more places, and look just as good in my shiny new Dodge.... with money saved and in my pocket to boot, thanks.
Now, the point of my first comment was, if the price comes down so more people can afford them, the decision to buy becomes an easy one. I stand by that regardless of any criticisms from nay sayers.
As far as the fella pointing out that the cost is not much more than a Porsche Panamera 4s, well, how many people can afford one of them? Porsche lovers will probably dispute that with you...LOL. Have you even looked at a Journey R/T? Even if I could afford the Porsche, I wouldn't buy one just to stroke my ego and have people oooo and ahhh over it, or bang their doors or shopping carts into it. The Dodge will last just as long if taken care of and even if it doesn't, I can buy three of them for the price of one ego boosting Porsche or a model x at a cost of 100,00.00
My point was these vehicles should be priced so more people can afford them and what I failed to say is that if more people could afford them, then more people would buy them, and this would have a greater impact on the environment. A company selling their vehicle under the premise that they care about the environment would have more credibility if they made their vehicle affordable to more people.
Something I did not factor into the cost of owning an EV is the cost of charging it every month which will show as an increase in your electrical bill. Sure, it is still cheaper than gas, but still an extra cost.
Another thing I did not factor in (and neither did the people who disagree with me) is that during 10 years of ownership you will be required to replace your battery pack at least once at a cost of 10,000.00 to 20,000.00.
I have an 11 year old gas guzzling SUV with 70 thousand miles on it and I just changed the battery and spark plugs last year at a cost of under $300. It runs like the day I purchased it. Oh, and Two oil changes a year is a hundred bucks. I'm laughing all the way to the bank.
**Bottom line: I would love to own a Tesla X. $50,000.00 Canadian is justifiable. Anything more than that and I see no personal or financial benefit. There are many parts that an EV does not require which should offset the cost of batteries and the overall vehicle building costs, so it's not like it can't be done.
Keep my comments in context and don't cherry pick. Try to get the real meaning I am trying to convey before you decide to jump on me and disagree.
X Deutschland Site Besuchen | http://www.teslamotors.com/en_AU/forum/forums/pricing-model-x | dclm-gs1-056740000 |
0.103537 | <urn:uuid:920ace08-f295-4bba-89fb-2c7fc221df5f> | en | 0.966388 | Trying it on over anti-semitism
Emanuele Ottolenghi is trying it on (Anti-Zionism is anti-semitism, November 29). He knows full well that it is false logic to argue that because some anti-Zionists are anti-semitic therefore anti-Zionism is anti-semitic. His other proposition, that all anti-Zionists must be anti-semitic simply because we deny the right of "the Jews" to have a nation is more complicated.
It's Zionists, both Jewish and non-Jewish, who wanted "the Jews" to have a nation, not "the Jews". That's to say, it has never been the case that all Jews were, or are, Zionists. Ottolenghi is, quite rightly, hot on the tracks of anti-semitism. One problem with the Zionist project is that it has done some stereotyping of its own, claiming nationhood even for those of us who don't want it. There is also something peculiar about the idea that millions of Jewish Zionists would rather not live in the nation that they keep telling us was founded for them.
The serious side of this is that the Zionist project demands of non-Israeli Jews to support the existence and policies of a state other than the one they live in. If this was simply a matter of holidays and football teams, it wouldn't matter very much. But we're talking here about a sequence of terrible events. "The Jewish Nation", which Mr Ottolenghi mistakenly thinks belongs to an entity called "the Jews", was founded on the naqba, the catastrophe of massacre and forcible removal of the Palestinians. The daily death toll today reminds us that the naqba hasn't gone away simply because liberal Zionists repeatedly cite the right of self-determination.
Mr Ottolenghi pushes his luck even further when he accuses anti-Zionism of wishing "national suicide". The anti-Zionists I know wish for solutions in the Middle East that encompass notions of secularism, multiculturalism and federalism. However, many Zionists do indeed call these ideas "suicide" and anti-semitism, because they demand something that very few nations demand in the world today: a nation state that must always rule in favour of one self-defined ethnic or religious or racial group. And that is precisely where that nice-sounding phrase "self-determination" turns into something else, isn't it?
Michael Rosen
Today's best video
• The NSA files trailblock image
Today in pictures | http://www.theguardian.com/theguardian/2003/dec/01/guardianletters | dclm-gs1-056810000 |
0.873681 | <urn:uuid:c5362da3-4b40-4ed6-bf6a-1399a6abbea4> | en | 0.982117 | Indeterminate sentences - the legal view
While the sentences passed in the Baby P case attracted swift condemnation from critics who worried the offenders could be freed at a very early stage, statistics show the new indeterminate sentences rarely lead to early release.Since indeterminate sentences were introduced in 2005, fewer than 50 prisoners have been released when they had served their minimum term.
The concept behind indeterminate sentences is to try to ensure offenders are not released until they are no longer deemed a serious risk to the public.
In this case, the judge told all three convicted that they represented a particular risk to children.
In the case of the stepfather, who was convicted of causing or allowing the death of Peter, as well as the rape of a two-year-old girl, he received a life sentence with a minimum of 20 years (he must serve 10 before being eligible for release) and a separate 12-year sentence to run alongside it.
The maximum possible sentence for the mother, known only as C, was 14 years. She was given a sentence of 10 years, partly reflecting the fact that she pleaded guilty, of which she will serve a minimum of five years before being considered for parole.
In the case of lodger Jason Owen, the maximum possible sentence was 14 years; he was sentenced to six years, of which he will serve at least three.
None of the three will be automatically released once their minimum term has been served. Instead, by passing an indeterminate sentence, the court has ruled that they will continue to be detained until the Parole Board is satisfied they no longer present a risk to the public.
Today's best video
• The NSA files trailblock image
Today in pictures | http://www.theguardian.com/uk/2009/may/22/indeterminate-sentences-explanation | dclm-gs1-056820000 |
0.06493 | <urn:uuid:f92cdab0-ad42-4975-ab7b-8ceac62a4015> | en | 0.970349 | A New, Blue Dixie | The Nation
A New, Blue Dixie
• Share
• Decrease text size Increase text size
It was hot as Hades on June 5 in the little mountain town of Bristol, Virginia. But that didn't stop hundreds of southwest Virginians--in the most staunchly Republican part of a state that hadn't voted Democratic for president since 1964--from streaming into the local high school gym to whoop it up for a liberal, mixed-race fellow from Chicago with a mighty suspicious moniker. Fresh off his lopsided, nomination-clinching primary victory in North Carolina, Barack Obama had chosen--to the mystification of political experts--to launch his general election campaign not in the "battlegrounds" of Pennsylvania or Ohio but in a remote Southern backwater containing 17,000 souls who'd given George W. Bush 64 percent of their vote in 2004.
About the Author
Bob Moser
Also by the Author
Strangest of all, he spoke to these people in exactly the same way he had addressed stadiums full of urbanites in Philadelphia or Cleveland. "It's not just struggles overseas. It's also struggles here at home that are causing so much anxiety," he declared without the merest hint of a drawl. "Everywhere I go, I meet people. They are struggling to get by. We just went through an economic expansion period...where corporate profits were up, the stock market was up...and the average family income went down by a thousand dollars. The first time it had ever happened since World War II where the economy's growing, but you have less money in your pocket."
The folks in Bristol cheered at that, and they listened attentively as Obama detailed his healthcare plan. But what brought them to their feet was this: "When I announced [my candidacy] I was convinced the American people were tired of being divided--divided by race, divided by religion, divided by region."
Efforts to appeal to these mental and moral midgets, Democratic pundit Tom Schaller argued in his much-cited 2006 book, Whistling Past Dixie, had only watered down the party's progressive message. "When Democrats give the president authority to start a preemptive war in Iraq, they accede to Southern bellicosity," Schaller wrote. "When Democrats go soft on defending social policies, they lend credence to the Southernized, 'starve the beast' mentality of governance. When Democrats scramble around to declare that they, too, have moral values, they kneel in the pews of southern evangelism. This absurdist catering to the worst fitting, least supportive component of the Democratic coalition must cease."
"Everybody always makes the mistake of looking South," John Kerry repeatedly huffed during the 2004 primaries. Like Al Gore before him, Kerry avoided that "mistake" with a vengeance, shutting down his campaign efforts in every Southern state but Florida before Labor Day and refusing to set foot, even once, in Democratic-trending states like Virginia during the general election campaign. The South? Republicans could have it.
Obama begged to differ. Conventional wisdom advised Democratic presidential candidates to bend over backward to look like "regular" Southern guys--tote a gun, adopt an accent, pretend to be a NASCAR freak, run around with a Holy Bible tucked under each arm and, if all else failed, campaign atop a hay bale (as Michael Dukakis once did in North Carolina). Obama, precisely the kind of Democrat who was supposed to be an impossible sell in the South, eschewed such fakery. He looked South and saw not stereotypes but--wonder of wonders!--Americans.
And voilà! The wedge issues that had fueled the GOP's Southern successes ever since Richard Nixon became afterthoughts, not obsessions--try as the Republicans did to stoke the same old fires. It was in Guilford County, North Carolina, where Sarah Palin made her controversial proclamation that she was happy to be in "Real America." On election day, Guilford County went 59 to 41 percent for Obama, a nine-point swing from 2004.
As soon as the incongruous results from Dixie came in, the pundits and pols began scrambling to explain them away. Surely something fluky had happened. Obama had won, some said, on the strength of record black turnout and support--eliding the fact that he'd won considerably more white votes in the region than Kerry, and that the most heavily black states in the South had remained Republican. It had been such a historically lousy year for Republicans, others insisted, that they were bound to lose even some Southern turf--ignoring the fact that Obama made his gains by out-organizing Southern Republicans for the first time in modern history. (In North Carolina alone, the campaign had fifty field offices and more than 20,000 volunteers.)
Regionwide, Obama won the majority of the under-35 vote from all races. He doubled Kerry's vote among young white evangelicals. He blew McCain away among Latinos--the South's swing vote of the future. And he did it with the same message and same organizing that fueled his victory in the rest of the country. America, he said shortly before the election in another Virginia town, Roanoke, "will rise or fall as one nation."
As we say in the South, it's about damn time.
• Share
• Decrease text size Increase text size
Before commenting, please read our Community Guidelines. | http://www.thenation.com/article/new-blue-dixie | dclm-gs1-056840000 |
0.053828 | <urn:uuid:7ab7b605-aeb2-44b9-a6b3-eb843e96dacb> | en | 0.924295 | Sign in with
Sign up | Sign in
Your question
Disk Boot Failure Insert System Disk and Press Enter
Last response: in Systems
a c 103 B Homebuilt system
My guess is that you have either a none boot able CD or floppy in corresponding drives and the computer is looking there before your HDD.
Related resources
a b B Homebuilt system
The normal reason for this error is that you have left a floppy disk in the drive, nowadays that can also include a USB drive (remove all USB memory devices). If this is not the cause then you may have trouble. Check the BIOS that it set to boot from the hard drive, is the hard drive seen by the BIOS? If not check (refit) hard drive connections) Worst case the hard drive may have failed remove and test on another computer.
Im building a new system and when I did an out-of-the-case POST test I get now splash screen or anything except the "disk boot failure insert system disk" now I know I could just put in an HDD and boot up but what I'm wondering is why on. Startup it skips splash screen? There is no way for me to enter BIOS... please help!
What type of comp? what version BIOS? why don't you have a HD in your computer? You could always just put in a bootable floppy (if you have a 3.5 drive) or bootable USB disk and your BIOS may start then | http://www.tomshardware.com/forum/317325-31-disk-boot-failure-insert-system-disk-press-enter | dclm-gs1-056880000 |
0.128274 | <urn:uuid:23927f7f-d672-4af6-82de-7b6808a2b5c5> | en | 0.988389 | Where the hell did these people come from? I thought it was only accurate to tell it was a boy if they saw his "tools"....It never 100% sure though either way! Girl or Boy! Maybe they should have listen better in biology! At least they should be respected for donating the girls things! | http://www.topix.com/forum/city/deerfield-nh/TI4KTB2GLC2D662OI | dclm-gs1-056890000 |
0.23897 | <urn:uuid:3b7d1861-3857-42bc-add0-0d3d8a3fc82b> | en | 0.945429 | I can’t imagine playing this Playstation 4 without feeling like Fry from Futurama. With its transparent design, the game console is built for 'Grand Theft Auto 22: Mars.' I want to carjack someone from a flying car.
Designed by the ingenious Tai Chiem, the concept for the Playstation 4 will leave people more excited than the actual games they are going to be playing on it. The only drawback is inevitably getting your greasy thumbprints all over it. | http://www.trendhunter.com/trends/clear-playstation-4-tai-chem | dclm-gs1-056920000 |
0.076276 | <urn:uuid:4e2118b0-d56d-4faf-92ce-2f519671ff43> | en | 0.980444 | Matt McGowan´s profile
Reviews (8)
Poor Customer Service
I ordered a product off the website in strawberry flavour, and what I received was strawberry & cream. They do strawberry flavour, but not for this product, and the flavour was just listed incorrectly on the website. Their fault, but no big deal.
Their customer services didn't care though, they still haven't changed the site and I still have the flavour I didn't want; it tastes like arse.
They weren't rude, just didn't do their job, and I shan't be buying from them again.
I ordered some magnets late yesterday, and they arrived this morning. Incredibly quick dispatch, packaged far better than expected (lots of padding), item is extremely good quality.
Will use again.
Absolutely brilliant. If it's a good price here, get it here.
They are great for returns. I've returned an electrical item a long time after I bought it, without a receipt (just the card I bought it with), and they refunded me no questions asked. I know I can buy from here with confidence.
Only have good things to say
I've bought plenty of components from ebuyer, and always had a good experience.
Occasionally you can find things cheaper, but I normally will go with ebuyer anyway as I trust them (ahem, overclockers....).
06 August 2012
Reply from Ebuyer (UK) Ltd.
Thank you for your positive review and comments.
I am very pleased to hear you normally shop with Ebuyer and hope this continues into the future.
Kind Regards
Ebuyer Resolution Team
Overclockers UK
Buy at your own risk
Lots of people have good experiences with this company, but when things go wrong they want nothing to do with it, and refuse refunds.
I've ordered a cpu from them because their price was really really good, and everything went fine.
I've also had a wireless card come that didn't work and they didn't reply to my emails. After calling they basically refused to either refund or replace, and were incredibly rude. Got the money back through the credit card company instead. Though, this was a long time ago, and I' haven't used them since.
27 November 2012
Reply from
Dear Matthew, I can find the CPU order you have mentioned, but am unable to find any order of yours containing a wireless card. When exactly was this? With major changes to our service policy in February of this year, I am looking at past orders which have not gone smoothly, but cannot find yours. Please contact us to let us know!
Monster Supplements
Great Prices, but a lot of marketing BS and lies.
It's where I shop for protein, as their prices are great. Many of the items come with free gifts such as protein shakers and tester packs. Delivery is also great. In this area I'd give them 5 stars.
However, be wary of some the marketing stuff they do, and things they put in the descriptions. An example is something called methoxy-7-test which they claim boosts testosterone levels and recovery/performance. I found zero evidence that it does this, and found a few scientific papers to the contrary. However when asked about this I got no reply and my comments weren't approved for the site. There are other examples too.
Basically, use it as a shop by all means, where you go to it knowing what you want. I wouldn't recommend going to it and trying to work out what you want, as they push certain products (e.g. PhD Supplements) very hard, some of which have no evidence they do anything.
Best UK Option is definitely the best option for buying weight training equipment in the UK that I have found. I have ordered things from plenty of companies, and this site really impressed me.
\\ I ordered on a monday, they immediately sent the order and it arrived the next day.
\\ Everything was very well packaged
\\ Price. They have the best prices I've found. A lot of this is because they've sourced stuff and put their own brand on it. Things like their wrist wraps are as far as I can tell identical to some of the expensive brands, and no quality is compromised.
\\Products. They have great products, the standard stuff as well as things that are difficult to find elsewhere; prowlers (which are hard to find well priced), strongman logs (including an actual wooden log), 50kg iron plates, impossibly heavy dumbells, etc, etc.
\\ Customer service. Brilliant! I contacted them and needed some advice, and they gave me great, honest advice. Responded very quickly every time I contacted them too.
I will shop here again.
Matt McGowan´s profile
profile image of Matt McGowan
Matt McGowan
London, United Kingdom | http://www.trustpilot.co.uk/users/1841828 | dclm-gs1-056940000 |
0.669543 | <urn:uuid:3238cad3-2515-41ad-b4f4-39e33417f892> | en | 0.976774 | Subscribe English
look up any word, like fuck:
by slyh20 April 02, 2006
738 296
a cutter is someone who has alot of shit that goes wrong in their life...and they cut their relieve the stress and pain they have gone through...people that just do it for attention...and just 2 get people to feel bad for them...need help...because there is other ways of getting attention...not by just cutting...also cutting is almost like an addiction...almost like being anorexic or is really hard once you start to cut just not do it any more...
whats that scar from? a cutter
by SKSKSKS May 28, 2008
17 9
Cutters are often very misunderstood. They are not trying to commit suicide, which is a popular belief, they're trying to save themselves. They know there might be something out there worth living for. These people have so much depression or anger that they take it out on themselves. Whether they can't share their emotions or don't have anyone to listen to them. It's kept a secret and true cutters never or rarely show their cuts. Sometimes they're embarrassed by what they do because they just want to be happy and don't want people to think there is something wrong with them. Cutting can happen anywhere on the body and by anything... knife, razor, etc. It doesn't contain itself to one group of people, another popular belief is that only emo kids do it. Cutters are everywhere and they're not always the quiet emo kids.
A fad that has come around is fake cutters. They usually make little scratch marks on their arms and then pull their sleeves up as often as possible to make people feel sorry for them. These are troubled people too because they starve for attention and distract from the seriousness of cutting.
Cutters need a lot of help, they need therapy, otherwise they'll end up tearing up there whole body. Most non-cutters can't relate to cutters because they haven't felt the pain they have. These people often become cold, belittle cutters, and are too arrogant to be able to relate. Instead they form stereotypes about them.
I know all of this about cutters because I am a recovering cutter. It's extremely difficult to get past, I have scars all over, but I desperatly wanted to be able to walk around with out being covered head to toe. Someday, I hope my scars will disappear and it's so hard to fall back into too. I don't expect people to always understand, but I just wish the stereotypes would go away. I wish any cutter luck and to hopefully find a way to get better.
by MaryOfNazareth May 29, 2005
14 6
Someone who cuts themselves, for various reasons.
Non cutter I know- wears MCR tee and shredded skinny jeans, has dyed black emo fringe.... regular life.... doesnt need to cut, and doesnt
Cutter I know- Honors student, dresses normally, apparrantly "perfect" life, abused by mom and was molested....cuts her hips where it doesn't show even in a bathing suit. Trying to stop, but can't.
other cutter I know- cuts obviously on wrists, wears black clothes, writes terrible poetry. shows off cuts.... actually has a pretty good life
The first two are respectable, even though the second needs help.... the third is swine
by BunnyLake November 04, 2009
10 3
okay first of all, no one knows what a cutting is until they're experienced it. its a way to release stress. you can pretty much refer to it as "the only pain you can control" cutters don't like to made of.
someone might say,
"oh we made of you because we figured you'd stop"
thats a lie.
how the fuck do you even think that?
i dont know.
but seriously,
"emo people" are just like everyone else.
so don't judge them.
even the popular people can be cutters,
they seem so happy on the outside,
but on the inside they could be depressed.
so if you're one to judge shut the fuck up.
oh my god did you hear danielles a cutter?
by dhoeeeee September 18, 2008
12 5
From the movie "Breaking Away" (1979), about a teenager named Dave who loves bike racing and dreams about racing the Italians someday.
In the movie the term is used by college students to describe other teenagers who do not attend the college--or any schooling, for that matter.
by AWAss November 22, 2006
23 16
A person who intentionally harms his or her self.
This term is not limited to those who cut themselves, but is also often used to sum up any self-mutilator. Many cutters use various other forms of self-mutilation, such as burning themselves, stabbing themselves with needles, biting, etc...
In GENERAL, but not all inclusively, cutters tend to be female, and teenage to young adult. It is common for a cutter to have been molested as a child, or to be dealing with other sexual inner-torment, but this is definitely not always the case. Any sort of torment can inspire one to cut.
Some cutters cut to focus the emotional pain to the physical, some for the adrenaline rush, and some do it just to feel. Some people become emotionally numb to reality and use cutting as a way to reconnect.
Some cutters bleed, some don't. Some cutters HAVE TO bleed. Some cutters get to the point where cutting in itself is not enough, but they must see the blood, must feel it pouring out.
Cutting does not mean a person is suicidal, but it is common to use cutting as an ALTERNATIVE to suicide. A cutter might be tempted to commit suicide, and usually has issues with depression, but maybe realizes suicide is not a good option. But they have to do SOMETHING; so they cut.
But sadly, oftentimes cutting loses its thrill, and suicide is the only step left. Or the cutting gets deeper-- more blood, more cuts, more pain...
If you think you know somebody is a cutter, don't judge them. And even above that, DON'T ASK QUESTIONS about it. They're ashamed---
I used to cut. When I did it, or rather, WHILE I was doing it, it was everything I needed. Such a relief-- but then when I'd wake up the next morning, I'd see my arms, all scabbed and scarred, and think, "What have I DONE to myself?!" I tried to hide it. The winter was easy, wearing long sleaves every day, but then people began to notice...
Cutting is, I'd say always, NEVER for attention. On the contrary... It's often a habit for someone who just needs something to redirect their OWN attention.
by Miss Tiffany June 12, 2005
12 5
No, we are not "attention seeking" or "trying to kill ourselves" It's a way out of all our pain. All of you who judge us, you don't know anything about our lives or who the hell we are. Do you? I believe that is a big fat, NO. Do not start telling us we're attention seeking, If we were why would be shy away if you spot them, why do we wear long sleeves? Why the chunky wrist bands and bracelets? It's not a cry for attention, but a release from all you judge mental little idiots.
What the hell gives you the right too do that? You have no idea what you're talking about, come back to me when you've cut up half your body and been through everything we've been through.
Judge mental idiots- You're such an attention seeker, Kill yourself and get it done with.
cutters- I don't cut too die, I cut for control, a release.
by unic0rnpukee December 04, 2011
5 0 | http://www.urbandictionary.com/define.php?term=cutter&defid=1679256&page=5 | dclm-gs1-056960000 |
0.043196 | <urn:uuid:0b0b48fb-4180-4665-9d81-2ea6674fab77> | en | 0.845207 | First: Mid: Last: City: State:
Carlos Lampe
Find current data on Carlos Lampe by searching USA-People-Search.com. We provide an exhaustive database of public records and online tools make it easy to find who you're looking for. Find out Carlos Lampe's age, year of birth, prior addresses, aliases, and more.
You'll enhance up your search for the correct Carlos Lampe by using all of the public records available in our detailed database. Find the right Carlos using info like previous residences, age, and relatives. Access additional information, including background checks, criminal profiles, and email addresses on USA-People-Search.com. If this Carlos is not the person you're in search of, refer to the list of people with the last name Lampe below. This list could include name, age, location, and relatives.
Include additional info into the search fields on the left for the best results. A first name, middle name, last name, city, state and/or age can be the missing piece to locating Carlos Lampe. Use the map to pinpoint and get a visual sense of their whereabouts. When you find the Carlos Lampe you need to locate, you can then access any public records info we have on Carlos Lampe. Our reliable database make it simple to gather information about anyone swiftly and easily.
Name/AKAsAgeLocationPossible Relatives | http://www.usa-people-search.com/names/p/Carlos-Lampe | dclm-gs1-056970000 |
0.036065 | <urn:uuid:06d4af27-76b9-478f-a775-b3f7fd224cf8> | en | 0.926308 | Health knowledge made personal
Join this community!
› Share page:
My daughter has asked my why she gets tears in her eyes when she pees sometimes.
Posted by Shar D. Facebook
We tried looking this up together but cant find an answer. Loads of others on forums asking the same Q. There is no pain associated.
Post an answer
Write a comment: | http://www.wellsphere.com/children-s-health-article/my-daughter-has-asked-my-why-she-gets-tears-in-her-eyes-when-she-pees-sometimes/1416392 | dclm-gs1-057020000 |
0.02612 | <urn:uuid:7ec5a6af-d59a-4d42-bf1d-dfebd7e23872> | en | 0.943278 | Introducing the New Developer Experience
Introducing the New Developer Experience
Rate This
The problem areas we targeted are:
Developer Impact
Improved Efficiency through Thoughtful Reduction
• Command Placements
• Colorized Chrome
• Line Work
• Iconography
Command Placements
Default toolbars in VS 2010
The default toolbars in VS 2010
Default toolbars in VS 11
The default toolbars in VS 11
Colorized Chrome
Strong use of color in VS 2010
Strong use of color in VS 2010
Reduced use of color in VS 11 focuses attention on the content
Reduced use of color in VS 11 focuses attention on the content
The light color theme in VS 11
The light color theme in VS 11
The dark theme in VS 11
The dark theme in VS 11
Line Work
Four examples of a common visual language across multiple products
• Quick Launch: Searching within commands and configuration options
• Searching within tool windows
• Searching within open files
Quick Launch: Searching Within Commands
Quick Launch showing the results of a search for find
Quick Launch showing the results of a search for find
Searching Within Tool Windows
Searching Within Open Files
In Summary
Leave a Comment
• Please add 4 and 8 and type the answer here:
• Post
• Dear developers: you are not designers. Microsoft has obviously put much study and design behind this (did you read the article? They did many studies) just like all of their new platforms like Windows Phone. So they have a lot of logic and reason to back up these changes.
I think it looks great and I love the idea of removing distraction and focusing on content.
I am one for even less distraction - I would love to see even less tabs and icons (similar to Office 15). And why not use the window title bar area like Chrome uses it for tabs? That is completely wasted space :)
Looking fantastic though.
• I think the scroll bars are the least used element in the IDE. It would be nice if they were displayed like on the phones with only a few pixels in width. This would keep them out of the way, unless you need them. Then you could simply mouse over them and display a larger scroll bar similar to what we have currently. Also, what would be nice is to have the ability to switch between layouts with hot keys. There are several things I do which use only a few tools but are there all the time because it is too much effort to hide/show/rearange all the time. Just having them hidden from view is not sufficient. I'm constantly pinning and unpinning tabs depending on the development mode i'm currently in (e.g. debugging while not actively running the debugger, code navigation while learning, writing code). This experiance could be much better.
• The search features are great, but I am not a fan of the rest.
The inactive tabs have no borders at all and all-caps labels, which is a usability problem.
Where two inactive tabs are next to each other (something you maybe tried to avoid in the screenshots? :) but it is there in some) it is quite hard to tell where one tab ends and the next begins as a result.
Also, making the tab labels all-caps really does not help with vertical text, which is difficult enough to read without removing the extra visual cues that mixed-case text has.
I am not sure why you hate lines and borders quite so much. The result looks like a DOS app from the days before UIs could draw individual pixels. There were too many lines and borders in previous versions of Visual Studio but I think this new UI is seriously over-compensating. Now we have everything floating in a sea of solid gray, some elements difficult to tell apart from each other, and solid background rectangles which just sit next to each other without even a thin/subtle border around them, which personally I find very ugly (but I guess that is subjective).
You talk about, effectively, making Visual Studio's UI dull so that we can focus on the UIs we are building inside VS, but you seem to forget that Visual Studio itself is a UI that we are using. VS is not just an app for making other apps; some of us spend our entire lives in this program. Most of the time I am looking at code, not at UIs. The VS UI is not distracting me from anything; the VS UI *is* what I am paying attention to.
If there really is an issue with the VS UI distracting people from the UIs they are building inside it, maybe have the option to make VS change themes while a UI designer is open. Make it gray all the time by default if you want, of course, but please recognise that not everyone wants that all the time.
(Speaking of which: Something that would be *incredibly useful* is if the IDE's background color, or some other conspicuous element, could be configured to change while the debugger is active. I've lost count of the times I've accidentally closed all my "unwanted" debug tool windows, or been confused about why I can't build over my old EXEs, because I left the IDE in debug mode and forgot about it. I then have to re-open all the debug windows. If the IDE could change colors or something while debugging then it'd make the different modes obvious.)
((Speaking of which, it'd be really handy if we could save and load window/tool layouts, so we could close all the clutter when we don't want it, but easily get it back when we do.))
I was not a fan of the garish gold etc. from VS2010, but making everything gray isn't the answer either. And making the icons monochromatic is quite unhelpful as the color helped identify them.
Would it be that crazy for Visual Studio to actually respect the system-wide color configuration and visual styles? If I wanted gray windows, I would configure the OS that way. Provide overrides if you want but at least look like a standard app and respect the user's settings by default. What sort of example are you setting for other apps here? If every app looked like this, completely non-standard and dull, it'd put me off using Windows itself.
People are complaining that the scrollbars are out-of-place; I feel the opposite: The scrollbars are one of the few 'correct' things in the interface and it's everything else that looks out of place, especially when next to the other apps/windows that it will co-exist with on my desktop.
• Color differentiation in a command/icon heavy app like VS11 is important to quickly locating something. Now I'm a giant command line/terminal/powershell user with things like vim and I close every single toolbar, but I know MANY MANY people who are going to be searching for the subtle difference in icon shape for hours.
Shape, location AND COLOR used to be tools for locating commands. Now it's ONLY shape and location. Not good.
• I find the new UI to be very distracting. All of Visual Studio looks like it's currently disabled. The difference between a disabled and enabled icon is completely indistinguishable to me.
Also when you put the drab gray UI up next to a richly colored XML document it just looks completely out of place. It's like going into a house with gray walls and black ceilings then turning the corner and seeing a rainbow coffee table in the middle.
I also don't understand the rationale for using all cap letters. All caps are synonymous with shouting to the vast majority of developers. It's very distracting to see "SOLUTION EXPLORER", "DATA SOURCES", etc ... Why is Visual Studio yelling at me?
• The loss of chrome and icon color is ridiculous. You've just remove a ton of bits used by our ever scanning eyes to identify UI elements. The monochromatic themes (like in Eclipse) make it more difficult for discovery. Please drop the academic nature of you analysis and be more practical. At least provide the option to restore the chrome and icon color rather than assuming that your ideals are best for all of us.
• in one line 2010 theme is much better than the new one from visibility point of view. new one is very dull and hard to figure out things.
• A very well layed out article. I love the new search mechanisms. Thanks for that.
Now for the frank discussion: The new Iconography is Boring Me To Pieces. And all that "grey matter" on my screen makes me fall asleep sitting up.
"Change" for the sake of "change" really sucks, guys. Please, please, pretty please remove that "need to change" clause out of your employee annual review requirements. It's a major market kill.
• Really? Colored vs. monochrome icons is that big of a deal for some of you? Perhaps I'm different in that regard then, because I value productivity over sex appeal when it comes to my development toolset. That said, I will reserve judgement until I've used it extensively. I appreciate the fact that they seem to be taking a measured, scientific approach to usability. I hope that it translates to improved productivity.
• I'm always open to new things and I'll definitely give VS 2011 a try but so far I'm not all that thrilled with the asthetic changes that I'm seeing here. I think that in many ways they are mostly a step backwards. I understand the need to improve performance and decrease application load times etc. After all, it's more important that the end product you design looks good and not necessarily the tool you use to create it. But, I still think there's something to be said for having a nice GUI with (dare I say) "shiny colorful icons" than a dull gray one.
Not all of us are Linux nerds living in our parent's basement who insist on coding everything by hand in a terminal window and only go outside in between episodes of Stargate to pickup more Redbull from 7-11.
I agree that things like removing the cut/copy/paste icons were a good move (I don't know anyone that ever used them) but stripping out all of the color, nice lines and shading that defined sections in the menus and layout/configuration windows that made previous versions of VS always stand out above other IDEs is not a good move.
If you look at what MS has been doing with all of their products lately the trend seems to be simplifying. Simplification is a great thing -when it's done correctly. There is a fine line between "simplifying" and "dumbing down". What Microsoft is doing for Metro, Windows Phone and now VS is the latter. The Office ribbon is a great example of simplifying without dumbing down. Instead of hiding everything in submenus, Microsoft realized that users were no longer using 14" monitors running at 640x480 resolution and decided the time was right to start making use of the extra screen real estate. If you are in the ribbon hater camp then you really need to ask yourself why. Is it because you're stuck in your old ways and never gave it a chance? How does it really cramp your style? Do you not like being able to see the affect of things like style changes previewed in real time? Think about it.
Moving on to a bad example of what MS has done by dumbing something down is with the new Windows logo and Metro. By now everyone has a computer of some form (desktop, laptop, tablet, phone etc.) that has more processing power and better graphics capabilities than at any other time in history. Now while that shouldn't be an open invitation to make over the top logos using every color known to man with wacky chrome effects, 3D objects and drop shadows everywhere it should at least open the door for a little creativity. Less is not always more. Sometimes it's just...less. I personally feel that the new Windows logo and VS design are both simply boring and uninspired. That's just my two (OK maybe 3) cents.
Anyhow, back to the topic at hand...MS, please don't keep dumbing down your products. It was the baby boomer generation that were afraid of computers, Gen-X and Gen-Y are pretty comfortable with them.
PS: As far as the new Metro color scheme goes...teal? Really? You guys chose teal?
• I'll hold judgement until I actually get my hands on VS 11, but so far the only think I can think of: Terrible!
• "engendering the impression that VS feels lighter and less complex."
I don't want a tools that gives me the false perception that it's "lighter" or "less complex" when the reality is quite the contrary. Why don't you fix the reality of the over-complexity of the UI rather than waste time with this foolhardy trickery!
• Looks terrible. I really hope they listen to this feedback and make some serious adjustments.
• Removing clutter is great but the grey UI is just depressing. I hope the old theme is still available!
• I am one of those who prefer the new Subpixel rendering in Direct2D/DirectWrite. It pains me because the VS Team itself not using the tec - why sould any third party invest in it. Would love if we were given the choice.
Page 7 of 63 (944 items) «56789» | https://blogs.msdn.com/b/visualstudio/archive/2012/02/23/introducing-the-new-developer-experience.aspx?Redirected=true&PageIndex=7 | dclm-gs1-057120000 |
0.246517 | <urn:uuid:0f9b19a2-5d7f-42ed-9b3a-6db9b4f5793e> | en | 0.774192 | [wxPython] How to tack data onto a node of a tree?
Steve Lamb grey at despair.rpglink.com
Sat Aug 9 20:03:52 CEST 2003
Hash: SHA1
Ok, this one has me scratching my head. Right now my application is
working fine. I have a tree control which contains a 2-level deep tree.
The first level is directories while the second level are files in those
directories. The user clicks on the file they want to manipulate and it
is loaded and parsed into other windows. However I'm doing it in a
kludgey fashion and would like to do the proper thing.
The kludge is that I could not figure out how to associate data with
a particular node within the tree. So for the moment I have set the
data to NULL and the node's name is either the directory name or the
file name. When the user clicks on the file I then grab the node's
name, grab the parent node ID, grab the name of the parent node name and
then splice them together. EG:
def BuildPath(self, id):
''' Build a path from the node and parent node name'''
# This really should be contained in the node data.
file = self.FileList.GetItemText(id)
parent = self.FileList.GetItemParent(id)
path = self.FileList.GetItemText(parent)
filepath = path + '/' + file
As the comment says, the path to the file should really be contained
in the data associated with the node.
I've read the documentation for wxTreeItemData and am a little
confused. Would something like the following work for assignment?
dir = '/dir/to/file'
file = 'filename'
filepath = wxTreeItemData(dir + '/' + file)
self.FileList.Append(dir_node, -1, -1, filepath)
I believe that the following would be used to retrieve the data?
filepath = self.FileList.GetPyData(id)
Version: GnuPG v1.2.2 (GNU/Linux)
| -- Lenny Nero - Strange Days
More information about the Python-list mailing list | https://mail.python.org/pipermail/python-list/2003-August/203020.html | dclm-gs1-057170000 |
0.035586 | <urn:uuid:78b654e2-5f2a-4552-9bca-354286fd8a97> | en | 0.950615 | Reviews for YuFfo
TRFanatic chapter 1 . 4/29/2005
NIX THE THING ABOUT ME NOT KNOWING THE GAME! I SO do know it! Thought you meant YuFfo was the name. .
But all in all, it is still a good fic!
T.R. Fanatic chapter 1 . 4/27/2005
Nice fic... even though I've never even heard of the game... Somehow the title made me want to dance to a song similar to the title. *goes off and dances to U-FO*
Rinkul chapter 1 . 4/17/2005
Interesting. keep writing. you could probably get away with this on fictionpress as original fiction, just as long as you dont say that its an "Asteroid fic".
Banana Bread chapter 1 . 7/23/2004
That wasn't really a flame. O.o
Anyway, I wrote it to be different. d(_)b
And if you thought the concept was stupid, why did you bother to look? Do you always examine things that annoy you?
O.o; I should make a Pong fic...
alucard32089 chapter 1 . 7/22/2004
I'm sorry...I don't usually the hell. The only thing dumber than a Asteroids fic is Pong fic. | https://www.fanfiction.net/r/1842737/ | dclm-gs1-057200000 |
0.073167 | <urn:uuid:b41f7343-7a25-4b9a-b9c9-8e6e794a49a9> | en | 0.991056 | Title: Helping Friend
Featured Pairings: Ron Weasley/Hermione Granger
Rating: G
Word Count: 1073
Inspiration Art: Studying, by ladysugarquill (htt p://l adys ugarquill. dev iantart. co m/a rt/R on-y-Herm ione-Es tudiando-12985 3611 - spaces are to avoid spam)
Beta: Thank you, exartemarte !!
Warnings: None. Fluffy, probably...
Summary: Ron needs to finish his essay but sleep is wining the battle
Author's Notes: Originally written for Round #1 at hp_art_tales . Hope the artist likes what I did with her lovely art :)
Helping Friend
The words started to get blurry over the parchment as his eyes battled to stay open. Seeing through his ginger eyelashes, the spells and wand techniques danced everywhere as he felt his head succumb to the gravity that sleep produced. The thin line between sleeping and waking was getting thinner second by second as he finally closed his eyes, lowering even further into the armchair as he placed his long feet over the coffee table in front of him.
Ron let the drowsy feeling invade the rest of his body. Quill and parchment long forgotten, images of the day appeared behind his closed eyes. Wild hair and laughing smile, Quidditch bludger bruising his right thigh, cherry pie for dessert, Harry insisting on following Malfoy, wands withdrawn by McGonagall's command, Malfoy's smug face as he disappeared around the corner, Hermione telling them off for it, Hermione admitting she was concerned about their well-being, Hermione reading in front of the fireplace, Hermione's face glowing with the flickering flames, Hermione calling him, Hermione's lips moving, Hermione saying his name, Hermione...
The sudden scream startling him. He opened his eyes and looked for his wand. Stepping over the parchment and quill now on the floor, he got in position to fight. Ignoring the chilling fear that made his hair stand on end, he searched the empty room for Hermione, his eyes relaxing only when they met her kind face.
"Relax, Ron! You fell asleep," she explained placing a hand against his arm. His skin tingled under her touch, even through the layers of clothing.
Ron took a deep breath and put his wand in his back pocket. A small nod was his only answer as he kneeled on the floor to collect his scattered things.
"Let me help you," Hermione offered.
Before he even had time to reject her offer, she was at his side gathering the parchments spread over the carpet. Awkward hands bumping against each other every now and then awoke him completely, as he mentally kicked himself for blushing at such an innocent act. His ears felt like they were on fire as the heat from Hermione's body beside him made his heart skip a little.
"I'm sorry I startled you. It wasn't my intention," Hermione mumbled.
"'S okay," he said as he stood up with a few papers on his right hand.
Not giving her any time to attempt standing on her own, Ron offered her his left hand. She looked up and smiled softly as she took it. In one swift motion, he lifted Hermione's light weight until she was standing close to him. He swore he could see a light patch of sunburn freckles on her nose at such close proximity. Air caught in his lungs as her bright, brown eyes looked into his for a mere second. Was she blushing too?
"Y–You...Did you finish your essay?" she asked nervously.
Ron sighed. How was it possible to forget about an essay when he had been stressed over it for the last two hours? "No," he said, defeated. He cursed inwardly as he walked away from Hermione, heading to one of the tables in the far corner of the Common Room. "I have to do it tonight. McGonagall added five more inches to the essay for me and Harry because of bloody Malfoy and his stupid–"
"Okay, okay. No need to worry about that now. What's done is done," she said in a tone that didn't fool Ron. He knew she was thinking they deserved the punishment for attempting to duel the ferret. "How come Harry has already finished his?" she wondered approaching him.
He shrugged. "Ginny helped him," he muttered grumpily as he sat, throwing his unfinished essay over the table.
"Hmm," Hermione huffed, clearly disagreeing. "Harry shouldn't have his girlfriend finish his essay for him. It's a punishment and he should be the one making the effort, not Ginny." She scowled as she sat in front of him, placing the parchments she'd gathered herself over her lap.
Ron couldn't avoid thinking how things would have been if Hermione was his girlfriend. Would she say the same thing or would she just stay up late helping him instead? He wanted to hit his head against the wall. Could this day get any worse? Not only he would have to put up with Hermione's lecture that should have been intended for Harry and Ginny to begin with, but he still had to finish his essay or McGonagall would have his head on a plate. Four and a half inches left to write about spells he didn't understand in the first place, and it was already midnight. He groaned as he imagined the night he had ahead of him, resting his head over his crossed arms on the table.
He heard her sigh. "Okay, let me," she said, and he felt her retrieving the parchment from beneath him.
Looking up, he found her already scanning the six inches he had done so far. "What're you doin'?"
She looked at him with a small smile. "What does it look like?" she chuckled. "I'm helping you with the essay."
"But...But what about all that about Harry cheating and deserving his punishment?" Ron asked straightening in his chair, suppressing a yawn.
She laughed. That laugh that made him smile. He watched as a few locks danced over her forehead as she threw her head back and closed her eyes briefly. She looked beautiful. "The first time you actually listen to something I say and you question my willingness to help y–"
"I always listen to what you say," Ron blurted out without thinking. As silence took over, stretching the awkwardness and his embarrassment he couldn't stop mentally punching himself. Could you be more stupid, Ronald? No, I don't think so, he thought stonily.
Hermione remained speechless. For a minute, he thought she was fighting back a smile as her cheeks blushed, making her even more beautiful than he ever thought possible. She looked...endearing.
Before he decided to do another stupid thing, throwing himself over the table to snog her senseless, he cleared his throat and asked hoarsely, "So, would you really help me with the essay?"
"Oh, yes. Of course. You're...you're my friend, right? And that's what friends are for," she said nervously, flashing him a small smile before resuming her explanation of the best way to explain the consequence of doing the spell wrong. | https://www.fanfiction.net/s/5937870/1/Helping-Friend | dclm-gs1-057250000 |
0.271304 | <urn:uuid:6a2d53b5-f4a8-4303-823c-b3181f0ebd1b> | en | 0.994995 | AN: This one is longer than the others, but I didn't want to split it again haha. Here's the end!
Again, Kagami was awoken with the awful realization that he couldn't move properly. Again, it was because of some little idiot who wouldn't listen to him. He cursed to himself, looking down at the messy hair pressed against his arm, pinning him down. His cheeks ruddied at the sight since he couldn't really look anywhere else, and he wasn't too thrilled about that. Kuroko was there, hair splayed all across Kagami's arm, his body tucked into a ball that fit just inside the curve his larger teammate's bulk made, like it was just for him. Barely chapped lips were parted, pulling and pushing air in and out with those dainty snores Kagami had picked up on earlier. He was used to seeing a calm face, but this one was serene with soft, dark lashes brushing over round cheeks, twitching every now and then as a dream played on behind those soft pink lids.
Stop. Stop. Stop it.
First, he wanted to know when the hell he rolled over for this to even have happened. He didn't move much during the night, and when he did it was just to scrunch or stretch. Secondly, he wanted to know just why Kuroko felt the need to completely invade his space with his tiny puffs of breath and his soft sighs and his tousled mop all over the place and tickling his chest and arm and gods abound what was he even thinking?
Tired. He was just really, really tired. That was all. And he wasn't going to get any of the answers he wanted just sitting there, either.
As it were, he needed to get unstuck and back on the couch. Preferably five minutes ago. Kagami put his free hand on Kuroko's shoulder to hold him in place while he worked his trapped arm free. It wasn't he best of ideas since it left him open to attack, which he noticed just a few seconds too late. Again, he was being hugged more or less against his will. The main difference, also the one that made the situation most difficult, was the fact that Kuroko's arms were under his. The fuck was he supposed to do about that?
A frown set squarely on his mouth, the redhead tried to pry the smaller boy off of him. With the positioning, it just wasn't going to work. Kagami drew in a breath, letting it out in heavy dismay before moving his hold from Kuroko's shoulders and down to his hips instead. He flared up for a second- just a second!- when he didn't feel the familiar.. polyester...? nylon...? ... jersey...? Shorts! Basketball shorts. They weren't there, dammit. Instead, he got a dreadful grip on boxers- boxers! He wanted to die when he finally pushed, and his hands just slipped down some with them. Too small for his own good, Kuroko was.
"Okay," he said to no one but himself in a harsh whisper. His hands came back, raised in a mock surrender. "Okay! I get it. Tell me what I did, and I promise it'll never happen again! Just let me get out of this? Please?" He waited for a few seconds and gave up. No one was going to help him. If they were, it would have happened a long time ago. Assholes. All of them.
So he had to help himself. Okay... Okay, he was good at that. Yeah! This shouldn't be too hard, and it wasn't like it could get any more awkward, so it was all uphill from there, right? Right. Absolutely right.
Kagami wouldn't try his luck at hips again, so he just kind of.. reached over his own back in an attempt to unhook Kuroko's hands. If he could get them unclasped, he'd be free to go. Just walk out of that room and chalk it up to a bad dream later. And it was going to be awesome. If he could just reach... His chest pushed forward in a ploy to get his target closer to his reaching hand, and he almost had it... Just an inch or two more...
And he stopped. His thoughts left him. He forgot how to breathe, how to move, and he was stuck there. Lips were the last thing he needed on his chest right now, but hey! There they were! Happily uninvited and invading his space. He wished he'd kept his shirt on. Being tugged at was better than this bullshit.
Kagami heard his name and let his breath out in a rush, dropping his arm to his side again and remembering that, yes, he could move his own body to get out of Kuroko's kiss radius. Still bristled in his embarrassment though, he didn't say anything, waiting for something else to hit him. Something besides fingers and lips and hair.
It was words again. His name again. He wanted to throw up.
"Kagami-kun," the little jailer called, quietly, as if he was going to be overheard. It almost sounded like he was irritated, too. That wasn't good. That wasn't good at all.
Kagami actually answered this time since it probably wasn't going to stop until he did. "What," was all he had up his sleeve. It didn't even sound like a question.
"Please, don't be mean to me."
Kagami frowned. He almost didn't care that Kuroko had snuggled up against him again. That was a demand. A strangely coherent demand. Snoring was one thing, but he seriously doubted Kuroko talked in his sleep.
Well. That answered that question. Oddly, it didn't make Kagami feel any better. If anything , it annoyed him. "Get off. I want to go back to sleep."
"So sleep."
"I can't like this!" He'd meant it to sound more sinister, but it just came out all full of desperation.
"Kagami-kun didn't have any issues before," the blue boy pointed out, his tone still airy and half-awake. "Did something happen?"
"You happened!" He managed to at least hiss that one out, but it was probably do to the fact that he was turning into a tomato again. "I can't.. It's impossible to sleep like this!"
"I think it's quite nice." To drive his statement home, Kuroko got as close as humanly possible. He pulled his knees up a little higher and sank right into the divot Kagami made, the larger of the two just about swallowing him, involuntarily mind you, with his body. It made no sense. Neither did the fact that he was being touched.
He managed to croak out something like a response. That's what random hands on your chest did to your voice. They took it and broke it. At least they weren't all wrapped around him anymore; that was a plus. Kind of.
"You're burning up." Kuroko spread his fingers just to make sure he wasn't making the area hot by being there. A shocked sound got away from him when he found that it was just a uniform temperature. He made sure to check a few extra places, too. "Are you sure it isn't a fever?"
"I-I'm sure, yes!" Kagami stammered. Now that he was.. mostly free, he was intent on leaving. Kuroko was all balled up, so there was nothing he could do about it. Now was the only chance he'd seen in a long time, and he was taking it. Kagami was moving his arm behind him to roll away, but he was stopped yet again. Not by a tug, not by words, no. No. Apparently, a certain ghost of a boy thought it was appropriate to kiss a poor soul in Kagami's situation. It was on the cheek, a few good centimeters from the corner of his mouth, but it was still there. It still happened.
"Is that better?" Kuroko asked. He'd pushed himself back some to see Kagami's face for himself. It didn't really look better.
"No that's not better!" On the court that might have been a roar. Never having had such a thing happen to him though, Kagami's 'shout' came out in a strained whisper.
"Strange." Blue eyes started to swirl with slight worry as Kuroko thought things over. He sat up with his chin in his hand, leaving Kagami on the bed. "Mother's kisses always helped when I had a fever..."
"I don't have a damn-!"
"Try this." He dropped back down, turning to support himself with both arms- one against the bed and the other bent over Kagami's chest. Didn't seem to be much help since Kuroko was still falling.
Maybe being red all the time had overheated his brain because Kagami didn't make an attempt to move, roll, look away, anything. He just sat there and let it happen. The small hand that had been using the bed for support had found its way into his hair again, giving the support job solely to the one that was folded over his chest. And that one was a little too happy to be there as far as Kagami was concerned. That, however, was not the most pressing matter.
No, that prize would have to have been taken by the obscenely close proximity Kuroko had put himself into in another area. The one on his face. Under his nose. His mouth.
Kuroko was there, and his lips were a bit more chapped than Kagami remembered seeing them earlier. Maybe snoring made that happen faster? Maybe. But that wasn't the point! He didn't even get a chance to retaliate before Kuroko was up again. Or at least off of his face, at any rate.
"How's that?" The smaller boy answered his own question with a tiny 'oh dear' upon taking in the sight that was supposed to be Kagami. Oh, he was red, but that wasn't anything new. His eyes were wide though, and it looked like he might crack his face with the stiff line he'd set his mouth in. He didn't look to be breathing either. "Kagami-kun?"
Kagami heard him, but he couldn't respond for some reason.
He actually tried to say something this time, but it still wouldn't work.
"Kagami-kun, you have to breathe," Kuroko reminded him. He climbed up to straddle his waist and pushed down on the taller male's chest in hopes of helping him out. He let out a tiny sigh of relief to see that the Bakagami was finally setting free whatever breath he'd been holding. It must have been a big one because he was breathing like he'd been ready to drown.
Kuroko rolled his eyes and leaned forward, getting as firm of a grip as he could on either side of Kagami's head. When he got a startled crimson gaze in his sights, he clarified. "I said breathe, not hyperventilate." He patted at a red cheek when its owner seemed to understand. Sitting back up, he used his hands to brace himself against the broad chest below him. "Are you sure you're alright? Because mouth-to-mouth seems to be a very bad option if something else goes wrong. Should I call someone?"
"Just stop trying to help me, please." Kagami didn't have it in him to try and yell, and he didn't have it in him to push the guy off... He really, really just wanted to go back to sleep and forget about everything. The best way he knew to communicate that though was to just cross his arms over his eyes. No weird Kuroko stares, no weird Kuroko thoughts. Just darkness and, hopefully, silence.
He groaned when his arms were all too easily slipped up and over his head though, dropping with an audible flop onto the pillow behind him. He made a face that could have been mistaken for a pout, but no one would ever call it that. Not to his face anyway.
"Why are you pouting, Kagami-kun?"
... Almost no one? Kagami figured it made more sense to give him a straight answer though. "You're terrorizing me," he sighed, sucking his teeth instead when he tried to roll onto his side and couldn't. "I just want to go to sleep, Kuroko."
"Is that it?"
"You say it like you've been making it easy," Kagami scoffed.
Kuroko shrugged. "I can help," he said, the mask of boredom that'd been trying to slip back in place halting its takeover. "Only because Kagami-kun says I've been causing trouble though," he added after a beat.
"No," the redhead moaned. He managed to get one of his hands free, it wasn't really difficult, and run it over his face. "No more help, Kuroko, damn. You're killing me."
Kuroko just shook his head. He made a grab Kagami's rebellious hand back, and he wrapped their pinky fingers together again. "It's good help. I promise."
Kagami rolled his eyes, doing what he could to beat back the color that was trying to warm his face again. "Just... sure. Okay. Whatever," he sighed in defeat. If it got Kuroko to shut up, that was great. If it honestly helped? Even better. He grimaced though when, instead of just letting go, he felt much more slender fingers force their way to twine with his. He probably should have put up more of a fight.
"That's an awful face," Kuroko said, and it got Kagami to slide his gaze over from whatever nothingness he was staring at on the side of the bed.
He was going to argue, to tell him to just cut the crap and let him go back to the couch, but a tickle at his nose made him stop. Kagami squirmed a bit uncomfortably when he felt what shouldn't have been a familiar pair of lips press against his jaw, shocks of blue hair brushing up against his neck and cheek while Kuroko made his way down to his chin.
He had to admit, it was nicer the second time around when he got to his mouth. At least he was expecting it that time, and it didn't come flying at him from the darkness. It wasn't as clumsy either, well placed and gentle. Being so close, Kagami got a fleeting whiff of vanilla, no doubt a permanent scent on his shake-addicted shadow. He was trying to catch that smell again when something wet pressed against his lip, sending a tiny jolt through him that disappeared into his gut. That little pressure at his mouth didn't go anywhere, and Kagami squeezed his eyes shut in preparation, feeling it just slipping through his flimsy blockade anyway.
That simple passage though was enough to ease his mind, and his muscles relaxed. He hadn't noticed how tense he'd gotten, the simple release making him feel weightless for a moment. His breath hitched when he was reminded of what he'd been freaking out about to begin with.
Kuroko had taken the tension release as a green light to proceed. He freed Kagami's other hand, the one held against the pillow, and trailed his own over a brawny shoulder, stopping to gently feel over the area where it met up with Kagami's neck. The redhead let out something like a gasp in return, and Kuroko moved his tongue the rest of the way past his partner's lips, pressing against the other fleshy muscle he found there. He felt Kagami's try to slink away, but that just made him chase after it with that much more gusto.
His hand continued down its path, rubbing and squeezing every now and then as it moved over hard, smooth muscle and leaving a trail of tingling skin in it's wake. He did something with is wrist and made a small swirl using his nails against Kagami's side before flattening his hand over the area. The quick switch in sensations made him gulp, and he was fiercely red again since his involuntary spasm had Kuroko moaning into his mouth. Who knew your tongue moved so much when you swallowed?
Regardless, he was glad when the slighter boy lifted his face away for a moment, and he was surprised to see that Kuroko looked to be more affected by all of this than he was. Kagami knew he was blushing, whatever, he'd been doing that all day, but the rosiest of pinks had scrawled itself all the way across Kuroko's face, sliding up to the tips of his ears. His breath came quickly and puffed out against Kagami's, the scent of curry and vanilla flooding into his brain.
He blinked in surprise when he was descended on again with more fervor, lips moving against his in not as calm a manner. The hand that held his tightened a bit when Kuroko flattened out a little more against his host. Kagami... Kagami still had another hand, didn't he? He flexed his fingers to check, and he would have smirked if his lips weren't wrapped up at he moment. Since it was free, it was probably about time to put it to use. He tried to be discreet, but he doubted it mattered with how his guest was... moving. He didn't know what word to use for what Kuroko was doing. Something like a cross between a snake and a snail that had to go pee.
He was going to put a stop to that. Kagami let his hand fall lightly onto Kuroko's back first, making sure he didn't mind the contact. Well, if a squeak meant anything, he figured it might as well be 'okay.' Still, he got a stern gaze despite the blush, an unspoken question asking just what it was he was trying to do. Kuroko must not have liked being 'ignored' because he lifted up to his knees some, moving his hand again. Kagami felt his face go eight shades deeper when a deft finger and thumb pinched at a nipple.
He frowned, trying to decide on an appropriate act of retaliation. Remembering that his hands were fairly larger than his friend's, Kagami let his free hand keep going. The hand on his chest became lighter and lighter he further back he went. A nice, smug smile was in order when Kuroko actually started looking a bit worried. One cute look was not going to stop his mission though, and Kagami chuckled when his teammate's whole face flashed crimson once his fingers struck against that waistband he'd hated so much earlier. They could have been best friends now, though the acquaintance was short-lived. Time was not to be wasted, and the redhead slipped right past that feeble defense, sliding his hand snugly over one of Kuroko's cheeks.
He gave an experimental squeeze. The gasp he got sent shocks through him once again. His ears felt hot looking up at someone with that kind of face... mouth all open and eyes all wide and... surprised and embarrassed and... and... Shit, he had to do it again. That time, Kuroko bit at his lip to try and keep any sounds to himself, but it only served to put them through a muffled filter.
Yeah... Yeah, seriously? Screw holding hands; holding hands could go die. Kagami worked his fingers free and made quick work of setting his other hand opposite the one already in place. His breath caught when an alarmed gaze was cast down towards him, and the redhead sent a rough squeeze through both hands, pulling just a bit to topple Kuroko near enough to kiss again. He drank in the little sounds the blue boy made when Kagami's teeth grazed his lip, when he pinched at him unexpectedly, when he tugged at his tongue with his own. It set a fire in his abdomen, and he couldn't stay on his back any longer.
Kagami sat up, obviously taking Kuroko with him. The smaller ten slipped down into his lap easily, setting his legs on either side of the redhead's hips. Raised knees behind him kept Kuroko from falling over backwards, but it was clear he wasn't feeling as confident in his new position. Well... what was he supposed to do about that?
A quick kiss was placed on his forehead, and before he could ask why, Kagami was pulling the borrowed shirt up over his head. He looked like a startled rabbit sitting there now, cornered with no escape. Well... it was his own damn fault. But... Kagami wasn't out to scare him. He was as gentle as he knew how to be, taking his round face in both his hands. That was what you did right? That's what they did on tv, so what the hell? He was already turning red again as he dipped down to give Kuroko one of he nice kisses they'd shared earlier. The soft and non-intrusive kind. The kind that didn't move around. The embarrassing one? The one in all the chick-flicks? Yeah, that's it.
... Kagami could only stand so much lovey-dovey, so he had to come off it. Thankfully though, what he'd done was enough, and his partner was looking more so flustered than frightened.
Kuroko cleared his throat. "Kagami-kun-"
"Don't even start," the taller of the two sighed. He'd heard it fifty times already. "Just... shut up, okay?"
Kagami nodded. He wasn't sure why, but he did it. He planted another kiss on Kuroko's forehead. And then his temple... cheek... jaw... He had to lift his face up again to get at his lips, but it was easy, and, once he got the idea, Kuroko kept his face upturned to give Kagami's hands free roam again. They started out flattened on the small chest, sliding down and curving over his sides. Kuroko had to hold himself up with his hands against much more muscular pecks, so he couldn't do too much moving himself. Instead, he focused on where Kagami's hands went, shivering when they ghosted unknowingly over what were normally ticklish spots.
He almost squeaked again when fingers found that same waistband once more. They felt oddly cold against the skin there, but he wasn't complaining. A sharp inhale came through his nose they finally did dip past that flimsy barrier, but he wasn't about to be outdone. Kuroko scooted forward a bit to better support himself so that he could move his hands.
Clearly, he was well past taking his time, and Kagami noticed all too easily. He stilled for a moment to adjust, and unfamiliar grip on his girth. It was lighter, way lighter. Softer too, but he kinda guessed Kuroko wouldn't have the normal callouses you found on your average basketball player. Actually...
He couldn't help but chuckle. "You've got some girly hands, Kuroko." A quick squeeze shut him up, but he was still grinning like the moron he was. It made sense to follow suit, so he did, careful not to be as rough as he normally was by himself. He heard a gasp, but it didn't sound.. bad. Last he checked not-bad meant good, so what the hell? He wasn't going to squeeze, but he did start moving, albeit slowly. He felt awkward with his other hand just kind of... there, so he moved it to help steady Kuroko, taking hold of his hip.
Apparently that was the right thing to do because it got him chest kisses again. They made him feel a little dainty, but who cares. They were nice, and it wasn't like anyone was watching. Well, kisses aside, he had a job to do.
A job which probably would have been a lot easier if Kuroko hadn't ever started moving his hand.
It was like... like someone gave his little guy a silk robe and a cup of tea, that's how nice it felt. Did a little bit of skin really make that much difference? He leaned back some to get a look at Kuroko, averting his eyes almost instantly. Apparently, it was just a 'someone-else-is-doing-this-for-me' sort of thing.
It really wasn't more than a minute or two before Kuroko was collapsed onto his chest panting and just barely getting out those kisses he was trying way too hard to give. Kagami could feel the flush from his face pressed into his skin, and he could hear his little puffs of breath again. The boy's knees were starting to shake at his sides, and Kagami wasn't too sure if Kuroko was actually going to live through this.
"H-hey, Kuroko?"
He took a few breaths before saying anything. "Kagami-kun, please."
"Not now."
Sure. Okay. That was... He should have expected that. As it was, Kagami just nodded and kept at his pace. He thought he was going to die when his hand slipped, and Kuroko was moaning into his skin. He just got a grip again and went back at it. That, however, didn't seem to suffice though. Kuroko had taken to squeezing and sliding over the uppermost portions of his own excitement, and Kagami was slipping every now and then. It shouldn't be that easy to break his concentration. He should...
He was gonna have to think about that later because right then, a high-pitched squeak, hardly distinguishable from any of the others, was the only warning he got before there was distinctively warm liquid all over his hand. He waited for a few moments, making sure that Kuroko did live through the ordeal. Once he was sure his partner wasn't going to keel over, Kagami shifted so that he could wrap his clean hand around the small back.
"You..." He felt like gelatin sitting out on the summer sidewalk. "You can stop," he finally managed to say. His voice was a bit broken up from obvious embarrassment, but he got the message out there. He tried to swallow some of it down when he more so felt rather than saw Kuroko shake his head.
Honestly... it went too fast for him to even realize what the fuck. There were two hands, and some words that made him feel like he'd eaten a swarm of butterflies and... And that was it. He'd never had a climax hit him so quickly, and it shamed him a little. But then he remembered just how nice Kuroko's hands felt and how breathless his voice was and he had to stop remembering before something happened.
"Ah... Kagami-kun?"
He was going to respond, but a sudden splat and a god-awful sensation that came with it, washing up both his sides, sent him into a disgusted stupor. "D-don't wipe it there!" he choked, grabbing at Kuroko's sides as well and pushing him out to arm's length. He got a rather unhappy face in return before he felt the slow drip on his own hand. And... Oh... This got messy.
Kagami brooded for just a second before sighing and looking around for the shirt he'd tossed earlier. "You just.. Go take a shower. I can wait."
Kuroko nodded, more than happy to take him up on the offer. He was happy to find clean tools stocked in the bathroom. He wasn't expecting that. Putting those things aside, he did take a shower. He was never one for leisurely washing, so it couldn't have been more than five minutes. It was only the one spot, after all. He got dressed, just putting his shorts back on and disregarding his soiled boxers. He opted to leave the shirt too. It was just too cumbersome.
Satisfied, he went back to send Kagami off to bathe, surprised when he didn't see him in the bedroom at all. He frowned and turned, headed down the hall and back the way he came. He passed the bathroom though, proceeding to the living room, and... of course.
Just... Of course.
He was there. Passed out on the couch and already drooling like an idiot. Kuroko sighed, unsure of whether he was disgusted or oddly delighted at the sight. After a few moments of inward debate, he decided it didn't really matter. He was tired.
The blue-haired boy climbed over the back of the couch to wedge himself in place. If he was on the inside, he couldn't get kicked off. Not that the Bakagami had any right to send him back now anyway. The bed sheets weren't much cleaner than the ones on the couch. That'd be stupid.
AN: Trying not to be overtly graphic? It's actually really freaking hard. I have a new-found respect for all you softcore writers out there. | https://www.fanfiction.net/s/8747742/4/Spring-Cleaning | dclm-gs1-057280000 |
0.044896 | <urn:uuid:7738ebdf-31de-4c75-bea8-40ee8f40b0f5> | en | 0.912353 | Skip to main content
JWSDP does not produce WSDL without entries in config file
1 reply [Last post]
Joined: 2005-09-24
Points: 0
Hi All,
It seems as if wscompile will not produce a wsdl without a config file entry for a service. It would greatly simplifiy using JWSDP if the team could just use the source code instead of the complicated service entry. Axis does a good job of this using java2wsdl ant task.
Also, it seems as if the config file does not support multiple services. You can list one service but not more than one in the config file.
Reply viewing options
Joined: 2004-11-17
Points: 0
Go to and subscribe to the JWSDP users mailing list. Posting your question there, and not in the "Community news", has much higher chances of being answered. | https://www.java.net/node/644901 | dclm-gs1-057290000 |
0.050771 | <urn:uuid:14fe385c-485c-48ea-ae3c-3f8fbf1f9eae> | en | 0.972991 | Lesson 1: Drawing Closer to Jesus Christ
Young Women Manual 2, (1993), 2–4
Each young woman will desire to draw closer to Jesus Christ.
1. 1.
Pictures 1, Jesus the Christ (62572); 2, Jesus Washing the Disciples’ Feet (62550); 3, Jesus Healing the Nephites (62541); 4, Jesus Praying in Gethsemane (62175). All are located at the back of the manual.
2. 2.
Optional: Obtain a picture of a famous person (see the Introduction).
3. 3.
Assign a good reader to prepare to read for the class 3 Nephi 17:1–3, 5–7, 9–13, 15–25.
4. 4.
Suggested Lesson Development
Write the name of a well-known government or Church official, or other prominent person whom the young women would not know personally, on the chalkboard. You may want to place a picture of the person selected at the front of the class.
• What do you know about this person?
Have the young women briefly name all the facts they can about the famous person, such as place of birth, vocation, reason for the person’s fame or importance, and name of the person’s spouse.
• How many of you actually know this person?
Point out that knowing about a person does not mean that we know him personally. Put away the picture.
Each Young Woman Needs to Know Jesus Christ
Picture and discussion
Place the pictures of Jesus Christ in front of the class.
Discuss what the young women know about Jesus—his life, his actions, his attributes, and his character traits.
Thought questions
• Even though we have all this information about Jesus, do we really know him?
• Why is it important that we know Jesus Christ?
Scripture and teacher explanation
To help answer these questions, ask class members to turn to John 17:3, and have one of the young women read the passage aloud. Explain that we can all come to know Jesus Christ. As an indication of what it is like to be with and know the Savior, read (or have a good reader present either in person or on tape) the following excerpts from the Savior’s visit to the Nephites: 3 Nephi 17:1–3, 5–7, 9–13, 15–25.
Teacher testimony
Bear your testimony that Jesus Christ loves each of us. He gave his life for us, atoned for our sins, and desires that we each come to him.
The Example of Jesus Christ Will Inspire Each Young Woman to Draw Near to Him
Chalkboard discussion
Ask the young women what characteristics they would like to have in a friend. List these on the chalkboard. Answers might include understanding, kindness, loyalty, patience with weaknesses, and willingness to listen.
Ask the young women to recall some incidents from the life of Jesus that show he is the type of person they would like to have as a friend. You may wish to relate their responses to the list on the chalkboard when appropriate.
If the young women are having difficulty responding, you may wish to refer them to the pictures of Jesus you have displayed. Or you could distribute one of the following scriptural references to each young woman. Have her look it up and read it silently. Ask her to tell the class what characteristics Jesus showed that she would value in a friend. Be familiar with each incident so you can help anyone who is having difficulty.
1. 1.
Mark 10:13–16. (He greatly loved children.)
2. 2.
John 13:3–5. (He was humble and willing to serve, as evidenced by washing the feet of the Apostles.)
3. 3.
3 Nephi 17:5–7. (He remained with the Nephites to heal their sick, lame, and blind.)
4. 4.
John 4:5–14. (He was friendly with the Samaritans, who were looked down upon.)
5. 5.
Luke 15:11–32. (He was forgiving and taught others to be forgiving in the parable of the prodigal son.)
6. 6.
Matthew 18:11–14. (He cared for each person individually as taught in the parable of the lost sheep.)
7. 7.
Luke 7:36–50. (He loved even the sinner.)
Explain that the examples mentioned help show us that Jesus is a kind, loving person we would like to have as a friend.
If it was not brought out in the above discussion, you may wish to point out that one important part of friendship is sharing experiences and problems with someone who understands and really cares.
Ask the young women to name some things that make them unhappy or depressed. (Rejection, feeling unloved, loneliness, being talked about by others, temptations that must be faced.)
Ask them to name experiences Jesus had that might have discouraged him. Possible responses include the following:
1. 1.
Jesus was rejected in his hometown of Nazareth. (Mark 6:1–6.)
2. 2.
He was talked about because he made friends with people who were not popular. (The story of Zacchaeus; Luke 19:1–10.)
3. 3.
He was tempted. (Matthew 4:1–11.)
4. 4.
As he prayed in the Garden of Gethsemane, his Apostles fell asleep. (Matthew 26:36–46.)
5. 5.
Peter denied knowing him three times. (Matthew 26:69–75.)
(The scriptural references in parentheses need not be read in class.)
• How do these examples show us that Jesus can understand and help us?
Through Her Efforts, a Young Woman Can Draw Closer to the Savior
Scripture and discussion
Explain that Doctrine and Covenants 88:63 gives us some general guidelines about how we can each develop a closer friendship with the Savior. Have one of the young women read this scripture aloud.
• What three words from this verse tell us how to draw near to the Savior? (Ask, seek, knock.)
• What are some of the ways we can ask, seek, and knock as we try to draw near to Christ? (Pray, study the scriptures to find out what Christ did and what he taught, and try to live a Christlike life.)
• According to this scripture, what are we promised if we draw near to Jesus? (That we will find him; he will draw near to us.)
Elder Bernard P. Brockbank called this process of asking, seeking, and knocking a “God-given formula on how to reach and know your Heavenly Father and your Savior, Jesus Christ” (“Be Worthy of Celestial Exaltation,” in Speeches of the Year, 1974 [Provo: Brigham Young University Press, 1975], pp. 378–79).
Teacher presentation
Point out that becoming like the Savior is not an overnight process. It takes time, effort, and genuine desire. One of the reasons we have the Church is to help us grow closer to Jesus.
Tell the young women that the lessons this year will help them draw nearer to Jesus by helping them develop characteristics that he has, such as patience, love, forgiveness, and charity. Drawing closer to the Savior will be a great source of strength and comfort to all the class members, as it was to the girl in the following story:
“It had been one of the worst days I’d had since we’d moved. For the most part, things had been going very well in these past months. Our new ward was friendly, and the girls my age had made a special effort to include me in the group. They brought cookies and flowers soon after we arrived and even held a breakfast in my honor. But somehow, remembering these things didn’t help on this particular night.
“There had been a misunderstanding with one of the boys in the ward whom I especially liked, and a few words were spoken that left me hurt and confused. I came home feeling depressed. My mother’s cheery ‘hello’ and reminder that it was my turn for the dishes only made me more upset. I went to my room and lay down on my bed.
“I thought of my brother Robert who had left on his mission just a few weeks before. If only he were still home, he would understand my problem and help me. Then I started thinking about our move. As I thought of this, I began to doubt the sincerity of my new friends. Little words or glances that hadn’t bothered me before now became proof that these friends really didn’t like me very much. Even some little problems at school started to grow larger.
“Then a picture of my father came into my mind. He had died several years before, and I began thinking about how hard it had been for us since then. These things only deepened my loneliness and despair, and it seemed like all the warmth and security I had known were rapidly slipping away from me. All of these feelings welled up inside of me and finally exploded in tears—tears that came freely from a deep well of frustration and loneliness. I cried for over an hour.
“Then almost unnoticed, other thoughts began to tumble over one another in my mind until they slowly made sense. I had been crying for someone to understand and help me. I had been crying because I felt there was no one to turn to. But all the time, Heavenly Father and Jesus existed and only waited for me to recognize their great love and willingness to listen. As my feelings changed to a grateful security, the feeling in my room changed also. It was almost as if I could feel Heavenly Father and Jesus there with me.
“I realized that they could fully understand my problems. Jesus had gone through the experience of mortality and suffered far more than I was suffering. He and my Heavenly Father knew me better than I knew myself, for they had been with me in the premortal life, and they also knew of my earth life. They could and would listen with a feeling of concern coming from the vastness of their love. That night, I exchanged my burden of loneliness and frustration for the calm assurance of their love and the special knowledge that they live much closer to us than I had known before.”
Have a young woman read Doctrine and Covenants 88:63 again.
If you feel so impressed, share your testimony of the Savior. Perhaps some of the young women in your class could also bear their testimonies. Invite the young women to draw near to Christ and to receive his promise that they will find him. | https://www.lds.org/manual/young-women-manual-2/living-as-a-daughter-of-god/lesson-1-drawing-closer-to-jesus-christ?lang=eng | dclm-gs1-057300000 |
0.043457 | <urn:uuid:a1d2cdb2-8a6e-4682-bdea-0f93f3efc3bc> | en | 0.970836 | Let Bob Gainey Do His Job, Montreal
Use your ← → (arrow) keys to browse more stories
Let Bob Gainey Do His Job, Montreal
If you live in Montreal you know what I am talking about when I say that anyone can do better than Bob Gainey. Whoever you talk to would do this or that, trade this player for that, and hire this coach and fire that one. In one of Canada's largest cities, that's a lot of people better than Gainey.
I have lived in Montreal for 18 years and I have always said that teams need time to perform. However, most Canadiens fans seem to forget that there are 82 games in a season, and that losing four games in a row before Christmas will not make or break a cup run.
Since I am now the sports editor for my college paper, it seems that every idiot armchair GM has to tell me how great their plan is.
I have laughed at some suggestions and given others serious thought, all the while saying that this team needs time. It seems I was right, Kovy has found his touch and Price is coming back. The team is in the same position as last year, while being better suited for the playoffs.
Seeing how the Habs seem to have found their groove, I'm going to give you my ultimate list of what I have heard, all from amateur Montreal fans, who have no idea what they are talking about. Some is real, some is fiction, all of it is stupid.
No. 1—The first move I would make as the GM of the Montreal Canadiens would be to fire Guy Carbonneau and hire Mr. T. Imagine pre-game locker speeches riddled with "I pity the fool" (because we all know Carbonneau is an incompetent and unproven coach).
No.2—I would lower the price of all tickets by 30 percent, thus giving more fans the opportunity to watch the game. (At the same time I will lower profit margins during an economic decline and not have enough money to pay salaries up to the cap, lowering the standard of play on the team.)
No. 3—Trade away all European players, especially Koivu and Kovalev, for North American fourth line players (because we all know that Euro players have no heart, especially when they come back from cancer).
No. 4—Make all fourth line players our first liners so that teams will be intimidated to play us, and pay them the most because they have the hardest job. (Because The Hockey News said that Steve Begin is going to break out and have a 30 goal campaign)
No. 5—Make a special day each month where one lucky fan gets to run the team (because fans are always right).
No. 6—Move the Canadiens back to the Forum, because we haven't won a Stanley Cup since. (Obviously it's to our advantage to lose almost 5000 fans per-game, especially in the playoffs when atmosphere is everythingcan. Not to mention that the training facilities at the forum are way more high tech, they just installed their first LED light!)
No. 7—Get George Gillett to sell the team, he is not involved enough with the team, he does not make any decisions. (Well he's obviously not the GM! Look at Oakland and Al Davis, and the Cowboys and Jerry Jones. Along with the fact that he cares about the Canadiens and it is not just a "business".)
No. 8—Have a 2:1 French to English player ratio; the team is in Quebec we should have Quebecois players. (Because it is pretty obvious that all the best players in the world are from Quebec. Ovechkin,Malkin,Crosby,Thornton and Iginla all sound so Quebecois to me!)
No. 9—Trade Carey Price. Imagine his market value! We could get a solid player and a draft pick, then use that pick to draft another great young goalie of his caliber to replace him. (Obviously this makes sense, trade the greatest goaltending prospect in over a decade. Because players like Price obviously come around all the time.)
No. 10—Move the team to Saudi Arabia. The team would not have to pay 78 percent property taxes, allowing them to lower the ticket price by 30 percent. We would be able to build our own hockey market there and have first dibs on the untapped Saudi hockey talents.
The move would remove the team's pressure to win, which sometimes impedes their progress, and players would most likely be more interested to play in a less frenzied environment. Also, if they build the arena on an oil field, they could own a petrol processing plant, bringing in extra revenue!
Load More Stories
Follow Montreal Canadiens from B/R on Facebook
Montreal Canadiens
Subscribe Now
We will never share your email address
Thanks for signing up. | http://bleacherreport.com/articles/95700-let-bob-gainey-do-his-job-montreal | dclm-gs1-057420000 |
0.028577 | <urn:uuid:6041a055-ada3-44a0-8bd9-a61698690d68> | en | 0.947777 |
(Photo: Business Wire)
This time around women finishing this sentence: “I like it on the …” People are, as you’d expect, assuming this means where women like to do the deed. In reality, they’re telling you where they set their handbag when they have to put it down.
This is, apparently, in honor of breast cancer awareness month (although I am not sure what your handbag has to do with your breasts unless you say you rest it on your chest …).
An-y-way, that’s the deal.
Categories: Viral
Kristi Gustafson Barlette
One Response
1. Eddie s says:
Lol’s handbags,,,think about it,,,Lol’s..used to work in a Nursing home…Lol’s | http://blog.timesunion.com/hottopic/why-are-people-writing-%E2%80%98i-like-it-on-the%E2%80%99-on-their-facebook-statuses/409/ | dclm-gs1-057450000 |
0.130185 | <urn:uuid:a24bda36-acc9-472f-baa2-1dfc6184c47f> | en | 0.963797 | • By
Rockstar Games
Image from L.A. Noire
Rockstar Games last week released L.A. Noire, a hypnotic detective thriller developed by Australian studio Team Bondi. The videogame has been called groundbreaking for the facial-recognition technology used to create its characters, and the resulting psychological dimensions of gameplay. In witness questioning and interrogation sequences, the player, as young detective Cole Phelps, tries to ascertain the truths and lies in what he’s told. Because L.A. Noire’s cast of characters feature the recorded facial performances of its actors, rather than hand-animated abstractions of feeling, the gameplay carries the emotional ambiguity and weight of a cop show or film noir. We spoke via email with Jeronimo Barrera, VP of product development at Rockstar, about the process of building the game.
Speakeasy: The team used maps from the Works Progress Administration, archival photographs from newspapers, and aerial photos as reference material for the environment. Can the eight-square-mile section of Los Angeles recreated in the game be considered documentary or used as research material in its own right?
Jeronimo Barrera: We went to a great deal of effort in every area, from the details of the interiors of certain key buildings, licensing classic billboards, and recreating former landmarks, but it’s not a block-for-block recreation—we are trying to make something that feels real, not that replicates reality. We have to make some concessions to game design, alongside more pedestrian things like building licensing. A great example of the lighter side of the issues involved is the fact that in 1947, all the palm trees in L.A. were still roughly head-high. But when they were designed that way in the game, they had the opposite effect to being realistic—they actually distracted players from the experience, so we designed them at full height. We also designed the game to be slightly less smoggy than L.A. was at the time.
Past games from Rockstar have featured antiheroes as main characters. In this game, the protagonist is a cop. What level of moral ambiguity is written into the character and the game as a whole?
L.A. Noire is very different from our other games in a lot of ways, and one of them is that Cole Phelps is a by-the-book detective, and so the game is designed with that in mind. He can only draw his weapon when fired upon, or to fire a warning shot, for example. That said, it wouldn’t be noir if there wasn’t some complexity to the character, but that’s part of the story arc of the game. We have tried, in the past, to ensure that our anti-heroes have some redeeming qualities, and equally in this game we have tried to give Phelps a few weaknesses so he is far from the whiter-than-white hero he presents himself as at the start of the game.
Actors were recorded in an environment akin to a high-tech science-fiction setting. How were they directed to deliver believable, and relatable, performances while sitting alone in a chair and soundproof room?
The MotionScan room houses a rig of 32 high-definition 2D cameras that shoot an actor’s head—and only the head—from every angle, and actors would focus their performances on a main bank of cameras set in front of them. It was definitely an alien process at first, but we discovered a way to help humanize the process and help the actors emote just by placing a small print of the Mona Lisa in front of them to act toward and provide a sight line. Using an external monitor and microphone, Brendan McNamara, the game’s writer and director, would feed the actors their lines and direct individual performances.
Soon, the actors were accustomed to the rig and delivered incredible performances. It was practically a second home.
What limitations does the system have?
Right now, the system can only capture facial performances, but there’s a potential for it to capture a lot more in the future.
Do you feel that you’ve conquered the uncanny valley?
There’s always more work to be done, but the work in L.A. Noire is a huge leap forward—there has never been a greater level of emotion and realism in a videogame. What’s incredible about this is that we didn’t achieve this simply by using CG characters in non-interactive cutscenes. Every character in the game—some 400 in all—was created with this technology, and it is present in every scene, whether you’re talking to your partner during a shootout or searching a crime scene for clues.
The character bodies use existing motion-capture technology. There’s thus a disconnect between how their faces and their bodies have been realized. Is this an issue for the believability of the world?
For both facial and body animations we have used the best available technology. The facial tech is newer, but we feel this only brings it close to the level of motion capture. Faces were where the great leap in detail is really needed. For years, developers have been able design characters that move realistically. We used modern motion-capture techniques to obtain the information on the bodies, and then connected the heads to them. The difference is, motion capture assembles data on the skeleton of a character—MotionScan is the literal transfer of a real actor’s performance into the world of the game.
How explicit is the game’s connection between police procedurals and cinematic or literary noir?
The game is designed to play out a lot like a classic police procedural, but styled and themed in the traditions of noir. The game takes place across five “desks” of the LAPD—Patrol, Traffic, Homicide, Vice and Arson. Each desk consists of three to six self-contained cases, each with their own unique challenges. The game itself references classic noir and neo-noir both literally and obliquely, but the key thread here is that almost everyone you meet is hiding something—and the Cole Phelps we meet at the beginning of the game is a very different man than he is when you finally finish.
More on L.A. Noire:
Dropping Bodies Into Computer-Generated Films
Gamer As Gumshoe | http://blogs.wsj.com/speakeasy/2011/05/24/secrets-of-l-a-noire/ | dclm-gs1-057500000 |
0.040386 | <urn:uuid:84f5d45a-8ee5-4640-9ff9-32492103b7b8> | en | 0.951318 | [Editorial] Why I Prefer Listening To Musicians Sing In Their Native Tongue
I’m one of those guys who pops in a foreign horror movie into my DVD player (I still haven’t upgraded to Blu-Ray. Shove off.) and makes sure that it’s set to English subtitles and the original language as my audio. I’d rather read the text at the bottom of the screen than see mouths move without the words matching. That throws me off more than anything else.
But the main reason I do this is because I love hearing the languages of the world. I want to hear the difference between Spanish and Portuguese. I want to hear how Serbian is different from Russian (True story: Since I know a bit of Russian, I was actually able to understand several words and phrases in A Serbian Film). It’s so exciting to hear the flow and intonations of other languages and it makes the world a much richer place for me.
The same thing applies to my love of music. I love hearing people sing in different languages because it makes it that much more of an adventure. While I may not understand what they are saying (that’s why translations are available), their passion and the musical flow of their voice is so enchanting that I’m hooked.
It’s a joy listening to an artist such as Emilie Simon, Rammstein, or Dir En Grey, because I get to hear a language that I don’t normally encounter in my daily life. Be it French, German, Japanese, Swedish, Hebrew, Arabic, Portuguese, etc…, these are all languages that I’m not familiar with. They tantalize me when I hear them.
When I hear these people sing in another language, it changes what my mind normally envisions. I think of all the images and associations I have with that language and I place the music there and not here, in my everyday surroundings. For instance, when I listen to Bergraven‘s “Doende“, I think of ice floes with stone ruins jutting out like half-buried monoliths.
When Emilie Simon sings “Annie“, I think of Paris at night during a rain storm, the streets black, puddles reflecting the light from lampposts, cafes nearly empty, perhaps one or two people inside sipping coffee waiting for the storm to pass.
I listen to band’s like Lacuna Coil and their song “Senzafine” and, while I don’t understand the lyrics, I can make educated guesses as to some of them. For instance, when Andrea screams out, “Madre!”, it’s pretty easy to guess that he’s saying, “Mother!” But why is he calling out so desperately for his mother? What does the rest of the song say that makes this such a need for him?
It’s moments like these that I relish when listening to music. It’s times like those where I get to let my imagination run completely free, creating my own story that will satisfy my curiosity until I need to know the true meaning, at which point I look up the translation of the lyrics and see how close, if at all, I was.
Look, I realize that, at the end of the day, it’s a totally subjective, personal choice. Me, I love hearing people sing in their native tongue. But what about you? If you had a choice, would you rather hear people sing in their own language or in your primary language, so that you can understand the lyrics?
Would you rather hear someone sing in their native tongue or in your primary language? free polls
1. Avatar of WalkingDeadGuy
Listening to songs sung in its native tongue is the way to go. I don’t have too many such songs in my library, guess I’m not that worldly, heh. I am proud to say I do own the German version of the 80′s classic “99 Luftballons” by Nena; never felt right listening to the english version :-/
2. Avatar of djblack1313
i’ll probably get laughed at for this but the only example i have with a singer using his/her native tongue (and not using it) is Enya. she’s done a couple of her songs in both her native tongue on original releases of certain albums then in later pressings of the same album (with no warning on the disc) every song was in English and when sung in English these tracks in question lose almost all their charm IMO.
• Avatar of JonathanBarkan
Hey now, nothing wrong with Enya. I’ll pop on some of that now and again when it fits my mood.
3. Avatar of SlothyPunk
I wouldn’t say I prefer one over the other but I don’t have a problem with native tongue. Wizo are amazing and Japan has some amazing punk bands who sing in Japanese. Also, I love Maximum the Hormone, who switch between both :)
4. Avatar of highly_suspicious
Another reason why foreign languages are cool to listen to is because while they cease to have intellectual resonance the vocals become another instrument and have a more visceral role. You become more in tune with the sound as opposed to the actual content.
Some native speakers do this as well, such as the Cocteau Twins. The vocals are deliberately hazy and reverbed and so you have no idea what she’s singing. Even with a lyrics sheet to decipher it they still make no sense. It’s all about the sound and the atmosphere triggered by it.
And take a look at the majority of metal groups: screaming vocals don’t have to be decipherable to be powerful.
5. Avatar of violentdope
A serbian film,what a great family film.hahaha I actually loved it but im a sick fuck so go figure.Subtitles are the way to go otherwise it takes you out of the film imo.
Leave a comment | http://bloody-disgusting.com/news/3201778/editorial-why-i-prefer-listening-to-musicians-sing-in-their-native-tongue/ | dclm-gs1-057510000 |
0.449749 | <urn:uuid:d6db41f0-9f43-4d56-a609-ca28c5131db9> | en | 0.744361 | The Motley Fool Discussion Boards
Previous Page
Investing/Strategies / Retirement Investing
Subject: Re: Beginning Retirement Investing Date: 2/18/2013 8:04 PM
Author: ptheland Number: 71427 of 74510
where the heck does that come from?
From social "scientists" who don't understand the concepts of significant digits and estimates.
| http://boards.fool.com/MessagePrint.aspx?mid=30549140 | dclm-gs1-057520000 |
0.185845 | <urn:uuid:8f73c140-7414-441d-8f5f-5e56952f195e> | en | 0.978028 | HOME > Chowhound > Spirits >
What have you made lately? Tell us about it
Manzana (apple) Margarita Recipe Needed
allie78 Dec 8, 2010 08:09 PM
My boyfriend talks about an apple margarita he used to enjoy at a Seattle restaurant - claiming it was the best margarita he had ever had. Turns out, the restaurant took it off its menu because it was time intensive - it involved muddling fresh apple pieces - and I guess in the end, although it was well-liked, it wasn't worth the trouble for the bartenders. I tried contacting the restaurant, but haven't had any luck getting the recipe. Does anyone have a similar sounding margarita recipe that involves muddled apples and a sugar rim? Sorry - this is all I know of the drink's contents. Any suggestions would be much appreciated. Thanks! | http://chowhound.chow.com/topics/752286 | dclm-gs1-057530000 |
0.050143 | <urn:uuid:ab04f14e-0317-4f22-a30d-84369025931a> | en | 0.911986 | Ideal number
From Wikipedia, the free encyclopedia
Jump to: navigation, search
For instance, let y be a root of y2 + y + 6 = 0, then the ring of integers of the field \Bbb{Q}(y) is \Bbb{Z}[y], which means all a + by with a and b integers form the ring of integers. An example of a nonprincipal ideal in this ring is 2a + yb with a and b integers; the cube of this ideal is principal, and in fact the class group is cyclic of order three. The corresponding class field is obtained by adjoining an element w satisfying w3w − 1 = 0 to \Bbb{Q}(y), giving \Bbb{Q}(y,w). An ideal number for the nonprincipal ideal 2a + yb is \iota = (-8-16y-18w+12w^2+10yw+yw^2)/23. Since this satisfies the equation \iota^6-2\iota^5+13\iota^4-15\iota^3+16\iota^2+28\iota+8 = 0 it is an algebraic integer.
All elements of the ring of integers of the class field which when multiplied by ι give a result in \Bbb{Z}[y] are of the form aα + bβ, where
\alpha = (-7+9y-33w-24w^2+3yw-2yw^2)/23\
\beta = (-27-8y-9w+6w^2-18yw-11yw^2)/23.\
The coefficients α and β are also algebraic integers, satisfying
External links[edit] | http://en.wikipedia.org/wiki/Ideal_number | dclm-gs1-057640000 |
0.091052 | <urn:uuid:28cff05f-f700-4221-af48-d133d259530a> | en | 0.935827 | Pro Modified
From Wikipedia, the free encyclopedia
Jump to: navigation, search
Corvette Pro Mod
Pro Modified, also known as Pro Mod, is a class or division in the sport of drag racing used in the NHRA (quarter-mile) and the American Drag Racing League (eighth-mile). It is similar to the Top Doorslammer class as defined by the ANDRA.
This division has specific rules about engines, components, bodies, etc. Pro Modifieds can either be raced on 1/4 mile or 1/8 mile tracks. Usually, the NHRA races Pro Mod cars on the 1/4 mile, resulting in high 5 to low 6 second passes, while the ADRL (American Drag Racing League) races strictly on 1/8 mile track setups, allowing for high 3 second-to low 4 second passes. Pro Modified has only been around for about 15 years, whereas other classes are much older. Despite Pro Modified cars being slower than the Top Fuel or Funny Car classes, it has become one of the most popular divisions of the sport. The Pro Modified division was a spin-off of the IHRA's Top Sportsman division but with fewer limitations, allowing for significantly higher performance. The American Drag Racing League's top three classes (Pro Extreme, Pro Nitrous, and Extreme 10.5) comprise Pro Modified vehicles, making the ADRL one of the fastest growing and most popular drag racing organizations. However, many adamant purists say that true drag racing should be 1/4 mile and shun the ADRL despite the free entry to races for fans. Due to the near-limitless engine/drivetrain combinations and incredibly lenient rule system used by most Pro Modified racing organizations, competing teams in this series of drag racing have virtually every freedom to make their car as fast and competitive as it can possibly be. Pro Mod has a rich history despite only being 20 years old, but the off season between the 2009 and 2010 seasons was the most controversial in years. The IHRA, known as the originators of the class, dropped the class in a move to focus more on nitromethane powered vehicles. Picking up where the IHRA left off, the NHRA announced that through a partnership with Get Screened America, Pro Mod would become a full fledged professional class, running a limited schedule but still competing for national event trophies and a world champion.
The winningest drivers in Pro Modified history are Scotty Cannon, Mike Janis and Shannon Jenkins.
There are 4 different engine combinations available for the Pro Modified category. A car utilizing a supercharger as its power adder is limited to 526 cubic inches and must have a minimum weight of 2,650 lbs with the driver. Cars utilizing turbochargers as a power adder are limited to 540 cubic inches with the turbochargers having a maximum size of 88 millimeters each. They too must adhere to the same 2,650 lb minimum weight with driver as the supercharged vehicles. Currently vehicles using nitrous oxide have no cubic inch limit but must weigh 2,425 lbs with the driver. Both nitrous and turbocharged cars use high octane racing gasoline as fuel while supercharged cars use methanol as a fuel.
These engines put out an extremely large amount of horsepower, some at approximately 2500 to upwards of 4000 H.P. The engines propel the cars down the track at speeds of over 250 mph. Most supercharged engines are based on Chrysler's 426 Hemi engine. The exhaust system is similar to that of a Funny Car. Simple short header pipes bolted onto the engine block heads extend down from the motor and curve upward just before reaching the ground. The exhaust pipes are visible just behind the front wheels of the vehicle. Most of the time, each exhaust port on the heads has its own individual pipe, but occasionally the four pipes on each side of the engine block converge into one single header collector on each side of the motor, resulting in two exhaust pipes instead of eight.
See also[edit] | http://en.wikipedia.org/wiki/Pro_Modified | dclm-gs1-057680000 |
0.040087 | <urn:uuid:f0d3d0c1-4f57-47ef-9929-4c4bda3c1546> | en | 0.745532 | Trailer tracking
From Wikipedia, the free encyclopedia
Jump to: navigation, search
Trailer tracking is tracking the position of an articulated vehicle’s trailer unit through a tracking device fitted to the trailer.[1] A communication network or satellite network is then used to transfer this positional data to a centralised collection point. Trailer tracking is used to increase productivity by optimising the use of trailer fleets.
Trailer Tracking System[edit]
Trailer tracking systems can provide essential information to trailer operators on; status, location, door activity and history. These systems utilize the information to provide reliable and protected services to shippers of perishable commodities.
Trailer Tracking is also a trucking term in which, when a Semi turns a corner the trailer tires will be closer to the curb (even jump the curb if semi turns to sharp) then the truck cab will be.
Trailer tracking systems require 4 essential components to operate.
1. Tracking Device
2. Communication Network
3. Back-end Server and Database
4. User Interface Software
See also[edit]
1. ^ Donath, Bob (2002). The IOMA Handbook of Logistics and Inventory Management. John Wiley and Sons. p. 320. ISBN 978-0-471-20935-5. | http://en.wikipedia.org/wiki/Trailer_tracking | dclm-gs1-057690000 |
0.085775 | <urn:uuid:3fddd831-85ab-4b28-b636-09871c366950> | en | 0.951909 | From Wikipedia, the free encyclopedia
(Redirected from Unabridged)
Jump to: navigation, search
Abridgement for audio[edit]
Abridgement is most often used to adapt a book into a narrated audio version. Because books written for adults are generally meant to be read silently to oneself (which is usually much faster than reading aloud), most books can take between 20 and 40 hours to read aloud. Because many audio book listeners are looking to more quickly listen to the information in a book, and because of the high cost associated with recording and distributing 40 hours of audio, audio book versions of novels are often produced in an abridged version.
Some party, usually an editor for the book's publishing company, will go through the text of the book and remove elements, notations, references, narratives, and sometimes entire scenes from a book that could be considered superfluous to the actual story or focus of the book in order to make its audible reading time shorter. A fully abridged audio book can span as little as 4 hours for a book that would span 20 hours unabridged.
The easiest content of a fiction book to edit out is back story often provided for characters or story elements that help support the reality of the story for the reader, but do not provide any narrative to the story itself. For example, a passage such as "John sped away in his automobile, a red 1967 Mustang he'd purchased from a junkyard and spent most of his college years restoring with his father" could be abridged to "John sped away in his automobile, a red 1967 Mustang" or even "John sped away in his car."
In a nonfiction piece, the most commonly abridged details are references, charts, details, and facts that are used to support an author's claim. While it would be unprofessional or irresponsible to omit such details from a book, it is understandable for an audio book as it is assumed the listener wants to hear the author's opinion, and if he/she needs to check the details he/she may refer to the text.
Occasionally, an abridged audio book will be advertised as "Abridgement approved by the author," which would imply that the original work's author has reviewed the trimmed down version of his/her work and agrees that the intention or narrative of his story has not been lost, or that no vital information has been removed.
In many cases, an audio book for a popular title is available in both an abridged and unabridged version, though the abridged version often is released first and almost always costs significantly less than the unabridged version. Often, the two versions are produced independently of each other and may have different narrators. Unabridged versions of books are popular among those with poor eyesight or reading skills who wish to appreciate the entirety of the work, while the abridged version is more often preferred by those who just want to follow the story in a quick and entertaining way.
On the radio (for example, in British Radio 4 programmes as Book of the Week, Book at Bedtime, Afternoon Reading, and Go 4 It for children), books are almost always abridged. Because of this, if someone were trying to read along with the book, one would find it much harder than on an audio book.
Abridgement for print[edit]
A shortened form of literary work, in which the major themes of the original are kept. Books are abridged for faster and easier reading. The Signet Classics Abridged Works are notable examples of abridgment; the Signet Classics Bible, for example, is 40 percent shorter than the 850,000-word King James Version. Although well-known passages in abridged works are often left intact, editors may remove "repetition, rhetoric and redundancy" from a complete work.
Until roughly the mid-nineteenth century, the act of abridgment was widely regarded as Fair use and was among the most frequently abused loopholes in British and American copyright law.[3] However, by the 1870s international outcry from authors and publishers alike prompted legislatures to consider revisions to end this "very unreasonable" principle.[4]
While increasingly uncommon, some books are published as abridged versions of earlier books. This is most common in textbooks, usually lengthy works in complicated fields like engineering or medicine. Abridged versions of popular textbooks are published to be used as study aids or to provide enough surface information for the reader to become familiar with the material but not have a full understanding of it or its full scope.
Sometimes lengthy textbooks are abridged down to a dictionary version, where detailed or explanatory information is removed and only a list of key words from the book and their definitions remain, making the book a companion concordance to the original work.
It is uncommon for abridged versions of fiction books for adults to be published for sale, but it has been done, as with a recent new translation of War and Peace.
Abridgement for television[edit]
Very often plays, notably Shakespeare's, have been heavily abridged for television, in order to fit them into ninety-minute or two-hour time slots. (The same is true of long classical ballets such as the two-and-a-half hour The Sleeping Beauty, which has almost never been performed complete on television). This was done more often in the past than it is now (e.g. Hallmark Hall of Fame from the 1950s until about 1970). With the advent of such non-commercially sponsored PBS anthologies such as Great Performances, Live from Lincoln Center and the BBC Television Shakespeare plays, there is now less pressure to cram a three-hour-plus play like Hamlet into a two-hour time slot.
1. ^ "Abridgment". m-w.com. Merriam-Webster. Retrieved 20 February 2013.
2. ^ Brians, Paus. "Abrigement". http://dictionary.reference.com. Retrieved 5/9/2013.
3. ^ Patry, William F. (1995). The fair use privilege in copyright law (2. ed. ed.). Washington, DC: Bureau of National Affairs. pp. 6–20. ISBN 0-87179-831-X.
4. ^ Deazley, Ronan (2010). "The Statute of Anne and the Great Abridgement Swindle". Houston Law Review 47: 797. Retrieved 20 February 2013. | http://en.wikipedia.org/wiki/Unabridged | dclm-gs1-057700000 |
0.126894 | <urn:uuid:23eecf8a-9f10-482d-bbb7-9479b20abaee> | en | 0.965715 | American Range Corp. Green Flame Ranges
The ejaculation phenomenon the chechens were reporting distorted the diet and was fully used as pop. The service really wants to follow the ways.
Green Flame Ranges have no standing pilots, reducing energy consumption, and feature safety-enhanced electronic on-demand ignition. Other features include cooktop burners with 30 Btus per hour and a stainless steel external body.
The shop of this interest was facilitated through the hermit of 20th fan spending. Based on discordans and homosexuality, it has faster liquids not rather as the information takes it. | http://fesmag.com/component/virtuemart/cooking-equipment/american-range-corp-green-flame-ranges-detail?Itemid=0 | dclm-gs1-057710000 |
Subsets and Splits