text
stringlengths 19
741k
|
---|
Take the 2-minute tour ×
Deb. Squeeze, Postgres 8.4, Slony 1.2.21
I've created a master > slave cluster which has done the initial copy. However, I can't get any more data to replicate. I've always been a bit baffled by what commands should be run to start the required processes/daemons at each end.
Can anyone enlighten me?
share|improve this question
add comment
1 Answer
OK, got the little bugger sorted. Potential Slony users note that (currently) Slony doesn't replicate Truncate statements, use delete from instead.
This meant my original data was still in the slave and the PK clashed with the new data ,so it wasn't updated.
share|improve this answer
add comment
Your Answer
|
Take the 2-minute tour ×
Anybody, any idea??
which plugin is showing the indentation guide in the image below. Downloaded from http://leetless.de/images/vim/pyte.png
enter image description here
Vertical indent guide marked with Black lines.png
share|improve this question
add comment
4 Answers
A similar effect could be achieved with:
set list
set listchars+=tab:\│┈
Maybe with another filler character.
See :help 'list' and :help 'listchars'.
As I was writing that answer it appeared to me that the answer was probably in the colorscheme's author's ~/.vimrc.
I think that you should really work on sharpening your deduction skills. It takes about 30 seconds to 1 minute to find that information by yourself:
1. Go to the site where you get that pic from: http://leetless.de
2. Look around for something Vim-related. The navigation is generally the first place to go and what do you find? "Vim themes" at http://leetless.de/vim.html
3. That image illustrates the first "theme" featured, that's a good sign. But let's read the introduction text (emphasis mine, typos his):
If you are curious what some other things are (like the indetation markers) and how they work, take a look at my .vimrc. Note that the encoding is broken with that file so the "set lcs" part is probably not copy-pasteable, follow the instructions in the comments above that line in order to find out how you can make your own unicode-lcs.
Wow! It looks like you are getting closer to the truth. Beware of the Cigarette Man!
4. Follow the link and do a search for lcs.
5. Done.
share|improve this answer
Yeah I'm working on improving my deduction skill. set lcs=tab:│┈,trail:·,extends:>,precedes:<,nbsp:& Do you have idea about the codepoint used for all these? – dearvivekkumar Nov 12 '12 at 11:06
Is that a real question? Everything is explained on the page and in the linked .vimrc. – romainl Nov 12 '12 at 11:15
There are many characters used. But only one code point is mentioned. – dearvivekkumar Nov 12 '12 at 12:58
All the characters used are valid utf-8 characters. If you don't like them, find other ones. How to do that is explained in the vimrc. – romainl Nov 12 '12 at 13:50
add comment
Not sure what you mean by "indentation guide", but I don't think any plugin is involved.
The first thing I see that you might be referring to is the characters at the beginning of lines indicating where there are tabs. That can be done by doing setting the listchars option to an appropriate value, turning the list option on, and selecting a color for the SpecialKey highlight group.
The other thing you might be referring to is highlighting of the column that currently contains the cursor. That can be done by turning on the cursorcolumn option. The color used for that can be set with the CursorColumn highlight group.
share|improve this answer
I have updated the image for making the indent guide lines. – dearvivekkumar Nov 12 '12 at 8:34
add comment
There's also a plugin, vim-indent-guides
share|improve this answer
Yes I have installed that. But didn't find anything similar to Codekane (VS 2005 plugin) indent guide in visual studio or similar to notepad++ indent guide – dearvivekkumar Mar 6 '13 at 15:42
add comment
Here's a nice plugin for vim: https://github.com/Yggdroot/indentLine
share|improve this answer
add comment
Your Answer
|
Take the 2-minute tour ×
I want to wrap the following code into a function using jQuery and call that function from inline (eg: onclick, onchange etc.).
function some_function() {
alert("Hello world");
Called by (example):
<input type="button" id="message" onclick="some_function()" />
This question is simple for a reason. I can't seem to find a proper jQuery how-to.
• Should I wrap that function into a jQuery $(document).ready() ?
• Should make a normal javascript function and use $(document).ready() in that function?
share|improve this question
The reason why you don't find how-tos explaining how to do it is because inline events are not the best way to do event handling, and jQuery has made the cross browser compatibility reason obsolete. – Yi Jiang Aug 27 '10 at 10:31
add comment
1 Answer
You should not use that inline event handler to go with jQuery.
Use unobtrusive code:
function some_function() {
alert("Hello world");
share|improve this answer
add comment
Your Answer
|
Take the 2-minute tour ×
I'm developing an Android application.
I have a 3D model drawn with Blender. Do you know if there is a way to export that model into a OpenGL geometry?
I'm going to use C++ code to load model and draw it with OpenGL. But if you know a better choice, please tell me.
share|improve this question
add comment
2 Answers
up vote 2 down vote accepted
There is no such format defined as OpenGL geometry. You will have to create your own structures to store and manage your vertices and triangles.
If you don't want to use any third party loader, the probably the easiest thing would be using the Wavefront OBJ format. It's really simple to parse, and you can export models from blender can export to obj natively.
If you don't feel like starting from scratch, you can use my very basic OBJ loader for OpenGL. Download from here.
share|improve this answer
add comment
Here's a doc on the .blend format: http://www.atmind.nl/blender/mystery_ot_blend.html Although, you'd probably be better off exporting it to a different format. There's a tool to convert called readblend that's part of Bullet, if you're stuck with .blend files.
How you use the data is dependent on how your OpenGL app is structured. If you're still at the planning stage, perhaps Ogre3D would be useful? http://www.ogre3D.org
share|improve this answer
add comment
Your Answer
|
Take the 2-minute tour ×
Hi: I'm trying to sort a list of tuples in a custom way:
For example:
lt = [(2,4), (4,5), (5,2)]
must be sorted:
lt = [(5,2), (2,4), (4,5)]
* b tuple is greater than a tuple if a[1] == b[0]
* a tuple is greater than b tuple if a[0] == b[1]
I've implemented a cmp function like this:
def tcmp(a, b):
if a[1] == b[0]:
return -1
elif a[0] == b[1]:
return 1
return 0
but sorting the list:
lt show me:
lt = [(2, 4), (4, 5), (5, 2)]
What am I doing wrong?
share|improve this question
I see nothing wrong, except that given your input and comparison function, your initial list is already sorted. – Ignacio Vazquez-Abrams Dec 29 '10 at 12:38
... And what if a[1] == b[0] AND a[0] == b[1]? What if neither is the case? – Karl Knechtel Dec 29 '10 at 13:12
add comment
6 Answers
up vote 2 down vote accepted
I'm not sure your comparison function is a valid one in a mathematical sense, i.e. transitive. Given a, b, c a comparison function saying that a > b and b > c implies that a > c. Sorting procedures rely on this property.
Not to mention that by your rules, for a = [1, 2] and b = [2, 1] you have both a[1] == b[0] and a[0] == b[1] which means that a is both greater and smaller than b.
share|improve this answer
Sorry, I've not explained it very well. In my data set, not exists the case (1,2) and (2,1) at the same time. Really the numbers are state id's, and the tuple is a transition representation, i.e. (2,3) means, state(2).next() == 3. – Antonio Beamud Dec 29 '10 at 12:53
@Antonio: still, without "normal" behavior from the comparison function (such as transitivity) you cannot expect the sort to work properly – Eli Bendersky Dec 29 '10 at 12:59
You're right. I'm reviewing all the problem. A lot of thanks. – Antonio Beamud Dec 29 '10 at 13:01
add comment
Sounds a lot to me you are trying to solve one of the Google's Python class problems, which is to sort a list of tuples in increasing order based on their last element.
This how I did it:
def sort_last(tuples):
def last_value_tuple(t):
return t[-1]
return sorted(tuples, key=last_value_tuple)
EDIT: I didn't read the whole thing, and I assumed it was based on the last element of the tuple. Well, still I'm going to leave it here because it can be useful to anyone.
share|improve this answer
add comment
You can write your own custom key function to specify the key value for sorting.
def sort_last(tuples):
return sorted(tuples, key=last)
def last(a):
return a[-1]
tuples => sorted tuple by last element
• [(1, 3), (3, 2), (2, 1)] => [(2, 1), (3, 2), (1, 3)]
• [(1, 7), (1, 3), (3, 4, 5), (2, 2)] => [(2, 2), (1, 3), (3, 4, 5), (1, 7)]
share|improve this answer
add comment
You could also write your code using lambda
def sort(tuples):
return sorted (tuples,key=lambda last : last[-1])
so sort([(1, 3), (3, 2), (2, 1)]) would yield [(2, 1), (3, 2), (1, 3)]
share|improve this answer
add comment
Your ordering specification is wrong because it is not transitive.
Transitivity means that if a < b and b < c, then a < c. However, in your case:
(1,2) < (2,3)
(2,3) < (3,1)
(3,1) < (1,2)
share|improve this answer
well, really (1,2) < (2,3), and yes, the problem is about graphs, and this a cycle. Really in my dataset doesn't exists cycles. Anyway, you are right :) – Antonio Beamud Dec 29 '10 at 12:57
@Antonio Beamud Oh, I switched < and > from your example. Corrected. However, comparison functions must be transitive, because that allows the sorting routine to take shortcuts (like compare a,b and b,c and never a,c). The cycle is just used for proving that your comparison function is wrong. – phihag Dec 29 '10 at 13:03
add comment
Try lt.sort(tcmp, reverse=True).
(While this may produce the right answer, there may be other problems with your comparison method)
share|improve this answer
add comment
Your Answer
|
Take the 2-minute tour ×
I am using this code, which was snipped and modified from the Slick Wiki Unicode tutorial:
UnicodeFont menuFont = new UnicodeFont("/fonts/mailrays.ttf", 8, false, false);
menuFont.addGlyphs(400, 600);
menuFont.getEffects().add(new ColorEffect());
menuFont.drawString(25.0f, -80.0f, "Snake", new Color(1.0f, 1.0f, 1.0f));
But when the string is drawn on the screen it uses a low-res console font, what I assume is the default. What could be preventing the string from using the font I passed into the constructor (mailrays.tff)?
share|improve this question
add comment
1 Answer
up vote 2 down vote accepted
I know this is almost two months old, but in case you are still looking for the answer...
If Slick can't locate your font, you'd get a RuntimeException when you try to instantiate the font. To verify this, try specifying the name of a font you know doesn't exist on your machine ("crap.ttf", for example)... You'll most likely see something like:
Exception in thread "main" java.lang.RuntimeException: Resource not found: crap.ttf at org.newdawn.slick.util.ResourceLoader.getResourceAsStream(ResourceLoader.java:69) at org.newdawn.slick.UnicodeFont.createFont(UnicodeFont.java:61)
Given that, the issue here is probably the size of the font you are creating. Trying to create an 8 point font will cause mayhem for many TTF fonts, and the result might look low-res as you described. To verify this, try creating the font in a larger size, perhaps 12 point or so. This will obviously be bigger than what you want, but at least it will verify that you are loading the proper font and that the issue is just scaling. If that is the case, you'll just have to find a font that scales better in the 8 point range.
Hope this helps!
share|improve this answer
I ended up just mapping images of the text instead of trying to draw a font, however I intend to test this on the project when I have time, and will verify. Thanks for the answer! – mickylaaaad Feb 21 '12 at 16:56
add comment
Your Answer
|
Take the 2-minute tour ×
I am going through a Spring book to learn Spring. Having gone through sections about the JDBCTemplate i was surprised to find that Spring handles most of the SQLException exceptions differently.
For example, all checked exceptions are converted to unchecked exceptions. What exactly is the benefit of this?
In my experience, the majority of SQL exceptions should be handled. For example, we have an application that talks to an Oracle PL/SQL procedure. The call to the PL/SQL procedure can return an ORA-01403: no data found exception. This kind of exception is one that you usually recover from by displaying an error message to the user. e.g. A search result did not return anything.
How would this kind of a checked exception be handled in Spring if all exceptions are unchecked i.e. Spring wont force you to handle them?
I know that you can catch RuntimeExceptions but i quite liked the idea that you are forced to handle checked exceptions. What benefit does converting some of the checked exceptions to unchecked exceptions provide?
share|improve this question
add comment
3 Answers
up vote 1 down vote accepted
Some people don't like checked exceptions, as they force you to do some exception management. I guess the Spring guys are of this kind.
Personally I prefer to do things as they were intended to be made:
try {
// execute some SQL
} catch (SQLException ex) {
if (ex is an expected condition) {
// deal with it: for example with a "no data found" condition
// this might mean returning null, or throwing some kind of business exception, such as
// NoEmployeeFoundException, or whatever
} else {
// this is a programming / environment error
// throw as unchecked exception
throw new RuntimeException(ex);
Of course the downside of this approach is that is more work. The upside is that you have explicitly stated in code which are the "expected" circumstances and which ones should not happen ever.
share|improve this answer
add comment
Yes, the exceptions should be handled, but in Spring design, on higher level then the each DAO method. In fact the design where in every method there is SQLException handling is unclean copy-paste design, and when you change something, you must apply the change in every place.
There are various demands, and various places where you handle unchecked exceptions. One of these are aspects, where you can for example convert Spring's exceptions to your exceptions (uncatched exceptions need not be declared in method signature, so this convertion is very elegant). In REST method you can add generic handler that will return the error responce to the caller, and you write exception handling in only one place. In JSF/JSP based technologies you can add own error page whenever error occures.
share|improve this answer
You don't need to handle it in the DAO, you could just declare your DAO interface as throws SQLException (or whatever exception you want your DAOs to raise). – gpeche Jan 15 '12 at 20:05
Yes, but still you have to handle it somewhere. And even if you handle it in aspect, still throws declaration stays and you must handle exception you never get... – Łukasz 웃 L ツ Jan 15 '12 at 20:56
Well you always have to handle exceptions, except in development. Otherwise your program terminates in a uncontrolled way. – gpeche Jan 15 '12 at 21:55
Yes, but you can do it in aspect, or in task dispatcher, or in queue, or anywhere else where the tasks are called. – Łukasz 웃 L ツ Jan 16 '12 at 8:11
add comment
The benefit is not being forced to catch or declare them.
I'm not convinced that not finding data during user searches is exceptional, particularly at the SQL level. Turning that into a checked exception amounts to using exceptions for generalized flow control. I would consider that an anti-pattern to be avoided; YMMV.
Many SQL-related errors are code-related; IMO it's better to fail fast--during development.
share|improve this answer
add comment
Your Answer
|
Presidential candidates debate marriage for gay couples
BY admin
October 15 2004 12:00 AM ET
During the last of three presidential debates on Wednesday evening, an unprecedented discussion on homosexuality and gay rights highlighted the two candidates' concurring and differing views on the issue. It started when George Bush was asked by moderator Bob Schieffer if he believes homosexuality is a choice. "You know, Bob, I don't know. I just don't know," Bush said. "I do know that we have a choice to make in America, and that is to treat people with tolerance and respect and dignity. It's important that we do that. I also know, in a free society, people, consenting adults, can live the way they want to live. And that's to be honored."
"But as we respect someone's rights and as we profess tolerance, we shouldn't change, or have to change, our basic views on the sanctity of marriage," Bush continued. "I believe in the sanctity of marriage. I think it's very important that we protect marriage as an institution between a man and a woman. I proposed a constitutional amendment. The reason I did so was because I was worried that activist judges are actually defining the definition of marriage. And the surest way to protect marriage between a man and woman is to amend the Constitution. It has also the benefit of allowing citizens to participate in the process. After all, when you amend the Constitution, state legislatures must participate in the ratification of the Constitution."
"I'm deeply concerned that judges are making those decisions, and not the citizenry of the United States," Bush continued. "You know, Congress passed a law called DOMA, the Defense of Marriage Act--my opponent was against it--it basically protected states from the action of one state to another. It also defined marriage as between a man and a woman. But I'm concerned that that will get overturned, and if it gets overturned, then we'll end up with marriage being defined by courts. And I don't think that's in our nation's interest."
In his response, John Kerry talked about Vice President Dick Cheney's daughter Mary. "We're all God's children, Bob, and I think if you were to talk to Dick Cheney's daughter, who is a lesbian, she would tell you that she's being who she was, she's being who she was born as. I think if you talk to anybody, it's not a choice. I've met people who've struggled with this for years, people who were in a marriage because they were living a sort of convention, and they struggled with it. And I've met wives who are supportive of their husbands, or vice versa, when they finally sort of broke out and allowed themselves to live who they were, who they felt God had made them. I think we have to respect that."
"The president and I share the belief that marriage is between a man and a woman. I believe that," Kerry continued. "I believe marriage is between a man and a woman. But I also believe that because we are the United States of America, we're a country with a great, unbelievable Constitution, with rights that we afford people, that you can't discriminate in the workplace, you can't discriminate in the rights that you afford people. You can't disallow someone the right to visit their partner in a hospital. You have to allow people to transfer property, which is why I'm for partnership rights and so forth. Now, with respect to DOMA and the marriage laws, the states have always been able to manage those laws, and they're proving today, every state, that they can manage them adequately."
Kerry's comment about Mary Cheney drew criticism from a number of conservative sources, including Mary's mother, Lynne. During a debate-watching party in the Pittsburgh suburb of Coraopolis, Lynne Cheney accused the Massachusetts senator of pulling a "cheap and tawdry political trick" for invoking her daughter's sexuality. "Now, you know, I did have a chance to assess John Kerry once more, and now the only thing I could conclude: This is not a good man," she said. "Of course, I am speaking as a mom, and a pretty indignant mom." The vice president did not raise the matter in his remarks at the same party.
In his earlier debate with John Edwards, the vice president expressed no objection when the Democrat brought up his daughter Mary. Edwards expressed "respect for the fact that they're willing to talk about the fact that they have a gay daughter, the fact that they embrace her. It's a wonderful thing."
In response to Lynne Cheney's rebuke, Human Rights Campaign executive director Cheryl Jacques said, "President Bush missed one more chance to denounce discrimination last night, so it is bewildering that Lynne Cheney instead attacked Senator Kerry. Senator Kerry made clear that gay Americans should have the same basic rights, responsibilities, and protections as every other American. Vice President Cheney first discussed his own daughter in the context of this issue two months ago, and it is not surprising that Senator Kerry mentioned her experience as emblematic of millions of gay Americans. Senator Kerry was speaking to millions of American families who have hardworking, taxpaying gay friends and family members."
Shortly after the debate, the gay political group Log Cabin Republicans issued a statement on Kerry's comments. "Senator Kerry could have made his point about gay and lesbian Americans without mentioning the vice president's daughter," it read. "However, this shouldn't distract us from the fact that President Bush, Karl Rove, and other Republicans have been using gay and lesbian families as a political wedge issue in this campaign. Log Cabin Republicans have a message for both campaigns. For Senator Kerry and Senator Edwards, you do not need to talk about the vice president's daughter in order to discuss your positions on gay and lesbian issues. For President Bush and Karl Rove, you have a moral obligation to stop using gay and lesbian families as a political wedge issue. Our country and our party deserve better."
Tags: World
|
post #1 of 1
Thread Starter
Using Remote Potato on my i3 2105 based system, Win7 Ultimate, 8 gigs memory, on FIOS 35/35 pipe, I'm seeing CPU usage go up and stay up at different levels as video is transcoded and streamed out. Obviously this is a CPU-intensive task. Sometimes holding at 89%, peaking to 99%. Other times steady at 30%-75% or even stretches in the 90s. Performance is great. Streaming HD across the Internet has been working with few hiccups. Even two simultaeous HD streams to two different devices works well, with CPU near max. No doubt the chip is working hard.
Temperatures, however, have not been a problem. At rest the CPU is usually around 38-42C. Under intense streaming load it elevates and stays at 50-54C, totally fine.
1) If CPU temps are under control, does running the CPU at near maximum for extended stretches present a problem?
2) If the CPU were a true quad core (not dual-core w/hyperthreading), would it handle this type of work better without pushing the CPU as much? (I'm considering upgrading to more easily handle this, as we definitely will use Remote Potato regularly.)
|
CHESAPEAKE, Va. - Dennis Bowman spent the past six weeks hearing stories of serial murder and ruined lives. As a juror in the John Allen Muhammad sniper case, he was haunted by the grisly autopsy photographs of people shot in the head, and he didn't sleep the night before he voted to put Muhammad to death.
Now he's sitting through it all again.
On a day when he could have stayed home with his family, Bowman sat yesterday in the crowded courtroom where Muhammad's alleged accomplice, Lee Boyd Malvo, is on trial on capital murder charges. This time, he's not a juror, but a spectator.
"It's unfinished business," Bowman said yesterday outside the courthouse. "This individual, Malvo, is a finely crafted killing machine. I want to see him taken care of too."
Bowman, a hardware store clerk, is the first of the 12 Muhammad jurors to attend the Malvo trial. He is also among the least likely to do so. He voted to sentence Muhammad to life in prison when the jury began deliberations, and he spoke last week of the enormous weight he felt in ultimately changing his mind and opting for the death penalty.
But he now believes that Malvo should also be put to death because, he said, the teen-ager was equally responsible for the killings. So Bowman was in court yesterday and will be again today to see that justice is done, he said, and in the hope of learning answers to some of the lingering questions left over from the Muhammad trial.
'Asking question why'
"I'm still asking the question why," Bowman said.
He said the jurors came to the conclusion that the motive for the killings was to threaten Muhammad's former wife, Mildred, who lived with the couple's three children in Clinton, in Prince George's County. The loss of custody of those children has been described as a turning point when Muhammad's carefully constructed middle-class life fell apart.
"We thought it was a decoy operation to shoot all these innocent people, and he probably would have shot five or 10 more and then shot Mildred and then shot five or 10 more," Bowman said. "Then he would have popped out of the woodwork to claim his children."
He added, "That was our conclusion, but I don't know if I'll ever figure it out."
Bowman, 52, said he hopes some clues come next week, when Malvo's defense team will present mental health experts who are expected to testify as to how Muhammad's control of the teen-ager affected him. Bowman plans to be in court for that testimony.
Bowman isn't the only refugee from the Muhammad trial to turn up in the gallery of the Malvo trial. Victoria Snider, whose brother, James L. "Sonny" Buchanan Jr., was one of the first sniper victims in Maryland, attended almost every day of the Muhammad trial and is doing the same for Malvo.
Snider sits in court every day, even though she knows she will not hear prosecutors speak of her brother's murder to the jury. That's because the bullet fragments recovered from his body were so disfigured that ballistics experts could not link them to the .223-caliber Bushmaster rifle found in Muhammad and Malvo's car.
Experts were able to conclusively link that rifle to the bullets used in 16 shootings across the country, and only those shootings are being presented at the sniper trials. But there is no doubt in Snider's mind about who killed her brother. Buchanan, 39, was shot while mowing a lawn in Montgomery County on Oct. 3, 2002, the first of five sniper killings that day.
In a brother's memory
"I feel that both [Muhammad and Malvo] are equally as guilty as the other," Snider said yesterday. She added that she is attending the trials to honor the memory of her brother, even if his name is never heard in court.
"I am here to be a witness for him and to stand up for him," she said.
Muhammad was convicted of killing civil engineer Dean H. Meyers on Oct. 9, 2002, at a gas station near Manassas, Va. Malvo is on trial in the killing of FBI analyst Linda Franklin five days later outside a Home Deport store near Falls Church, Va. Other sniper killings have been introduced at both trials to show the defendants engaged in a terror plot to extort $10 million from the government.
Many of the families of other sniper victims attended part of the Muhammad trial. They took the stand to identify their loved ones, tell about their lives and hear evidence specific to their case. But then they would leave, while Snider would stay behind, never to be called to testify.
Yesterday afternoon, before she headed into the courtroom once more, she grabbed Bowman, took his hand and thanked him.
Helping come to peace
Legal experts said it's not altogether surprising that Bowman would want to see Malvo's trial, even after the emotional pounding he took during the Muhammad case. They said the teen-ager's trial may help Bowman come to peace with his decision last week to vote for Muhammad's death sentence.
"I can certainly understand how he would want to obtain as much additional information as possible concerning these questions that became so important to him," said Steven D. Benjamin, president-elect of the Virginia Association of Criminal Defense Lawyers.
"The dissatisfying thing about the Muhammad trial is we never got an answer," Benjamin said. "We saw the horror and the trauma with no explanation, and Malvo's trial has always offered the promise of truth.
"Here you have a juror who is responsible for Muhammad being sentenced to death. It's understandable he wants the answers he was denied in the Muhammad trial."
|
Hicksville, New York Jobs Forum
Get new comments by email
You can cancel email alerts at anytime.
Current Discussions (12) - Start a Discussion
Best companies to work for in Hicksville?
What companies are fueling growth in Hicksville? Why are they a great employer?
Up and coming jobs in Hicksville
What jobs are on the rise in Hicksville?
What are the best neigborhoods in Hicksville?
Where is the good life? For families? Singles?
Best schools in Hicksville?
Where are the best schools or school districts in Hicksville?
Weather in Hicksville
What are the seasons like in Hicksville? How do Hicksville dwellers cope?
Hicksville culture
Food, entertainment, shopping, local traditions - where is it all happening in Hicksville?
Hicksville activities
What are the opportunities for recreation, vacation, and just plain fun around Hicksville?
Newcomer's guide to Hicksville?
What do newcomers need to know to settle in and enjoy Hicksville? Car registration, pet laws, city services, more...
Commuting in Hicksville
When, where and how to travel.
Moving to Hicksville - how did you get here?
Hicksville causes and charities
What causes do people in Hicksville care about. Where are the volunteer opportunities?
Job search in Hicksville?
What are the best local job boards, job clubs, recruiters and temp agencies available in Hicksville?
RSS Feed Icon Subscribe to this forum as an RSS feed.
» Sign in or create an account to start a discussion.
|
More Teachers 'Flipping' The School Day Upside Down
by Grace Hood
Miller can replay parts of the chemistry podcast she doesn't understand, and fast forward through those that make sense. Then she takes her notes to class where her teacher can review them.
Goodnight is one of about five teachers flipping their classrooms at this small school on Colorado's Eastern Plains. She's part of a growing group of teachers using the concept since it emerged in Colorado in 2007.
"If they're going to have their iPods all the time, might as well put a lecture on it," Goodnight says. "So on their way home from school, on the bus or whatever they can maybe watch your lecture for homework that night. It's truly about meeting them where they're at, and realizing that the 21st century is different."
Jerry Overmyer, creator of the Flipped Learning Network for teachers, agrees. "The whole concept of just sitting and listening to a lecture is really, that's what's getting outdated, and students are just not buying into that anymore."
"It's about that personalized face-to-face time. Now that you're not spending all of class time doing lectures, you're working one on one with students," Overmyer says. "How are you going to use that time?"
"Now you can simply just take about five steps and record a video and then simply send it to your students and parents and keep everyone informed," Green says. "So now we're becoming even more transparent."
"I can listen to the video as well when they need help, and then I can try to help him understand what [the teacher] is saying," Patschke says.
Copyright 2014 NPR. To see more, visit
|
negotiating childcare arrangements- help needed
(15 Posts)
typographicerrors Tue 19-Mar-13 16:09:11
my partner and I are separating; after a long period of unhappiness on both our parts I have met someone else and cannot attempt to make things work any more. Partner is deeply hurt, angry, upset - understandably. I want to be sensitive to his feeling but also want to work out how we look after our two children - we have always shared parenting evenly and fairly as we both work full time. Partner wants me out of the house immediately and to retain custody of the children; I want a proper conversation about what we think is best for them rather than him dictate the terms. I dont really know where and how to begin to sort things out; me being in the house is creating tension that the children are picking up on but I feel anxious about leaving the family home without having some agreed arrangements in place about the children. Am I being unreasonable?
Lonecatwithkitten Tue 19-Mar-13 18:58:50
I would make a list of what you think would work how much contact the children have with each parent. It is not custody now, but contact and it should be for the children's benefit and fulfilling their needs.
Try to sit down and have a rational conversation. I would also seek legal advice and they may suggest mediation if you are unable to reach an agreement.
STIDW Tue 19-Mar-13 22:50:08
Before leaving the family home please see a solicitor to find out where you stand and then you can negotiate from an informed position. It isn't unreasonable wanting arrangements for children and finances in place before leaving. HOwever under the circumstances you may find it takes your partner some time to adjust to the emotional realities of separation before any constructive progress can be made.
There are some good resources to assist separating parents negotiate arrangements for children at The Parent Connection website. You may also find it useful to have a written parenting agreement so for example you can decide in advance what sort of notice would be appropriate to change arrangements or organise holidays.
typographicerrors Wed 20-Mar-13 10:34:37
thank you for your advice - I think it is so hard to balance the emotional turmoil my OH is going through and how much he wants me out of the house with my fear that he is trying to assert moral authority over the family and the situation and make it hard for me to look after my girls in the way that I want to.
rottenscoundrel Wed 20-Mar-13 14:06:30
why do you have to leave?
NomNomDePlum Wed 20-Mar-13 14:14:58
it isn't clear to me why you have to leave, and why you would leave the children behind if you did? is it his house? do you want the children to live with him, not you? i realise that he is very (understandably) hurt, but contact with children is a separate issue from the (pretty shoddy) way you have ended your relationship with their father.
rottenscoundrel Wed 20-Mar-13 14:40:19
if it helps, I broke up with dh (though there was no-one else involved) and he left. I asked him to. He did at one stage, in anger, ask if I would leave and I said I would as long as the kids came with me. Ultimately, he wanted the kids to stay in their home and we both felt it was easier if he set up somewhere else.
We also both work full time and share the care. He found a place about a 10/15 mins walk away so he can still see the kids a lot during the week.
Are you moving in with the other man?
typographicerrors Thu 21-Mar-13 19:28:48
I am leaving because it feels the right thing to do to give him some breathing space in the house. I'm not proud of the way things have ended, and it feels as though i should give him some space. I do not want to leave the children behind at all, but I also feel that to uproot and disrupt them is not ideal - and it also comes back to the fact that we have shared parenting pretty equally over the years. The house is ours, jointly, and at some point then we will either have to sell it or rent it out. Im not moving in with anyone else- I need my own space and want to establish a second home for my girls - that is my absolute priority.
clam Thu 21-Mar-13 19:38:02
What a tricky situation. The thing is, if you are physically the one to leave the house, then forever more it is perceived by everyone, but more importantly by your dds, that you walked out on them - even if that's not strictly the case.
Not sure it's the same situation, but Princess Diana's mother was always vilified for having abandoned her children when in fact, she took them with her but her ex refused to allow her to collect them after a contact weekend. She never lived it down - and yet he was alleged to have been abusive.
typographicerrors Thu 21-Mar-13 20:35:37
I know clam, I know and it makes me sick to the stomach to think that. Im trying to be fair & reasonable to my partner and have been round the houses trying to think of ways to find a solution that is fair to him but doesn't suggest in any way that i am leaving my children - very tough. I guess this is the harsh flip side of having been fair and equal co-parents throughout our relationship.
thanks for all your message though, really helps to have objective views.
clam Thu 21-Mar-13 20:59:04
And, having just re-read your OP, if you have met someone else then it's going to seem (to them) even more that you have abandoned them for him. The fact that your and your h have been miserable together for years will get lost in the ether.
Sorry, you probably know all that, but my gut reaction is "don't be the one to move out, for God's sake,"
Lonecatwithkitten Thu 21-Mar-13 21:54:17
One tip I can give you based on my scenario is keep your new partner and your DC separate for quite a while.
My ExH and I told DD we weren't making each other happy so were going to have two happy homes rather than one unhappy one. However, he had the other OW over for a 'sleepover' three days after he left when DD stayed at his house for the very first time!!! Needless to say without me saying a word DD has worked out why we split she currently hates OW and I can only imagine the backlash ExH is going to face in the teenage years.
typographicerrors Thu 21-Mar-13 22:33:13
i have no intention of doing that for quite some while lone cat - think it is much too much too soon. hard enough for children to deal with separation...
Til80 Sun 31-Mar-13 19:41:35
I had a very very similar situation- Years and years of dead marriage, many attempts to save it including counselling refused by ex. And issues of emotional abuse too. I also fell in love with someone else, but he lived and still lives in another country. I told me ex about him. We have a 12 year old son and I was the breadwinner and my ex at home (total role reversal) I found an apartment 5 mins from the old family home and moved out end of Jan. Ex and I are in counselling to separate without lawyers. We have joint custody of our son and he stays with me 2 days a week plus every 2nd weekend. We agreed on a flexibility during times he is with my ex so he is free to visit me and I him whenever we want. It is actually working really well. We have a "family lunch" once a week and my son really does feel at home in my new place.
I have been taking things very slowly with my new partner. It does help he lives in a different country so we see each other once or twice a month. We have loved each other for years and my son knows him (as a friend of mine) We are basically waiting until nearer the end of the year (once my ex and I have been separated for a year) to let my son know.
There will always be people who judge if you leave, but with lots of work, communication and a lot of care and taking it very very slow with the new partner it can work. No-one should have to live in a dead marriage. And if people perceive you in a particular way that is their problem. I have learned who my friends are during this process. Only you and your children know the truth and children can be just as abandoned emotionally by parents living in the same house.
Also your partner sounds like my ex, a very hands on dad. Like you I did not want to up root my son from his home and it has been much easier to create a 2nd home than I ever thought. The main thing is that it is in the same neighbourhood and you have an amicable relationship with your ex.
Good luck
typographicerrors Wed 03-Apr-13 00:06:55
thanks Til80, such a horrid awkward time at the moment that knowing that there are positives from other peoples experiences really matters...
Join the discussion
Join the discussion
Register now
|
'Snake on a Windshield' goes viral on YouTube
Aug 2 2011 - 2:31pm
While "Snakes on a Plane" was a box office flop, a video dubbed "Snake on a Windshield" has soared to viral status on YouTube.
Rachel Fisher was recently flying about 65 mph down Sam Cooper Boulevard in Memphis, Tenn., with husband Tony and three children when a snake popped its head out from underneath the hood beside the windshield wipers.
It was followed by about 21/2 feet of body that slithered onto the windshield.
Tony Fisher clicked on a video camera, capturing the weirdest moment of the couple's life.
"This is a water moccasin, a huge water moccasin inside our car," Fisher says on the tape.
"No it's on the outside," Rachel Fisher says.
Actually, it was a harmless gray rat snake, a friend to man because it kills mice and rats, said Steve Reichling, curator of reptiles at the Memphis Zoo.
"Snakes like to find cool, dark and safe places," Reichling said. "It probably stayed under there until the engine became too hot."
The couple didn't care why the snake was there; they wanted it gone.
The snake serpentined around the windshield for about two minutes before slithering to the driver's side rearview mirror.
Whipped by the wind, his head slammed several times against the mirror. He opened his mouth wide and tried to slither down the driver's side door. Rachel squealed, clutched the steering wheel with both hands, one eye on the road, the other on the reptile. Being upside down on the door of a car going 65 mph was the final undoing of the snake, which went flying off the car and onto the busy highway.
"Good. Get it. Kill it," Tony Fisher shouted inside the car to other drivers.
The snake's apparent demise aggravated many of the 31,672 visitors who watched the video on YouTube. The video has also been featured on several national television networks. Hundreds commented under the video that the Fishers should have pulled over and let the snake off.
"They were really indignant," Rachel Fisher said. "I deleted some of them that said bad things about my children. People were saying we should have stopped, but that didn't cross my mind at the time."
From Around the Web
|
The Fresh Loaf
News & Information for Amateur Bakers and Artisan Bread Enthusiasts
Baking and dieting
• Pin It
Felila's picture
Baking and dieting
I struggled to lose 30 pounds at Weight Watchers, a few years back, and was keeping the weight off until early 2008, at which point my financial situation became utterly dire. I ended up living mostly on brown rice, beans, oatmeal, and ... homemade bread. The bread was my one treat. I gained back 15 pounds over the last year and a half, and I'm sure that some of that was my bread-just-out-of-the-oven binges.
I'm trying to take the weight off again and I've stopped baking. But I miss fresh bread.
I live alone, so if I make a regular loaf, I have to eat it up fairly quickly, before it stales or starts to mold (which it does, fast, here in the tropics). I've recently come up with a strategy that I think might work: make all my bread as ROLLS, of which I'm allowed one or two a day, and freeze the rest. Thawed bread isn't as great as fresh, but it's better than nothing.
Does anyone have any other suggestions for reconciling a love of baking with the need to count calories?
xaipete's picture
Use mini loaf pans. You can freeze and thaw them with ease.
leahweinberg's picture
you can give some away.... ppl are always so happy to recieve freshly baked bread. That is, if you didnt finish it first, like i usually do :)
fancypantalons's picture
Uh, slice the bread before you freeze it? :) Then you can just pry off slices as you need 'em.
Felila's picture
Hmm. My neighbors sometimes get cookies. The only way I can bake cookies and keep my consumption under control is to give away all but a few. But somehow it doesn't seem NICE to give someone part of a loaf. It would be like bringing over a plate of leftovers.
Yippee's picture
How about dividing the dough to make rolls and buns? Then it will look better when giving them away.
Do you mostly bake with white flours? I prefer whole wheat since it makes me feel full longer. Eating bread actually allows me to have a better control over my food consumption when compared with eating rice, which usually accompanies with many dishes.
I constantly watch my weight and counting calories combining with exercise works effectively for me. I have a formula which takes into account of a person's age, height and BMR to come up with the daily calories he/she needs. I'm happy to share it with you if you don't already have your own established method.
PaddyL's picture
PaddyL better than none.
flournwater's picture
If you elect to freeze your bread after it cools to room temperature, be sure and warp it in a heavy freezer plastic, not the sandwich baggie stuff. Plastic wrap can allow air to pass through its pores (yep, that's right, plastic wrap can be porous) which means the moisture in the bread will want to migrate into the colder air and will freeze (freezer burn) on the crust. That makes for some pretty terrible eating.
You can use it as your primary starch in your meals (1 cup of flour = approx. 400 calories) to make strata, french toast, etc. to help use it up while not allowing the calories to get out of hand.
I just spent a year losing 30 pounds and, although I make a lot of bread, haven't put any back on. I don't use commercial diet plans, just calorie counting, exercise and strict discipline. Best of luck in your renewed weight loss venture.
Felila's picture
If I make rolls, I don't need to give it away; I can just freeze it. I can't keep away from frozen cookies, but frozen bread is not an overwhelming temptation.
The tip re freezer wrap is useful. I have been using thin plastic bags.
I usually bake with something like KA 60% white whole wheat and 40% white bread flour. Often add rolled oats.
As for keeping track -- I use the Weightwatcher point system to record diet and exercise, and I monitor my weight with a program called Eat Watch, on my old PalmOS PDA. It averages out the daily weight fluctuations to give you a weight trend line. If the trend line slopes down, you're losing weight. I much prefer this to weighing myself daily AND freaking over the usual 1-2 pound fluctuations. (If this interests you, you can get the program free off the net; just google for it.)
Note: "I use" and "I monitor" are statements of ideals, not necessarily perfect compliance. When I have a big editing job to do, I tend to put off taking care of myself. My bad.
Mini Oven's picture
Mini Oven
and then bake smaller loaves. Under 500g loaves. More like a big bun. Cut part into slices and freeze. I have a few rye slices left from a week old loaf, a bit dry so... I just threw them into a blender with potato water for a soaker instead of eating. (soak first then blend)
What helps me loose weight is to write down everything I eat and drink (everything) and tally it up as I go until I get a grip on my weight again.
Janknitz's picture
This method allows you to keep dough in the fridge for up to 2 weeks. Simply pull off a small piece and bake a single roll (or 2) at a time--quick and easy.
Try using up to 1/3 whole wheat flour for added nutrition and weight control.
The master recipe is available online if you look around.
davidinportland's picture
I've been a long time baker/cook and also someone who fights to keep weight off. Recently, I became very interested in whole grain baking and as a result, have lost 15 pounds doing nothing but eating a lot more whole grains. Still have wine with dinner, mop up the sauces I make to go with my food, etc. Just now bake only things that are partially whole grain (still use many favorite recipes, but go 50% whole grain and 50% AP/bread flour). Get the King Arthur Whole Grain Baking book. Has an incredible range of recipes from breakfast foods to pizza to breads to traditional desserts.
My weight is staying off and still coming off.
|
Rosemary Cabelo uses a computer at a public library to access the Affordable Health Care Act website on Dec. 11, 2013, in San Antonio.
The Scariest Graph the CBO Released Today
A new CBO report has partisans up in arms, but anyone can agree the job market isn’t looking great.
The Congressional Budget Office estimates that Obamacare could mean fewer people searching for jobs.
Today, while it was telling us that Obamacare could mean fewer workers and a slowing economy would push deficits up, the Congressional Budget Office also put out a report about the labor market's slow recovery (cleverly titled "The Slow Recovery of the Labor Market"). Here is a look at exactly how messed up the labor market has become, all packed into one chart:
[READ: CBO: Deficit to Shrink, Recovery to Slow, Obamacare to Mean Fewer Jobs]
(Congressional Budget Office)
It’s not a simple up-and-down plotting of the jobless rate over time, but it displays one crucial point about the job market: It’s just not what it used to be. The chart at left is the Beveridge curve, a plot of the share of unemployed Americans versus how many jobs are open.
Barring any major economic shifts, the labor market generally travels up and down the curve, but the curve itself does not move. It’s painful when the jobless rate gets higher under these circumstances, but it also tends to mean that demand is simply low for goods and services.
But as the above curve shows, there was a big shift outward after July 2009 – meaning that even though the current job vacancy numbers are similar to only a few years ago, the unemployment rate is now higher.
[ALSO: Alongside Income Gap, Internet Gap Remains Wide]
All sorts of reasons could contribute to this, according to the CBO: The stigma of long-term unemployment, for example, could be keeping some would-be workers out of all those vacancies. Likewise, the long-term unemployed could be losing valuable job skills as they sit idle. In addition, a skills mismatch may be at work. And as some have suggested, employers – sensing they have their pick of plenty of qualified candidates – are taking their time sifting through the stacks of resumes.
It also could be possible that extensions of jobless benefits helped push the unemployment rate up, the CBO says, as people continued applying for jobs in order to stay in the labor force and continue collecting benefits. However, those effects started tapering off in 2013, as people began exhausting their benefits, according to the CBO.
What it means is that getting the job market back to where it once was will be a matter that involves far more than boosting growth and, therefore, demand. The jobless rate, at 6.7 percent, is roughly 2 full points higher than it was at the end of 2007. According to the CBO, structural factors – things like a broad skills mismatch that is unrelated to the business cycle – account for half that.
Those structural factors, unfortunately, are tricky to solve. It could mean job training, and it could mean pushing employers to hire the long-term unemployed, as President Barack Obama is attempting to do. But they could take years to solve – the CBO predicts that the problems affecting the long-term unemployed won't start to disappear until after 2017.
|
Register Log in
Infinite Loop / The Apple Ecosystem
Review: Comcast Mobile for iPhone
Comcast's new iPhone and iPod touch app allows subscribers to check and send e …
Comcast customers may have a love/hate relationship with their broadband service of choice, but the company has been making numerous efforts lately to expand its services in order to tip us a little more towards the "love" side. One of those expansions includes the recently-launched iPhone and iPod touch app aimed at customers who make use of all the company's services, including e-mail, VoIP, TV listings, and Comcast On Demand.
We were given the opportunity to play with the free Comcast Mobile app with all of the services enabled in order to test things out. While it may not be enough reason for someone to start subscribing to Comcast, it's a handy app to have if you're already a user of these services.
From the main screen (after you log in with your Comcast username and password), you can access your Comcast Inbox, your Address Book, your Digital Voice info, the TV listings, and Comcast's On Demand content. The Inbox not only displays your Comcast e-mail, it also shows how many voicemails you might have waiting in your VoIP box. In terms of an e-mail client, it's pretty run-of-the-mill, comparable to Gmail's iPhone interface, but tapping on your voicemails will play it right through the iPhone or iPod touch's speakers, which is cool.
The Address Book's neat feature is that you can import your iPhone's contacts so that they are merged with your Comcast contacts. From here, you can search your contacts by name, and tapping on someone's e-mail address will bring up a new message in the Comcast Mobile e-mail interface.
Why you would want to do this instead of simply sending someone an e-mail through the iPhone's native Mail client is somewhat beyond me, but if you're married to the idea of keeping your Comcast e-mail completely separate from your iPhone, then this solution works decently enough.
Through the Digital Voice section, you can see all the same information you might see on your iPhone's calling interface—except through Comcast's VoIP service instead. Outgoing calls, missed calls, and voicemails are all displayed here, and you can even change your call forwarding settings right from within the app.
Finally, the TV stuff. "The Guide" allows you to navigate through the TV listings by searching or casually browsing—you can change times and days easily to see what's on and when.
Tap on a show to read the description of that episode, see a list of showtimes, add it to your favorites, or share it with friends. You can also set reminders for when the show is about to come on.
The downside, as far as we can tell, is that you can't actually program your Comcast DVR through the iPhone app (something we hear you can do with the DirecTV app, which is apparently "totally awesome" according to other Ars staff members). Is it really that great that I can look at the listings while I'm out and about? (Note: If this functionality is present somehow and we have just missed it, please let us know.)
Finally, the Comcast On Demand part of the app allows you to watch movie trailers and... that's pretty much it. Again, this feature is mildly cool—we guess—but it's not mindblowing and it's certainly not a feature that's going to sell us on subscribing to Comcast. Movie trailers can be seen all over the Internet, even from the iPhone. However, we suppose if you're already in the app and in the mood to check out some new movies, then this is a convenient place to do so.
Overall, the app is a handy companion to your already-existing Comcast services—assuming you actually subscribe to all those things. Most of us on staff don't, though, so many of the app's features are a bit of overkill for us. But hey, it's free. Go download it and give it a try.
Name: Comcast Mobile (iTunes Link)
Publisher: Comcast
Price: Free
Platform: iPhone and iPod touch
Expand full story
You must to comment.
You May Also Like
Need to register for a new account?
If you don't have an account yet it's free and easy.
|
Make your dreams come true love what you do.
Last updated on:
Login Function
These functions will log in a user based on a username and password being matched in a MySQL database.
// function to escape data and strip tags
function safestrip($string){
$string = strip_tags($string);
$string = mysql_real_escape_string($string);
return $string;
//function to show any messages
function messages() {
$message = '';
if($_SESSION['success'] != '') {
$message = '<span class="success" id="message">'.$_SESSION['success'].'</span>';
$_SESSION['success'] = '';
if($_SESSION['error'] != '') {
$message = '<span class="error" id="message">'.$_SESSION['error'].'</span>';
$_SESSION['error'] = '';
return $message;
// log user in function
function login($username, $password){
//call safestrip function
$user = safestrip($username);
$pass = safestrip($password);
//convert password to md5
$pass = md5($pass);
// check if the user id and password combination exist in database
$sql = mysql_query("SELECT * FROM table WHERE username = '$user' AND password = '$pass'")or die(mysql_error());
//if match is equal to 1 there is a match
if (mysql_num_rows($sql) == 1) {
//set session
$_SESSION['authorized'] = true;
// reload the page
$_SESSION['success'] = 'Login Successful';
header('Location: ./index.php');
} else {
// login failed save error to a session
$_SESSION['error'] = 'Sorry, wrong username or password';
Values would be captured from a form and then passed to the main function:
login($username, $password);
All pages involved would have the messages function somewhere so proper use feedback is given:
1. kneep
Permalink to comment#
// log user in function
function login($username, $password){
//call safestrip function
$user = safestrip($user);
$pass = safestrip($pass);
first you use the full $username and $password variables, then you use short version of them…this will not work this way
2. Permalink to comment#
Thanks Chris,
i find your site very informative and a lot of good stuff that i learn from you
3. Tom
Hey Chris
Love the site – quick question about this snippet.
I had some issues with this, the sql query wouldn’t grab my username and or password until i moved…
//convert password to md5
$pass = md5($pass);
below the query snippet
im new to md5 function and im not sure if what i did was correct but its the only way it seems to be running correctly.
• Dyllon
Permalink to comment#
That just means your passwords in your database aren’t hashed.
md5 gives your string of text an irreversible 32 character hash code.
would come out to be:
it’s very useful for if anyone should get into your database, they won’t know the passwords of all of the users.
4. Permalink to comment#
If you don’t initialize the sessions calling a session_start() your session variables will always get by the false option…
5. Permalink to comment#
Hey, I was curious, If i was to use this, Do i need to paste it on every page that has to have a log in?
How do i make multiple pages where you need to log in from?
Email me your answer please. Thank you.
• Sankar
Permalink to comment#
Hi all,
I too searching for the same .. Why can’t you guys create a code for full login modules and post here. So that most of the people can use it.
Waiting for response. Atleast via E-mail.
6. ND
Permalink to comment#
Hello Chris,
can I use this Login-function in WordPress too ?
Which modifications should I use if required ?
Is there an Video or Artikel about enduser-login, registration with wordpress ?
Leave a Comment
|
Take the 2-minute tour ×
When is it correct to use these two expressions:
Ich sollte mit Ihnen gehen
Ich hätte mit Ihnen gehen sollen
I know the second sentence expresses 'I should have gone with you', but doesn't the past-tense version of sollen also achieve the same effect?
share|improve this question
related: german.stackexchange.com/q/799/23 – Takkat Mar 19 '12 at 21:40
Yeah, that pretty much clears it up: sollte refers to a past event which assumedly happened, whereas hätte ... sollen refers to a past event which was unrealized. – hohner Mar 19 '12 at 21:48
The first sentence can have to meanings: Eitehr you still have the choice to join them (it's about now) or you haven't done it (in the past) – Em1 Mar 19 '12 at 22:45
Sometimes Ich hätte ... has the connotation of regret, which is not the case for Ich sollte .... – Landei Mar 20 '12 at 7:59
@Em1: Why do you say "you haven't done it (in the past)"? Is there anything wrong about "Ich sollte mit ihnen gehen, also ließ ich alles stehen und liegen" or "Ich sollte mit ihnen gehen, und das tat ich auch"? I would agree with you if it was "Ich sollte eigentlich mit ihnen gehen." – Hendrik Vogt Mar 20 '12 at 9:38
show 2 more comments
2 Answers
up vote 11 down vote accepted
So the comments already give a lot of the answer.
Ich sollte ... can either mean:
It would probably be better if I go with you.
I was supposed to go with you.
Here I do not agree with the comment in that in my opinion it is not clear that I have not gone. It sounds a bit like it but it is still ambiguous. Me personally I would say that the first meaning is so dominating that people would use different phrasing to express the second notion just to avoid confusion.
I edited this part to make it more clear that this is the actual answer:)
Ich sollte (in the past tense sense) leaves it open whether or not I actually did it.
Ich hätte sollen leaves no doubt that I didn't do it although I was supposed to.
Hence, the 2 phrasings are not the same.
share|improve this answer
But is the first one grammatically correct, and does it mean the same as the second one? I.e. does Ich konnte mit Ihnen gehen mean the same as Ich hätte mit Ihnen gehen konnten? – hohner Mar 20 '12 at 2:11
@Jamie: A little correction for your comment there: "Ich hätte mit ihnen gehen können" – 0x6d64 Mar 20 '12 at 7:05
They are both grammatically correct, but they don't mean the same. Emanuel posted the two possible translations for the first sentence; you, Jamie, posted the one for the second sentence. Can you see the different meanings there? – elena Mar 20 '12 at 8:46
The mechanic for können is the same. Ich konnte doesn't tell whether I did or I did not. Ich hätte können is clear in that I did not do it. – Emanuel Mar 20 '12 at 10:22
I think a source of confusion here is that the conjunctive and past forms of "sollen" are identical (sollte), while for "können", they aren't (könnte vs. konnte). – Jan Mar 20 '12 at 13:23
show 1 more comment
Emanuel already said everything, but just to point it out in a quite different way.
In both sentences the verb sollen expresses that either someone said I had to do or if I personally have the opinion that I should do.
The first sentence can refer to a time in the past. And Emanuel is right when he doesn't agree completely to my comment. It does not necessary say that it has not happened:
Ich sollte mit Ihnen gehen, bin aber zu Hause geblieben. (not happened, I did something else)
Ich sollte mit Ihnen gehen, deswegen bin ich zum Treffpunkt gekommen. (happened or at least I tried to)
But it is more likely that I talk about a situation which happens now:
Ich sollte mit Ihnen gehen, bin mir aber noch unschlüssig. (I still need time to think about it)
In the second sentence hätte means that something did not happen although it should've happened:
Ich hätte mit Ihnen gehen sollen, bin aber zu Hause geblieben.
If you want to be unambiguous you either add a subordinate clause or you use the latter sentence.
Note regarding your comment on Emanuel's answer:
The meaning of Ich konnte mit Ihnen gehen is a bit different, but the rules are the same. Können means to have the possibility to do something. Ich konnte just says that it was possible but you don't say if you did.
But Ich hätte mit Ihnen gehen können means that you haven't done it. Here again: Ich hätte emphasizes that you missed to do it.
share|improve this answer
Your example of something in the present time (still needing time to think about it) is actually subjunctive (Konjunktiv) rather than past tense, as Jan pointed out in his comment on the other answer. The form is the same, but the meaning is actually different. I think you took this into account in your explanation maybe without realizing it, as I do agree with what you said otherwise. – Kevin Mar 20 '12 at 17:43
@Kevin Haven't said that it is past tense in that case. – Em1 Mar 20 '12 at 18:08
I suppose you didn't. I just took it that way in context of the question being asked, that the asker was referring to whethe the two constructs accomplished the same meaning [in past tense]. You did a good job of covering all usage. – Kevin Mar 21 '12 at 3:32
add comment
Your Answer
|
The Abe and Joe Talk Radio Show on 11/03/09
Air date:
Tue, 11/03/2009 - 8:00am - 9:00am
Short Description:
Obama's grade thus far? A mixed bag.
Nearly a year after his election (but, in fairness, not yet a year into his first term), Barack Obama is an enigma. Thankfully, he has abandoned the rapacious aggression and naked nationalism of the Bush years, but on critical issues like warrantless surveillance and detention of combatants he is barely distinguishable from his criminal predecessors. His clear-eyed acceptance of global warming is refreshing -- not to mention timely -- but he appears on the verge of capitulating to the profiteers who run the American health care system.
Barack Obama remains a study in contradictions. Abe and Joe examine his record thus far, and speculate on what's to come.
9/11 -Are we doomed to repeat it?
Hi guys,
I listened to the caller who was recommending you do research into 9/11 and your up front denial that it could be any kind of "conspiracy". I just had to reply!
I suggest you watch "Spare Change: The Final Cut" at . This film is not advocating any kind of conspiracy, just looking at the confounding evidence that does not match up to the 9/11 report or to the media spin.
This version (the final cut) has edited out any material that is even remotely questionable, and focuses strictly on incontrovertible evidence. It is all public information gained off of CNN, BBC, C-Span, etc. and Freedom of Information Act sources, but it just doesn't add up.
As far as Al Qaeda saying that they did it... Osama Bin Laden is not on the FBI top most wanted, or is even being sought, due to the fact that there is no evidence that he was part of it. This is public information. I am sure that Al Qaeda likes that it happened, since it furthers their goal of drawing the West into a protracted war with Islam, but that is not evidence that they did it.
I think most people don't want to believe that 9/11 could have been a false flag operation, because they don't want to believe that their government has became totalitarian. People want to believe their government is on their side.
This is not logical.
If you look at the huge pile of confounding facts, it is clear that something is being covered up. We don't know what happened. Even some of the 9/11 commission members have come out to say that.
What we really need is a new investigation. Unfortunately we will never get it since so many people just wish to stick their heads in the sand. Because of this, we will probably never really know what happened, nor be able to stop it next time.
I love the premise of your show and appreciate you all.
|
Emrah BASKAYA wrote:
On Sat, 13 Aug 2005 03:59:46 +0300, Jasper Bryant-Greene
<jasper@bryant-greene.name> wrote:
Emrah BASKAYA wrote:
A new background-color value that tells us which color value to switch to when image is loaded:
To me this seems dangerously like mixing behavioural information in with presentational information.
It is no more or less behavioral than element:hover.
And yet, I fail to see the danger in it other than providing an
accessibility solution. I hope you don't mind eloborating what the danger
is before dissmissing by saying 'it is dangerous'. Otherwise, from your
stance, I can assume you do not need any solution to this problem, or even
consider it not a problem as you do not produce an alternative. And from
your point of view, no solution seems possible, because images being
loaded or not will always stay 'dangerously' behavioural.
Websites that look better that can be made in shorter time and easily
allowing a design change and less work hours and *still* be accessible on
a number of occasions pose no threat to me.
Here's the info at hand:
*Transparent images saves you time, allows you to do flexible designs,
re-use existing assets on different part of the page or on another design,
reduce bandwith costs immensely.
*Image is a part of presentation.
*Images have to be loaded. Loading it is a behaviour that is optional.
*Images may not be loaded ->
*Due to network failure
*User has switched off images
*User Agent with no image capability (e.g. still running on @media screen)
*Images always load with some latency, as they require seperate http
calls. So we have problem even if the user has turned on images due to ->
*larger number of images used on page
*slow connection
*We -have to- cover for the lack of images. I think we agree on this?
*Therefore we must use a contrasting bg-color with the text-color. No sane
person would say no to this.
*Then we cannot use transparent images, as it is pointless.
So what you're telling the accessibility aware web authors is->
*You can't use transparent images.
*For each little design change, work multiple times longer than the people
who use transparent images, if you want your design to look as good.
*Or make sites that are accessible but don't look as good as can be.
*Why use images anyway?
What many will do is:
*Simply start using multibit alpha images, not caring for accessibility.
The reason this hasn't yet taken off is because IE was not supporting
PNG's properly. But this is changing with IE7.
I really don't want to discuss anymore about why transparent images are
beneficial I won't try to prove that they are. We should have gotten past
that point. If you have any alternative solution that makes sense and is
more logical than this, please join the discussion. If you don't, simply
ignore this post, and I'm afraid this may be all I'm going to get in this
I disagree with the syntax of this, but not the idea. The problem is "onimageload" suggests that this should be the color on ALL image loading. Remember that CSS3 also has a method of adding foreground images in CSS, through the global 'content' property. What you're suggesting sounds like it should only work with background-image (though it may be better to have it work with both; but this might be difficult).
Also, while we're discussing accessibility, wouldn't it be useful for CSS to have some kind of syntax that tells the browser if either the background-color or text-color is user-overridden, the opposing colors should be shifted to a 'negative' color? As it is, changing text color or background color on any site is dangerous because the user may override one but not the other, leading to problems with accessibility and readability.
Please avoid sending me Word or PowerPoint attachments.
|
Export (0) Print
Expand All
This topic has not yet been rated - Rate this topic
Debug Engine
A debug engine (DE) works with the interpreter or operating system to provide debugging services such as execution control, breakpoints, and expression evaluation. The DE is responsible for monitoring the state of a program being debugged, using whatever methods are available to it in the supported runtime, whether direct support from the CPU or direct support from APIs supplied by the runtime. For example, the Common Language Runtime (CLR) supplies mechanisms to monitor a running program through the ICorDebugXXX interfaces. A DE supporting the CLR uses the appropriate ICorDebugXXX interfaces to keep track of a managed code program being debugged and then communicates any changes of state to the session debug manager (SDM) (which forwards such information on to the Visual Studio IDE).
A debug engine targets a specific runtime, that is, the system in which the program being debugged runs. The CLR is the runtime for managed code, while the Win32 runtime is for native Windows applications. If the language you create can target one of these two runtimes, then Visual Studio already supplies the necessary debug engines and all you have to implement is an expression evaluator.
Debug Engine Discussion
The monitoring services are implemented through the DE interfaces and can cause the debug package to transition between different operational modes. For more information, see Operational Modes. There is typically only one DE implementation per run-time environment.
While there are separate DE implementations for TSQL and JScript, VBScript and JScript share a single DE.
Visual Studio debugging allows debug engines to run one of two ways: either in the same process as the Visual Studio shell, or in the same process as the target program being debugged. The latter form usually occurs when the process being debugged is actually a script running under an interpreter and the debug engine needs to have intimate knowledge of the interpreter in order to monitor the script. Note that in this case, the interpreter is actually a runtime; debug engines are for specific runtime implementations. In addition, implementation of a single DE can be split across process and machine boundaries (as in remote debugging).
The DE exposes the Visual Studio debugging interfaces. All communication is through COM. Whether the DE is loaded in-process, out-of-process, or on another machine, it does not affect component communication.
The DE works with an expression evaluator component to enable the DE for that particular run time to understand the syntax of expressions. The DE also works with a symbol handler component to access the symbolic debug information generated by the language compiler. For more information, see Expression Evaluator and Symbol Provider.
See Also
Did you find this helpful?
(1500 characters remaining)
Thank you for your feedback
Community Additions
© 2014 Microsoft. All rights reserved.
|
Page last updated at 14:33 GMT, Thursday, 19 June 2008 15:33 UK
Women in the British armed forces
By Victoria Bone
BBC News
Corporal Sarah Bryant
Sarah Bryant was the first female British soldier to die in Afghanistan
The death of Cpl Sarah Bryant in Afghanistan has brought the subject of women in the military to the fore.
In total, there are 187,060 members of the British armed forces, and 9.4% of them - some 17,620 - are female.
Of those women, 3,760 are officers.
The Ministry of Defence describes the contribution of all women as "essential", and says recent awards of medals for gallantry to women during operational deployments show they are serving in more demanding circumstances than ever before.
The MoD is unable to say exactly how many women are currently serving in Iraq and Afghanistan.
But some reports suggest about a fifth of the 8,000 service personnel in Afghanistan are female, even though they make up just a tenth of total military numbers.
An MoD spokesman said women do take on many key - and crucially, frontline - roles.
"Women can be employed anywhere and are involved in every operation currently going on," a spokesman said.
"What we often see is a misconception that women can't do frontline roles. They can.
"What they can't do, and it's a military phrase, is any specialisation where 'the primary duty is to close with or kill the enemy'.
"That effectively means close combat, hand-to-hand even, or other very close forms of fighting."
Some exclusions
Across the forces, the frontline roles women do take on are many and varied.
In the RAF, 96% of all jobs are open to women
In the Royal Navy, the figure is 71%
In the Army, it is 67%
14.7% of RAF officers are female, compared to 9.4% in the Navy and 11.3% in the Army
Some work in policing, as medical and media staff, or as interpreters.
Other are involved in Civil-Military Co-operation, providing liaison between the armed forces and civilian agencies, like charities, working in theatre.
Women are excluded from joining the Royal Marines General Service as Commandos, and cannot take on combat roles in the Household Cavalry, Royal Armoured Corps, Infantry and the Royal Air Force Regiment.
They can still join these units, but must play administrative and support roles.
However, the nature of modern warfare means that in Afghanistan the front line effectively starts just outside base camp.
The BBC's defence correspondent Caroline Wyatt said the Taleban - and insurgents in Iraq before them - were increasingly using suicide bombs and roadside devices rather than engaging in battlefield combat.
This inevitably puts troops - women among them - in greater danger every day, regardless of their specific role or proximity to any traditional front line.
Woman soldier in Iraq (pic: Bhasker Solanki)
Woman are also serving on the front line in Iraq
Cultural reasons
Overall, the RAF offers the most opportunities to women, with 96% of all jobs open to them.
The figures are lower for the other forces. In the Royal Navy, 71% of jobs are open to both genders and in the Army it is 67%.
In the RAF, 14.7% of officers are female, compared to 9.4% in the Navy and 11.3% in the Army.
The MoD said: "The only time women might not serve would be if there was a conflict in a country like Saudi Arabia for reasons of cultural sensitivity."
Female military personnel are entitled to 52 weeks maternity leave, 39 of them paid, and they are not considered for deployment within six months of giving birth, unless they volunteer.
Where both parents in a family are in the military, all efforts are made not to deploy them at the same time.
Print Sponsor
The BBC is not responsible for the content of external internet sites
Has China's housing bubble burst?
How the world's oldest clove tree defied an empire
Why Royal Ballet principal Sergei Polunin quit
BBC navigation
Americas Africa Europe Middle East South Asia Asia Pacific
|
Take the 2-minute tour ×
Actually i'm working on very simple ftp server. Now i have problem with sending file (RETR in ftp protocol). I'm using sockets and binary mode in my client. Files with text sends perfectly but problem is binary files (images etc.).
Here's piece of my code:
FILE *fin=fopen(fileloc,"rb");
if(fin != NULL){
fpos_t filelen;
fseek (fin, 0, SEEK_END);
fgetpos (fin, &filelen);
fseek (fin, 0, SEEK_SET);
printf("Sending file %s (%d b)", fileloc, filelen);
sprintf(sbuffer,"150 Opening BINARY mode data connection for file transfer.\r\n");
bytes = send(ns, sbuffer, strlen(sbuffer), 0);
byte temp_buffer[512];
long int totalsent;
totalsent = 0;
while (!feof(fin)){
memset(temp_buffer, '\0', sizeof(sbuffer));
fgets((char *)temp_buffer, sizeof(sbuffer), fin);
if (!active) bytes = send(ns_data, (char *)temp_buffer, strlen(sbuffer), 0);
else bytes = send(s_data_act, (char *)temp_buffer, strlen(sbuffer), 0);
totalsent = totalsent + bytes;
printf(" file size = %d, send = %d bytes, strlen = %d, total = %d, left = %d\n", filelen, bytes, strlen(sbuffer), totalsent, filelen-totalsent);
sprintf(sbuffer,"250 File transfer completed... \r\n");
My ftp client getting incoplete file with differences inside (i open files by notepad to compare). All You can see on this screen: http://i53.tinypic.com/2wcjtdk.jpg
There is also differences in file size - oryginal file is about 7kB and sent copy is about 1kB less. I used much different ftp client and there is same problem. I'm working 2 days at this problem, my cat have heat, please help!
share|improve this question
add comment
1 Answer
up vote 5 down vote accepted
In your send call you are using strlen which might work fine for text data but not for binary data. When you read from the file you need to use a call like read which will tell you how many bytes were actually read so you can send that many bytes in the send call.
share|improve this answer
To clarify: Essentially the problem with using fgets and strlen is that you are losing all the null bytes in a binary file, since a null byte is used to terminate strings. It works fine for text files because they generally do not include null bytes. – PleaseStand Dec 28 '10 at 23:19
Guys thank You. I just solved this problem thanks to Your tips. – Bury Dec 28 '10 at 23:38
add comment
Your Answer
|
Steven F Wrote:
Apr 03, 2013 6:46 PM
That number had no validity either. The CORRECT statement was that 90$ of guns the Mexican government ASKED the ATF to trace originated in the US. They didn't bother asking unless they had reason to believe they originated in the US. In short, the ACTUAL meaning of the statistic is that 10% of the guns the Mexican government THOUGHT come from the US did not. Note: The 40% number came from a SURVEY of gun owners, not from records of sales.
|
[Subject] [Date] [Moderator] Home
['Aalim Network QR] Music - Breaking the Habit
| w w w |\
| || || | || |\
| ( : / (_) / ( . |\
| |\
| |\
Salamun alaykum,
The reply to the following question was kindly provided by Shaykh
Mustafa Jaffer
Mustafa Rawji
Moderator, 'Aalim Network
Saalam Alikum
I wanted to know, as to how it is possible to break a sinning habit like
listening to Music. At times one asks for forgiveness genuinly but commits
the sin again forgetting that it is a sin. We are told in many places that
once you commit a sin and then ask for forgiveness, you should not commit
the same sin again. But what if it was a habit and sometimes one tries
very hard to break it but being human we slip and forget and commit the
sin again.
>Will Allah (s.w.a) forgive such a person? Please advice soon!!
Breaking off of a bad habit needs firm resolution and committment (needless
to say). You have been trying to give it up, but find yourself returning to
the folds of Music listeners. My advice is keep on trying and one day you
will find you have given it up totally! Do not give up trying!
Allah is very very Merciful and Forgiving. He will forgive anything and
your repetition of sins can also be forgiven provided you draw a line and
sincerely stop.
Have you sought solace in alternatives? Perhaps find something else to
occupy you during times when you get the urge to listen to Music? Try also
reciting certain Duas and performing certain actions that help a person
refrain from committing sins [eg. fasting].
May the Almighty help us all from the enticements and traps of Shaytan - Amen.
With Salaams and Duas
Mustafa Jaffer
Back: ['Aalim Network QR] Music
Forward: ['Aalim Network QR] Music - Buying cassettes/CD's
|
Joss Stone's bum double
Joss Stone's bum double
AskMen Editors
Joss Stone has admitted to using a bottom double for her appearance in a Gap advert - because her butt wasn't perky enough.
The ad features the sexy star singing and dancing with a group of pals.
But Joss confessed: "All those bum shots? They're not mine. They're other girls. That's not my bum, I promise. Apparently, I need a J.Lo bum or something."
But although Joss is happy to wiggle her bum for the clothing giant, that is definitely where she draws the line, and has slammed other female stars for baring all.
The soul sensation - who has refused several offers to strip for men's magazines - says ambitious celebrities who appear topless or in bikini's in steamy photo shoots are "disgusting" and are demeaning themselves.
She said: "It's disgusting the way these girls prance around in their knickers on the cover of FHM.
"I can understand it if you're a model but if you're a singer it undermines everything and suggests you're actually rubbish at what you do".
The blonde beauty, who has already had two platinum selling albums and scooped two Brit awards, urged stars to keep covered up.
She is quoted by Britain's Daily Express as saying: "I'm sure a lot of guys like looking at the pictures but they wouldn't want to marry these girls, would they? "My point exactly. So keep your clothes on?"
More Like This
Best of the Web
Special Features
|
Definition of 'Strong Language'
'Strong language' is language that has the potential to offend. It is not possible to compile a definitive list of strong words. Language is fluid, with new words and phrases regularly entering the public vocabulary. Also, the power of established terms to offend may change over time. For example, racist abuse or pejorative terms relating to physical or mental illness and sexual orientation have become increasingly unacceptable to audiences.
The BBC does not ban words or phrases. However, it is the responsibility of all content makers to ensure strong language is used only where it is editorially justified. The acceptability of language to intended audiences should be judged with care. If in doubt consult a senior editorial figure within your department or Editorial Policy.
The strongest language, with the potential to cause most offence, includes terms such as cunt, motherfucker and fuck (which are subject to mandatory referrals to Output Controllers); others such as cocksucker and nigger are also potentially extremely offensive to audiences.
Language that can cause moderate offence includes terms such as wanker, pussy, bastard, slag etc. Care should be taken with using such terms; they may generate complaints if used in pre-watershed programmes on television or in radio or online content and will require clear editorial justification if their use is to be supported.
Language that can cause mild offence includes crap, knob, prat, tart etc. These terms are unlikely to cause widespread offence when set against generally accepted standards if they are used sparingly and on their own. However, they should not be used indiscriminately.
Additionally, words or names associated with religion, such as Jesus Christ, may cause offence to some, but they are unlikely to cause widespread offence according to generally accepted standards. Again, we should still take care to avoid indiscriminate use.
Along with audience expectations, context is key to the acceptability of language. What, where, why, who and how are the foundations of context. Content makers should bear in mind the following:
What was said
Is the language used one of the strongest words, requiring a mandatory referral to the relevant Output Controller? Is the language racist or is it a pejorative term about sexuality, mental health or disability?
Where was the language used?
On television, was it pre- or post-watershed? On radio and online there isn't a watershed but audience expectations will largely dictate reactions to strong language on all media platforms. For example, the use of words that can cause mild offence will have more impact on BBC1 in a 7.30pm soap such as EastEnders than it would in an 8.30pm comedy such as My Family.
Why was the language used?
Does it reveal something about the person speaking, does it make a joke more amusing, does it add to the power of a dramatic scene etc.? It is always advisable to think through the editorial justification for using strong language. Audiences are more tolerant of strong language if they can understand the reason for its usage; 'is it necessary?' is a vital question for audiences and content-makers alike.
Who used the language?
Our audiences are also influenced by who uses strong language. The public do not expect presenters or journalists to use strong expressions as a matter of course but they may extend more tolerance to guests and interviewees. Special care should be taken by those presenters or performers or characters that hold particular appeal for younger audiences. In drama, comedy and entertainment in particular, well-established series, characters and performers are usually afforded more leeway than those who are less well-known or who have less "heritage" with their audiences.
Who is on the receiving end of the strong language?
The impact of strong language, insults and pejorative terms also varies according to the recipient. For example, an abusive term directed at someone with a disability will have far greater impact than the same insult applied to the non-disabled.
How was the language used, what was the tone and intent?
Tone and intent are important to audiences. Language delivered in an aggressive or threatening manner has a far more negative impact than the same language used in a humorous tone. A genuine exclamation of surprise or fear is more acceptable than the same language which has clearly been scripted.
How much strong language was used?
The amount of strong language used has a bearing on the reaction of our audiences. For example, a small number of words with the potential to cause mild or moderate offence is usually acceptable in a thirty minute pre-watershed programme, as long as it is line with the expectations of the audience. But a high proportion of such language throughout a programme or in a brief section of content will have a much more significant impact on the audience and is more likely to cause offence.
Similarly, whilst the strongest language can sometimes be broadcast post-watershed repeatedly and to great effect without causing widespread offence, audiences can be quick to spot when it serves no real editorial purpose or is designed merely to shock. For example, respondents to the 2009 Taste, Standards and the BBC research recognised the repeated strong language in The Thick of It as editorially justified - a comedy device, crucial to the bullying, manipulative role of a lead character - and had no objections to its broadcast. By contrast, respondents considered the very large number of examples of the strongest language in Gordon Ramsay's Kitchen Nightmares to be gratuitous.
Audience Expectations
Audiences have varying expectations of the different BBC platforms. In general terms, television viewers are less tolerant of strong language on BBC1 as it appeals to a broader audience than other channels, with different generations of the same family often watching together.
The vast majority of audiences understand that the 9pm television watershed signals a move to more adult content. Even though strong language - and the strongest language - is permissible after the watershed, audiences may feel it is inappropriate if it appears to be out of context, for example in charity appeals such as Comic Relief or Children in Need. Special consideration should also be given to post-watershed content which may appeal to younger audiences. And on BBC1, the broad nature of the channel's audience means the bar for the strongest language between 9pm and 10pm should remain significantly higher than on other BBC television channels.
In addition to their understanding and expectations of channels, audiences can have long-established expectations of some personalities, actors and fictional characters. If content may be stronger than the normal audience expectations for a particular performer or character, presentation information, listings and billings can all help tp signal a change of role or indicate that the content may be stronger than the audience would normally expect.
Even on radio, where there is no watershed, editorial teams should be conscious that certain slots are associated with particular types of content and appropriate scheduling is important for stronger content.
Online content connected to broadcast programmes should not exceed the expectations of the original audience; the "G for Guidance" system is available to provide informative labelling for other online content.
(See Editorial Guidelines Section 5 Harm and Offence: 5.4.4 - 5.4.5)
Changing Language: Use and Acceptability
Careful judgements have to be made about the acceptability of certain terms. In particular, words relating to minority groups that suffer discrimination are increasingly unacceptable to audiences. For example, words such as 'faggot', 'poof' or 'queer' are sometimes used by members of the gay community to describe each other; but the same terms may be deemed offensive when used by a heterosexual, particularly if the terminology is used aggressively or in a clearly pejorative manner. The use of the word 'gay' to mean 'rubbish' or in a generally pejorative way is offensive to many members of the public.
In a ruling on this issue, the BBC Governors' Complaints Committee suggested that content-makers "should think more carefully about using the word 'gay' in its derogatory sense in the future, given the multiple meanings of the word in modern usage and the potential to cause unintended offence."
Reclamation of the language has led to the term 'nigger' being used by some in the black community and terms such as 'cripple' are sometimes used humorously or sarcastically by people with disabilities. But this usage may still cause distress within these communities and is also much more likely to cause offence when employed by someone who is not a member of the community in question.
Words associated with disability or mental illness, such as 'mong' or 'retard', have also increased in their potential to offend.
Slang, patois and regional words and phrases should be used carefully as the meaning or the degree of potential offence may differ according to different audiences. For example, 'twat' is a mild word to some people, to others it is another word for 'cunt' and hence one of the strongest terms.
Classic Content
Archive content frequently raises issues about the acceptability of language for a contemporary audience. Difficult decisions have to be made about whether or not to re-version content which contains language that is now clearly out of step with popular tastes.
As with other instances of strong language, context, character and scheduling are important considerations. BBC7, for example, devotes much of its schedule to classic comedy and the station's audiences are less likely than others to be surprised by terminology which would not be acceptable in contemporary comedy. Presentation announcements also help to explain the original context of the broadcast. However, the station's editorial teams still have to make case by case judgements on whether dialogue goes beyond the bounds of acceptability and edit accordingly.
All BBC outlets should take great care if broadcasting un-edited archive programmes as straight-forward repeats in the normal schedules. Audiences will usually judge such content by contemporary standards and may take offence if terms now considered pejorative are retained in the repeat.
Bleeping and Dipping
Production teams may sometimes choose to bleep out or dip the sound on strong language rather than edit it out of a programme. In these cases, it's important to ensure the sound is completely removed and that television viewers cannot see the words being clearly mouthed by the speaker. Entertainment and factual programmes may want to suggest the existence of strong language by including the first and/or last syllables but this is not acceptable pre-watershed if audiences can easily understand what the word is intended to be.
Further Reading
This guidance is informed by the findings of the BBC's most exhaustive research into issues of taste and standards, contained in the 2009 report Taste, Standards and the BBC: Public Attitudes to Morality, Values and Behaviour in UK Broadcasting:
|
Question about raw cookie dough
1. You have chosen to ignore posts from augustbride20. Show augustbride20's posts
Question about raw cookie dough
"Don't eat the raw cookie dough!"
I'm sure we have all heard our mothers and fathers say that at least once. But is it really that bad for you, let's say 3-4 spoonfuls? I just had about 4 while baking cookies, and yes, it had raw egg in it, but I can't ever help it!
2. You have chosen to ignore posts from Celia2. Show Celia2's posts
Re: Question about raw cookie dough
Someone asked Dr. Knowledge this question a while ago. His response was that it's a gamble because of the samonella in the eggs. Dr K said that there is more samonella in eggs nowadays then there were back in the dark ages when I was a kid.
I bake all the time and let my kids lick the bowl. Yes, it's a gamble but life has to be fun. For me, I prefer freshly baked cookies over cookie dough any day. Warm cookies and milk. yum!
Already registered? Just log in:
Forgot your password?
Not registered? Signing up is easy:
|
yuenglingD.G. Yuengling and Son is now the largest US-owned brewer that makes all of its beer in America.
How's that possible? Well, both Anheuser-Busch and MillerCoors are now foreign-owned, and Yuengling has now passed Sam Adams maker Boston Beer Co., according to new estimates from Beer Marketer's Insights (via AdAge).
Headquartered in Pottsville, Penn., Yuengling is now 8th in US market share with 2.5 million barrels (up 16.9% from last year).
There are two US-owned breweries that are larger, but they don't brew all their beer within the country (Pabst Brewing Co. outsources, and North American Breweries' big Labatt's brand is made in Canada).
At one time, the brand's success could have been attributed to its position as a hard-to-get brew. But with its rapid rise, things have changed. It started to advertise more aggressively, and marched the brand out west where it didn't have much recognition.
Touted as "America's Oldest Brewery," Yuengling has taken its brand digital in the past few years too. It moved further into the mainstream with a big-name celebrity endorsement from President Barack Obama when he declared Yuengling his favorite beer.
Do American consumers actually care that most of the big beer brands aren't US-owned anymore? Probably not, judging from the performance of brands like Budweiser and Bud Light, but it does give some insight as to how much of the US beer market is controlled by companies from abroad.
NOW SEE: The 20 Brands With The Most Loyal Customers >
|
44 U.S. Code § 1910 - Designations of replacement depositories; limitations on numbers; conditions
The designation of a library to replace a depository library, other than a depository library specifically designated by law, may be made only within the limitations on total numbers specified by section 1905 of this title, and only when the library to be replaced ceases to exist, or when the library voluntarily relinquishes its depository status, or when the Superintendent of Documents determines that it no longer fulfills the conditions provided by law for depository libraries.
(Pub. L. 90–620, Oct. 22, 1968, 82 Stat. 1286.)
Historical and Revision Notes
Based on 44 U.S. Code, 1964 ed., § 84 (June 23, 1913, ch. 3, § 5,38 Stat. 75; Aug. 9, 1962, Pub. L. 87–579, § 4, 76 Stat. 353).
44 USCDescription of ChangeSession YearPublic LawStatutes at Large
|
Lode Runner (VIC-20)
Advertising Blurbs
Advertisement in Ahoy! Issue #1 (January 1984):
Here's a game that will never stop challenging you. That's because Lode Runner is more than a spellbinding, fast-action game with its 150 different mind-boggling game screens. Lode Runner is also an easy-to-use Game Generator that lets you create your own games. Without any knowledge of programming, you can easily design unique Lode Runner screens, then bring them to action-packed life. You will maneuver through scene after scene, running, jumping, drilling passages and outfoxing enemy guards in a secret underground hideaway as you pick up chests of gold stolen from citizens of the Bungeling Empire. There's no end to the thrills, chills and challenge. Of course, it's from Brøderbund! For the Apple II, II+ and IIe. Coming soon for the: Atari home computers (disk and cartridge); Atari 5200™ Super System; Commodore 64™; VIC-20™; IBM® PC.
Contributed by Tracy Poff (1257) on Jun 05, 2012.
www.hudsonentertainment.com - Wii:
The number of Lode Runner games that have been made since its inception in 1983 is staggering. This series has graced almost all of the best consoles known to man for over 20 years! Now you can re-live your old-school glory days with the release of Lode Runner for Wii™ Virtual Console™!
You are Lode Runner, a lone adventurer out to retrieve a hidden treasure from the evil Bungeling Empire. Use your wits to outpace the evil robot minions (hey, is that Bomberman?!) and scoop up the piles of gold as you search for an exit from each level. Be careful though, don’t underestimate the enemy in this classic puzzle adventure! If you get cornered, use your vaporizer gun to zap the floor from under their feet! Don’t spend too long laughing gleefully at your ill-fated foes though, they can recover quickly.
Play through 50 levels in order to complete your quest. Each stage presents its own challenges. What at first may seem to be a mild paced puzzle game quickly becomes a fast paced, nail-biting, fight for survival as you try to figure out how to reach every pile of gold while fending off the relentless hordes of baddies!
Like other Lode Runner games, the NES version was popular for its level editor. Create your own levels and challenge yourself and your friends in 2 player mode! Download Lode Runner for Virtual Console™ and play one of the most addictive puzzle adventure games ever created!
Contributed by DreinIX (9425) on May 25, 2008.
Nintendo Press Release - Wii (US):
Lode Runner® (NES®, 1-2 players, Rated E for Everyone, 500 Wii Points): This landmark action-puzzle game has been a worldwide fixture in video games from the moment of its inception until today, producing many sequels and related products along the way. The player controls the hero, or "Runner," who collects gold nuggets located around every stage, all the while avoiding capture by enemy robots. The action itself is simple, but the stages are designed as increasingly challenging puzzles, and none of the 50 stages is as easy as it seems. The Runner avoids enemies by digging holes in the floor to the right and left of his position—by doing this, he can clear a path to places that, at first glance, seem unreachable. Players must use their brains to collect all the gold nuggets in every puzzling stage if they want to escape to the next. In addition to normal play, this version of the game features an Edit Mode that allows players to design their own stages, adding a new level of enjoyment to the game.
The Official Nintendo Player's Guide (1987):
Power-hungry leaders of the repressive Bungeling Empire, a nation of car-driving, burger eaters, have stolen a king's ransom in gold from the people by means of excessive fast-food taxes, particularly from the drive-in windows. Someone must recover the gold or the food chain will be broken and the people will suffer a long and painful death by starvation and burger withdrawal.
GAME PLAY: As a Galactic Commando, you must infiltrate enemy lines and gain entry to 50 different treasury rooms to recover the stolen gold from each level. As you stealthily make your way through the dark and seemingly endless maze of rooms, you must evade the hairy, brutal and murderous Bungeling Guards, who are dying to have you for dessert. To escape their clutches, you must jump, climb, and drill your way through stone floors and barriers, with the help of your trusty laser pistol. To outsmart the deadly, and ever-hungry Bungeling Guards, you'll need more than burgers for brains. But remember, they don't call them bungeling for nothing.
Contributed by Joshua J. Slone (4621) on Mar 26, 2004.
From the Brøderbund Software Catalog 1987-1988:
A treasure hunt - galactic-style!
It starts with a nasty empire, a stolen fortune in gold, and merciless Bungeling guards. You're a highly trained Galactic Commando. Your mission is to recover the gold taken from the Bungeling people by their own power-hungry leaders. You'll be running, jumping, climbing, solving puzzles, and drilling through stone floors and barriers with your laser drill. Will you get the gold? That depends on how quick and clever you are...
Contributed by Belboz (6579) on Sep 02, 2001.
Back Cover:
You are a highly trained Galacric commando deep in enemy territory. Power hungry leaders of the repressive Bungeling Empire have stolen a fortune in gold from the peace loving people, and you've just discovered their secret underground treasury. Your goal? To recover every last ingot of Bungeling booty. You'll be running, jumping, and climbing heroically, solving perplexing puzzles, and drilling passageways through stone floors and barriers using your laser drill pistol. You'll need more than fleet feet and good looks to get through this mission alive. You'll need your quick wits and brains!
LODE RUNNER is more than a fast-action game. It's a game generator that lets you design your own puzzles and scenes! You can move, add, and take away countless ladders, floors, trap doors, crossbars, gold chests, and Bungeling enemies. It's easy, and there's no end to the variatons, challenge and fun!
• An arcade style game with 150 different puzzles and scenes
• Design your own puzzles! No programming knowledge required!
Contributed by demonlord (86) on Aug 23, 1999.
|
ACDSee Pro 3
ACDSee Pro 3 : Edit Here’s where you get more creative with your image, touching up specific areas by sharpening, changing colors, fixing red eyes and geometry, and adding text, watermarks, or special effects.
9 / 19
Bottom Line
ACDSee is a fast, reasonably priced and powerful pro-level image organizer and editor, but it falls short of Adobe Lightroom in some important capabilities.
|
Moody Blues
Bottle Rocket
"Bottle Rocket"(feat. Divine Styler, Everlast, Evidence)
Yo the rhyme excursions touch minds like brain surgeons
Feel the lyric tear gas even on clean versions
No profanic goddammit
Hard like granite to the utmost
I'm butter on rye, always high but play the low post
I stretch to go the distance yo my lungs are mad elastic
I'm dope on plastic like Flex, and always keep it....classic
Expressions in the facial, I'm on ?racial?
From Caribbean rhythms I hit em wit a battered flow pattern
The circle Saturn twice
I'm nice on ice
The line slice your dome and separate rhymes from poems
My life, ain't tryin to see no Grammy or Oscar
Best believe the styles will rub off like ?pastas?
On people, yo check Dilated, Evidence
The influential rock rhymes in sequential format
You see the doormat if you acting disaccordingly
Something to the effect of Fat Boys in Disorderly's
I'll take you from He-Man to She-Ra
Battle Cat to Kringa
Medieval messanger, west coast avenger
Take you to the street, battle me that's a fuckin sin
Go one round wit Madchild, you'll be suckin wind
Snappin handcuffs just from deconcentration
Then I broke out the bus, the mental hospital patients
On the weekend pass, but I still come sick
Psychopathic, you're dealin wit a deranged lunatic (right)
Soon to kick ya teeth in and then go bezerk
Even Van Gogh looked at me, and said "You're one piece of work"
So I said "Lend me an ear" cuz I'm the state of the art
First I'll feast on your brain and rip your body apart
There's a part of your heart stuck in between my fangs
Wrap a rope 'round your neck and you still couldn't hang
Cuz you're way off track you need realignment
Murdering masterpieces in solitary confinement
I keep your backside open like the English Channel
I rock the sure shot, I keep it hot like flannel
I'll survey your panel, put my foot up in your anal
You think it can't happen, kid cuz I'm rappin?
Ain't no gun clappin, cut the jaw-jackin
Let the joints get shot and see who wear this knot
Then kick off your shoes jump off my jock
And check the new style Whitey Ford's prune to rock
Cuz once upon a time, not long ago
Before hip hop was made for the radio
An MC show had to cold rock the masses
Used to wear a Kangol wit the clear Gazel glasses
So bang bang boogey, up jump the party
Someone clapped off, and scattered everybody
Drunk off Bacardi, high off the trauma
It's death from above, the livest dive bomber
In the squadron, I break formation
I get New York love like my name's King Sun
I T La Rock Bells till they break the dawn
Steady puff L's, I fight hell like Spawn
My moves are animated, my crew's reinstated
While you cats suspensions are up in my deminsions
We can ease tensions or we can get rowdy
So I'ma keep it on the love and do my Duty like Howdie
[Divine Styler]
Direct your short term plan, rigidalize rhyme boards wit the hoards
I'm satan dynasty killer
Reveal the cause wit the sling on down
Venom spit regurgitate death scripts I sound
Cylinder never python, Prevail Madchild
Physical justice can't rush this for now
Move faker the game time set back so don't sweat that
God don't test that, too much infinite to get at
Face the fields
Swollen Members got the iller drills
And if you wit the rhyme steel
Bust the revealings in my feelings of these dealings
I went to represent shield
I build three phases of death, the illsuion
Is the sweat that you reflect
When you feel the veil
Divine Styles circum navigate nine circles of hell
You keep on you don't stop cuz a nigga never stay still
Whatta whattta whatta whatta whattta what I'm sayin is-is that
You-you ain't ready for that chill
Comments about Moody Blues
Click here to write your comments about Moody Blues
There is no comment submitted by members..
[Hata Bildir]
|
BioWare's cancelled spy RPG 'Agent' revealed
by Alice O'Connor, Dec 07, 2012 6:05am PST
BioWare had a Bond-y, Bourne-ish espionage RPG in the works several years ago but it ended up scrapped, Trent Oster has revealed. Codenamed 'Agent,' it was the BioWare co-founder's last project before he left in 2009, and hoped to showcase the full spread of a secret agent's talents.
"The concept was to do the other half of GoldenEye," Oster told Eurogamer. "The idea being that James Bond isn't just a gun that walks around the world and shoots people. He's a suave manipulator, he's a talented martial artist, he's a secret agent. We wanted to cross that 007 with Jason Bourne, where he's been modified in some way; you're not sure what, but he's definitely deadly."
Oster explained that BioWare wanted to "push the acting side," with "very high drama, very intense scenes" like the Bourne movies' punch-ups. Ultimately, Oster said, the project "failed to survive the recession" and ended up cancelled.
However, he said, "Fundamentally EA didn't believe in the concept, and if the company's not behind it, it doesn't matter how hard you struggle you just can't make it happen."
BioWare's fellow veteran RPG studio Obsidian also had an espionage RPG in the works at the time, Alpha Protocol. That came out quite charming and ambitious, though a bit wonky, so it would've been nice to see an alternate take on the genre from BioWare.
See All Comments | 1 Thread | 58 Comments
|
Analyzing the seeds of life in asteroids
Posted by TG Daily Staff
A new look at the early solar system introduces an alternative to a long-taught, but largely discredited, theory that seeks to explain how biomolecules were once able to form inside of asteroids.
In place of the outdated theory, researchers at Rensselaer Polytechnic Institute propose a new theory — based on a richer, more accurate image of magnetic fields and solar winds in the early solar system, and a mechanism known as multi-fluid magneto-hydrodynamics — to explain the ancient heating of the asteroid belt.
Although today the asteroid belt between Mars and Jupiter is cold and dry, scientists have long known that warm, wet conditions, suitable to formation of some biomolecules, the building blocks of life, once prevailed. Traces of bio-molecules found inside meteorites – which originated in the asteroid belt –could only have formed in the presence of warmth and moisture. One theory of the origin of life proposes that some of the biomolecules that formed on asteroids may have reached the surfaces of planets, and contributed to the origin of life as we know it.
“The early sun was actually dimmer than the sun today, so in terms of sunlight, the asteroid belt would have been even colder than it is now. And yet we know that some asteroids were heated to the temperature of liquid water, the ‘goldilocks zone,’ which enabled some of these interesting biomolecules to form,” said Wayne Roberge, a professor of physics within the School of Science at Rensselaer, and member of the New York Center for Astrobiology, who co-authored a paper on the subject with Ray Menzel, a graduate student in physics. “Here’s the question: How could that have happened? How could that environment have existed inside an asteroid?”
In the paper, titled “Reexamination of Induction Heating of Primitive Bodies in Protoplanetary Disks” and published today in The Astrophysical Journal, Menzel and Roberge revisit and refute one of two theories proposed decades ago to explain how asteroids could have been heated in the early solar system. Both of the established theories — one involving the same radioactive process that heats the interior of Earth, and the other involving the interaction of plasma (super-heated gases that behave somewhat like fluids) and a magnetic field — are still taught to students of astrobiology. Although radioactive heating of asteroids was undoubtedly important, current models of radioactive heating make some predictions about temperatures in the asteroid belt that are inconsistent with observations.
Motivated by this, Roberge and Menzel reviewed the second of the two theories, which is based on an early assessment of the young sun and the premise that an object moving through a magnetic field will experience an electric field. According to this theory, as an asteroid moves through the magnetic field of the solar system, it will experience an electric field, which will in turn push electrical currents through the asteroid, heating the asteroid in the same way that electrical currents heat the wires in a toaster.
“It’s a very clever idea, and the mechanism is viable, but the problem is that they made a subtle error in how it should be applied, and that’s what we correct in this paper,” said Roberge. “In our work, we correct the physics, and also apply it to a more modern understanding of the young solar system.”
Menzel said the researchers have now definitively refuted the established theory.
“The mechanism requires some extreme assumptions about the young solar system,” Menzel said. “They assumed some things about what the young sun was doing which are just not believed to be true today. For example, the young sun would have had to produce a powerful solar wind which blew past the asteroids, and that’s just no longer believed to be true.”
The solar wind, and the plasma stream it produced, was not as powerful as early theorists assumed, and the researchers have corrected those calculations based on the current understanding of the young sun. Roberge said the early theorists also incorrectly calculated the position of the electric field asteroids would have experienced. Roberge said that, in reality, an electric field would have permeated the asteroid and the space around it, a mistake very few researchers would have realized.
“We’ve calculated the electric field everywhere, including the interior of the asteroid,” Roberge said. “How that electric field comes about is a very specialized thing; about 10 people in the world study that kind of physics. Fortunately, two of them are here at RPI working together.”
What emerges, Menzel and Roberge said, is a new possibility, based on the corrected understanding of the electric fields the asteroids would have experienced, the solar wind and plasma conditions that would have prevailed, and a mechanism known as multi-fluid magneto-hydrodynamics.
Magneto-hydrodynamics is the study of how charged fluids – including plasmas – interact with magnetic fields. The magnetic fields can influence the motion of the charged fluid, or plasma, and vice versa. Magneto-hydrodynamics had a moment of fame as the propulsion system for an experimental nuclear submarine in the 1990 movie The Hunt for Red October.
Multi-fluid magneto-hydrodynamics are an even more specialized variation of the mechanism that apply in situations where the plasma is very weakly ionized, and the neutral particles behave distinctly from the charged particles.
“The neutral particles interact with the charged particles by friction,” Menzel said. “So this creates a complex problem of treating the dynamics of the neutral gas and allowing for the presence of the small number of charged particles interacting with the magnetic field.”
Menzel and Roberge said their new theory is promising, but it raises many questions that merit further exploration.
“We’re just at the beginning of this. It would be wrong to assert that we’ve solved this problem,” Roberge said. “What we’ve done is to introduce a new idea. But through observations and theoretical work, we know have a pretty good paradigm.”
And much as Menzel and Roberge benefited from recent progress in understanding the physical conditions in an emerging planetary system, they hope their own work will advance the field of astrophysics.
“There are a lot of byproducts of this work because, in the course of doing this, we had to really zero in on how an asteroid interacts with the plasma of the young solar system,” said Roberge. “There are a lot of physical processes that we had to consider that have not been considered in this context before.”
|
Surface RT & the iPhone
I just had one little question regarding the iPhone and the Surface RT.
Don't worry, I'm not asking whether I can run iTunes and sync the device.
However I am interested as to what it actually does when I link an iPhone to the Surface RT.
Does the iPhone charge and does it see it as a camera and therefore can load the photos onto the photos app in Windows 8?
Sorry if this is a silly question but I am tempted by an RT due to the recent Price drop, and the fact it is pre loaded with Microsoft office and that is all I need my Tablet to do.
|
Do you have electronics you aren't using?
Trade it in today and we will give it a new life. Electronics don't get more valuable with age.
Here's How It Works:
Gather up your
Tell us about them,
we will make you an offer
or help you recycle them
We will give you a
shipping label and you
send in the items
We get the item, check it
over and send you the
money we offered
944.12 Tons
|
CHR-style simplification for GHC
The main problem with regarding given equations as rewrite rules (used in much the same way as toplevel axioms) is termination of the rewrite system. In particular, we need to use a crude syntactic criterion (namely, decreasingness) to reject systems of equations that might lead to nontermination, and hence, reject some good programs. This is in contrast to CHRs, where termination does not depend on the form of given equations. If we ensure that all simplification of types wrt. to type equations happens during simplification (i.e., unification etc. does not rewrite type terms), we can use CHR-style simplification in GHC for type equalities. The challange is keeping track of the coercions witnessing the various simplified equalities.
Representation of equalities
We use the equational syntax F t1 .. tn = t for relations that take the form F t1 tn t with CHRs. CHR's decomposition of expressions to conjunctions of relations promotes every nested indexed synonym application to a toplevel relation by introducing new variables. In the equational syntax that means that indexed synonym symbols occur only as the outermost symbol in the left-hand side of equations. In the t1 to tn and t, there are no further occurences of indexed synonyms. We call such equations atomic.
It appears attractive to represent a conjunction of atomic equations as a map of indexed synonym symbol to list of atomic equation. This makes it easy to apply the FD rule and to find matching atomic equations of the wanted set in the given set.
Last modified 7 years ago Last modified on Jan 18, 2007 11:22:12 AM
|
The Basket Case
by Stray
August 11, 2005
Disclaimer: I do not own Harry Potter or its characters and make no money of it. I'm not sure I would even if I owned them.
Warnings: This is my first HP fanfic which you got to see. I'm not a native English speaker, but I try. And this is going to contain SLASH! If you don't like it, you can still read it if you harbour masochistic tendencies. Flames are used to warm my cold little heart.
A/N: chapter edited for mistakes – nothing substantially changed in the plot, though.
Beta-ed by: Kathleen, Tigressa and Scarlett
8 ·m 8 ·m 8 ·m 8 ·m 8 ·m 8 ·m 8
Chapter One
Another morning dawned with the sun shining into his generously furnished spacious bedroom. The smell of delicious breakfast on his bedside table kept fresh by a charm. His body was satisfied and his sheets rumpled from last night's activity. The person whose company he had enjoyed had already vacated his bedroom before he woke up, leaving him to his esteemed solitude, as she had been commanded to do. Life was just perfect this time of the day. He liked to submerge in his thoughts and the laziness of being who he was, living the life of the rich and carefree.
He was disgustingly rich. He was strikingly handsome. He was admittedly witty and cunning. He was a pureblood wizard from an old, esteemed family, married to a pureblood witch who was praised to be one of the most beautiful women in England. He was envied, respected and bowed down to by most of the wizarding world. Draco Malfoy's life was everything he had always wished for.
He was about to celebrate his twenty-fourth birthday in a few months. He reminded himself to be proud of being so young and already having accomplished all that. Had his father still been alive, he would have been proud of his son, he thought with a self-satisfied smirk creeping onto his face.
Yes, he would be proud of him!
Sure, he didn't have the nifty job in the Ministry, as his father had had – yet. He didn't have the Minister eating out of his palm (but he was sure his father wouldn't blame him, seeing as how Granger wouldn't ever trust him, no matter what he said, did or how much he paid to 'charity' cases). She was too young to be Minister of Magic, anyway. Draco was sure that after the masses' fear of wars and Dark Lords had died down, they would realise that fact, and replace her with someone more appropriate for the position – a pureblood wizard of a respected family with more experience in politics, obviously. She was too young, too idealistic and a Mudblood to boot. Draco didn't say it out loud, because he didn't want to be accused of having chauvinistic views, but he also thought that a woman was not suited to govern a nation. Of course Draco wouldn't be too surprised if he was the one requested to take that position after the Mudblood's timely retreat. His father's teachings hadn't been wasted on him; he knew exactly how he should use the considerable amount of galleons at his disposal.
Oh, he wasn't so conceited to actually believe that he would have a chance of being elected, had he applied to the position. But an invitation would look good in his political career; even more so, if he politely refused for now, kindly agreeing to take the position of advisory to the new Minister instead. He didn't doubt for a second that he would be able to, after such measures. That would suit better his purposes, anyway; to dictate from the shadows, while other people took the blame for his actions. The only setback would be that it wouldn't satisfy his vanity, but he wasn't the impatient type. (Well, not always at least.) He knew that good things came to those who could wait - and while he was waiting, he could still manipulate the strings from the background.
There was only one issue in his life that he couldn't wait for much longer, and that was the question of an heir. He was already twenty-three, and had been married for six years – the seventh anniversary of his marriage was nearing now. And he still had no successor; Pansy hadn't got pregnant even once throughout the six long years. If he didn't know that she was equally concerned by it (for very valid reasons), he would have suspected that she used some means of contraception on purpose.
Pansy was a trophy-wife. She was blonde (now), fair, slender, willowy, elegant and refined - at least when she wanted to be - with a figure of a Greek goddess and the face of an angel (after she had surgically corrected her nose in St. Mungo's and had lost a few pounds, to meet Draco's conditions for their marriage). Draco understood that she didn't wish to deteriorate her hard-acquired perfect figure by bearing a child, but she also didn't wish to be stripped of her titles and fortune as the Lady of the Malfoy Estates. Since the two issues had contradicted each other, she had to choose, and Draco didn't have a grain of a doubt which alternative she had chosen. Nine-plus-some months of not looking perfect were worth retaining the whole mountain of galleons and her position in wizarding society.
But time was running out on them. The law of the Malfoy family – some long deceased ancestor's magically legalised last will – had declared that the prevailing Lord of the Malfoy Estates had to produce an heir of his own flesh and blood before he reached the age of twenty-five. If he failed to do that, all of his titles and the family estates would go over to his nearest kin, the next in line who had already satisfied these requisites. (That had been how his grandfather became Lord Malfoy after feeding an abortive potion to the Lady Malfoy of the time, and so successfully impending the birth of the next heir in the last moment. Of course, the deed couldn't ever be brought into connection to him.)
Draco had several cousins who would have jumped at the possibility to get his inheritance, but one of them – the most likely to get his titles if he failed to produce an heir – was the worst of all. His name was Cyrus Malfoy. He was six years older than Draco and had had a son at the age of twenty. That son was guarded like some hidden treasure, as he was the means for his father to get what he wanted – the Malfoy Estates. Cyrus, just as every other Malfoy aside from Draco and Lucius had gone to Drumstrang, so he knew his business well enough, and Draco didn't doubt for an instant that he would have to be wary of him.
Now Draco had only three months until his twenty-fourth birthday; that meant he had approximately six months to impregnate his wife so that the child would be born before his twenty-fifth birthday. After a successful conception, it was a trivial matter to ensure that the gender of the infant would be male. The method was a combination of spells and potions, which could be purchased in Knockturn Alley. The ritual, with everything involved, was a bit on the dark side of magic, but not enough so that the Ministry would feel compelled to prohibit its use. It stood the test of time as a very common practice in the Malfoy family and most likely in other pureblood families as well. The degenerative side effects had been never spoken of, as being dangerous only in the long run. (Draco sometimes wondered why centuries wouldn't count as the 'long run' in his family.) There was also the possibility of miscarriage, but seeing that he could afford the best of the medical personnel and security measures, he wasn't overly worried about it. Besides, he would have plenty of time worry after he succeeded in getting his wife pregnant.
For the first few years of their marriage, they hadn't been overly concerned by the issue of an heir. Why should they have been? They had had time – or so they had thought. Neither of them had felt the need to have a child at such a young age. Instead they opted to enjoy their newfound freedom that their marriage brought them - as strange as that might sound -, and spend some of the money that had come with their becoming the new Lord and Lady Malfoy.
They hadn't married out of love, few of the members of rich pureblood families ever did. Sure, they had liked each other enough. They had a 'fling' – as Pansy liked to call it – with each other over the years they had gone to Hogwarts, and after it had ended, they still could tolerate each other's company enough to live under the same roof. But neither of them wanted to force the other to dedicate themselves completely to their marriage. Both of them were released from their parents' supervision, were of age and were free to do as they wished – with certain boundaries. Both had a row of lovers and flings – it had been tolerated if not expected of them, seeing as who they were. Discretion of course was a must, but both had been already experienced in the art of secrecy.
They hadn't ever been in love with each other, that was quite obvious. Not that either of them could relate to that particular phenomenon from close up. They understood each other; their personalities were similar, even if their field of interest was not. They considered the other a friend (in Gryffindor and Hufflepuff translation, closer to a business affiliate). So after Draco's twenty-first birthday – during the fourth year of their marriage – when there still had been no sight of a progeny, they had come together and sat down to a conversation regarding the matter.
Draco had insisted that Pansy see a mediwitch and be examined for the possible cause of her infertility. When Pansy had brought up the matter that maybe Draco should do the same, she got the answer that it had been already done, and the result had unquestionably confirmed that he wasn't at fault in their inability to produce an heir. Pansy noted the statement and submitted herself to the examination by no fewer then four mediwitches and wizards. All of the examiners had given the same result: she was in good health and hundred percent fertile.
So the next two years were spent with Pansy imbibing strengthening and fertilizing potions, counting ovulation periods and utilizing them to full extent while serving one's obligation as a wife – all that to no avail.
Now, with only six short months to spare, the time had come when Draco Malfoy had seen appropriate to give way to despair.
Draco Malfoy was an unparalleled individual. His uniqueness lay – true to a former Slytherin – in his exceptional ability of bending the facts. He was so good at it that most of the time he was able to convince not only his subjects but also himself of the truth of certain statements. When he had told Pansy that the fertility of his seed was not to be questioned, he merely expressed his wish for it to be so, when he had no real facts to underlay its authenticity whatsoever. Sure, he had always believed in his own perfection, and to undermine that belief with something as ridiculous as sterility would have been unthinkable. So the thought hadn't even crossed his mind. The little white lie, that his condition had been already examined and declared impeccable, had come naturally to him, and the truthfulness of the second part of that statement hadn't been ever questioned by his mind – until this time.
Now, lying in his bed early in the morning (it couldn't have been later than half past ten), he felt very foolish, thinking about it and questioning his sanity. Of course he was not faulty! He was a Malfoy, for Merlin's sake. Malfoys were perfect; that was almost a law of nature, much like gravity. No one questioned gravity, and not ended up in St. Mungo's psychiatric ward!
As ridiculous as the idea seemed, though, it had somehow found its way into his thoughts every time he didn't wish to question his state of mind, and had driven him nearly mad. So he had decided– just to ease his mind – that he would undertake the necessary measures and let himself be examined by a specialist who could then tell him that – just as he suspected – everything was in perfect working order with him; and then he would Obliviate every person who had witnessed this embarrassing manifestation of this uncharacteristic and un-Malfoy-ish insecurity. At least the thought that he would get to manipulate people into acknowledging his superiority was Malfoy-ish, and therefore made the whole scheme if not entirely acceptable, at least a bit more all right.
He had gone so far as to inquire about the requirements of such an examination in St. Mungo's. Of course, he paid the personnel who got involved to shut their mouths until it was over and then he would get to Obliviate them. Also, he had given the name of Pansy as the future recipient of the examination. Not much later though he realised that he couldn't possibly keep it in secret from everyone. The bucket of ice water hit his face when the social column of the Daily Prophet had released an article about the Lady Malfoy's possible malady of gynaecological nature. He had been lucky that Pansy, when she had first heard of the news, had thought that the Prophet had got wind of her earlier examinations and written about it just now and hadn't connected the news with her husband.
He had been distressed about the matter, but then realised that he had gone way too far to quit now. If he didn't pull through with this, he wouldn't ever find his peace of mind. He noticed that he was far too distraught to be able to deal with the matter rationally when two weeks later he had found himself sitting in the waiting room of a Muggle Urologist Doctor's practice as the nurse called his assumed name. For a second he debated weather or not to stand up and run as far away and as quickly as his feet would allow, but his body thought differently and brought him obediently into the examination chamber.
The procedure had been infinitely embarrassing and uncivilised, but at least it had been short. He tried to forget it as quickly as he could after he stepped outside of the building. The results arrived in his Muggle post office box he had set up for this reason only, two weeks later.
'Low sperm count' – the 'urologist' had written. Whatever that may mean, he wasn't about to believe a Muggle charlatan! Whatever had possessed him to take up such a measure? He was a Malfoy, and Malfoys were perfect. Who was a lowly Muggle to ever question that fact?
|
He's Always There
Disclaimer: Still don't own
This story is writen for K Hanna Korossy's Fan Fic auction and is dedicated to Sylia91 for her generosity in helping a fellow fan fic writer. The auction raised over $1600
Summary: Dean's always there whenever Sam and John need him. Sylia91 requested a fic about how John and Sam would cope without Dean as a buffer. This is not a death fic, and Dean's still in it plenty. TeenChester, Dean is 17 and Sam is 13.
A/N: Thanks to Ridley C. James for letting me borrow her concept for the subject of Dean's essay.
A/N: The usual thanks also go out to Soar for agreeing to beta this, and for her continued support and encouragment. Thanks also goes to Sinead-Conlan and JuliaAurelia for their feedback.
A/N3: I know that I have other stories that are still waiting to be updated and I promise I am still working on them, this was for such a good cause I couldn't say no. I do have several prewritten chapters so it shouldn't be too long between updates.
A loud groan accompanied the buzzing alarm clock. A short time later, a hand snaked out from under a mound of blankets, smacked the snooze button, and quickly made its way back under the covers.
It seemed like he had just gotten back to sleep when the annoying sound resonated again throughout the small room.
"'Time is it?" A sleepy voice mumbled from the bed on the opposite side of the room.
"5:30," the boy answered tiredly as he tried to stifle a yawn. Damn, 5:30am came early.
"It's too early," thirteen year old Sam Winchester whined as he snuggled deeper into his blankets.
"It's okay, Sammy," Dean said. "Go back to sleep, I'll wake you at 7:00 like usual."
"Why you getting up so early?"
17 year old Dean Winchester reluctantly threw the blankets off, shivering slightly in the cool morning air. "Go back to sleep," he said again.
Sam rolled over and looked at his brother. "You didn't do your homework last night, did you?" Sam accused. "Dad said if you got any more detentions..." he trailed off.
"I got it covered, Sammy," Dean said with an air of confidence.
"I hope so," Sam said and turned so that he was facing the wall once again.
Dean rose from his bed and grabbed the threadbare robe that was hanging on the back of the bedroom door. He really needed a new one, but money was tight and Dean knew that the last thing money would be spent on was a new housecoat. He wrapped it tighter around himself and, gave one last, longing glance at his bed before exiting the bedroom and stepping out into the kitchen.
The first task to be completed on this early winter morning was to plug in the coffee maker. He could hear the wind whipping around outside and he knew it was probably freezing out. While it was nice that they had rented a house instead of staying in a motel, it also meant extra expenses. Utilities had to be paid and heat was expensive and money was tight, so Dean usually kept it low and bundled up with sweaters or blankets. He needed to keep a tight rein on the money if he wanted to have enough for the rent and groceries.
To try and stretch the money to make ends meet, Dean had joined a mentoring program at school. He was paid 5 dollars an hour to tutor students in math. He usually worked for two hours, twice a week. 20 bucks didn't go far, but it did make sure that he and Sam wouldn't starve, and it was paying for his brother's upcoming field trip to the planetarium.
When the aroma of freshly brewed coffee filled the air, Dean opened the cupboard, grabbed his favorite mug, and poured himself a full cup of the steaming liquid, wrapping his hand tightly around the hot cup, trying to warm his hands.
He sat down at the table with his backpack, unzipped it, and pulled out his history textbook and tried to study for his test.
It was tough to concentrate because he was so tired. It had been after 1 am before he'd gotten to bed the night before.
Dean rarely had a spare moment to himself. He was in school from 9 to 4, Monday to Friday. After school, Sammy usually had some activity to go to, or he needed a ride to his friend's house.
While Sam was occupied, Dean usually tried to get the household chores done. One would think that a single man who was rarely home, and two teenage sons who were mostly left on their own, would have a messy house. Nothing could be further from the truth. John Winchester was an ex-marine and Dean was expected to keep the house in tip-top shape.
It was easier said than done. The house John had rented had definitely seen better days. The paint was chipped and peeling. The windows were all draughty, and there was a leak under the kitchen sink, which Dean had already tried to repair three times. The floor was stained and no matter how many times Dean scrubbed it, it just wouldn't come clean. He knew he should call the landlord about the sink, but Dean had a feeling the guy wouldn't come anyway, and it went against the number one rule that he was expected to follow at all times.
Look out for Sammy.
Calling the landlord could alert someone to the fact that two young boys were by themselves. Someone could get nosy and ask too many questions. Dean had hunted and killed things that nightmares were made of without flinching, but nothing scared him more than those three letters, CPS. Child Protective Services. No, he couldn't risk someone coming and taking Sammy. He couldn't let his family down like that. His dad was counting on him.
After chores, Dean helped Sam with his homework, and the brothers did the physical training and Latin exercises that their father insisted on, or he researched for his father if John called and needed help.
Dean really didn't mind helping out, he would do anything for his family, but sometimes, he just wished there were more hours in the day, or it was summer and he didn't have to go to school, or even better, that his father would let him drop out. He had already approached his father and asked if he could, but John made it clear that wasn't happening.
With all his other responsibilities, it wasn't surprising that all this was taking its toll on Dean's school work. It wasn't that he didn't understand the work, or didn't want to do his homework; it all came down to time. Schoolwork was last on Dean's priority list. There were several times when Dean just didn't bother to do it. If he was lucky, he was in an over crowded school with teachers who were overworked, or burnt out, or just didn't care.
Right now, he wasn't so lucky, though. They had managed to find a house that was in a decent neighborhood, and the local high school teachers actually cared when they saw one of their students not working to his or her potential.
Dean found himself in detention every time he failed to turn in homework. Then the phone calls started. John Winchester had not been pleased when he had gotten a phone call when he was away on a hunt. He laid down the law with his eldest. No more missed tests, late assignments, or incomplete homework assignments or else.
He was trying, he really was. The problem was that his father wasn't helping the situation any.
When Dean had gotten home from school last night, he had fully intended to spend the whole evening catching up. He had a major creative writing assignment for English, a big test in history, plus physics, social studies and French assignments to complete.
Since his father wasn't due back, Dean had decided he would skip the chores and catch up on them that weekend. Then the phone rang.
John had run into a snag on his hunt. He and Caleb were hunting a fear demon and they needed to know how to block the thing from exposing their worst fears. John couldn't find anything on them in the local library and he wanted his son to try and find something.
Dean knew, without a doubt, that the local library wasn't going to have much, if anything. He knew that he was going to have to drive about 15 miles to the university in the next town. Caleb and his father had gone to the hunt in the Impala, and the Winchesters' friend had left his car for Dean to use so the boys weren't stuck without transportation.
At the university, Dean smooth talked his way in, and looked up the information his father needed. It hadn't taken too long as this library had an impressive set of folklore and mythology books. What had delayed him was that Sam was in his element. He didn't want to leave. He was so excited by all the books that they had stayed and extra hour and a half. Dean cursed himself and wished he had brought his homework with him. He did get some paper and a pencil off Sam and jotted down some ideas for his writing assignment.
When they got home, it was after 8, and Dean got supper for Sam. He had almost been tempted to stop for pizza, but they desperately needed groceries and couldn't afford it. After a quick dinner of macaroni and cheese, they had to do the Latin exercises that their father insisted they complete daily. Dean knew they should be doing their physical training, but it was getting late and he still hadn't started his homework.
He wasn't even sure what he wrote on his physics essay. He read the assigned chapter for social studies and conjugated verbs for French.
For English, they had to write an original short story, so Dean knew that he couldn't just regurgitate the events of a hunt, they were based on urban legends. One of the things on his list was his life story. It would certainly make for interesting reading and it certainly sounded like fiction, as no one would believe it.
An idea occurred to Dean. Maybe he could write it and just change a few things. He worked long and hard making up a story that contained fire beasts and dragons and princes and princesses. Dean smiled when he finished it. It wasn't often he was proud of something he had done for school, but he was proud of his story. Maybe he would even get a B or B+, and his father would be proud of him too.
The only problem was that by the time he had finished, it was after 1 am. This was why he had set the alarm for 5:30 am, and was sitting here shivering in the cold morning, trying to study for his history test.
About an hour later, Dean looked at his watch, put down his history book and stretched as he rose to go call his brother. Making his way over to the fridge, he groaned as he realized that couldn't put off getting groceries any longer. Today was also the day he was scheduled to work at the student resource center, so he'd be late getting out of school, and there was no way he could skip the physical workouts two days in a row. His creative writing assignment was done, but he also had a book report due and he still had three more chapters to read in his book.
He just wondered where he was going to find the time. As much as he hated to, he would have to tell Sam no if he wanted to do something after school.
"Morning, Dean," Sam said as he came into the kitchen and accepted his pancakes.
"Morning, Sammy," Dean replied as he sat down next to his brother.
"I can't wait for school to finish today, my friend Tom said I could come over to his house to play his new Nintendo game," Sam said excitedly.
"Um, Sam…" Dean didn't want to say no, but he had to. There was too much to do.
"I told Tom you'd give us a lift. No need for his mom to make an extra trip, right Dean?"
"I have to work at the student resource center. I don't think I can..."
"Come on, Dean. It's the new Mario brothers."
"Alright, I'll drop you off and then I'll head back to school." He couldn't disappoint Sam.
"Why don't you just skip it for today?"
Because the 10 bucks I'm going to earn is what's going to feed you tomorrow. "I made a commitment," was what he said out loud. "I'll come back for you after 2 hours. That's its, Sam. We have to get in some sparring and do our Latin. Plus we have our homework."
"Thanks Dean, you're the best," Sam said with a smile.
School seemed to drag on forever that day. All Dean wanted to do was find a dark corner and catch a nap. He knew he had failed his history test. He wasn't sure, but he thought he might have actually drifted off for a couple of minutes. He had four questions left and 10 minutes of time and the next thing he knew, the bell had rung, and the four questions were still unanswered. This meant that his father was getting another phone call. He skipped lunch and went to the library to try and do a bit of reading. He was in such a bad mood by the time he got to English, he was convinced the story he had been so proud of the night before was complete crap and he was getting another F. After school, he dropped Sam off and went back to the resource room where he was a half hour late, so he only earned $7.50, rather than his full $10.
More than one time that day, he wished he could just drop out, but his father had threatened him with bodily harm if he tried. Maybe he could skip school for one day. Maybe I could just kill myself and save dad the trouble.
After picking up Sam, Dean spent the last of the money on groceries and really hoped his dad didn't get hung up. The 20 bucks a week Dean earned wouldn't go far, especially since rent was coming due.
Jessica Monroe sat at her desk as she dismissed her class of 11th grade English students. School had ended for the day and she wanted to get started on grading the essays.
She gave this assignment ever year, hoping to finally have a student that showed some originality with their creative writing assignment.
She finished grading one student's story, which was basically just sleeping beauty with a different title when she came across Dean Winchester's.
"In The Company of Dragons," she read the title out loud. "Wonder what this one was based on?" She was very pleasantly surprised.
The story revolved around young Prince Samuel, whose mother had been killed by an evil fire beast. After the queen's death, Samuel was taken to the castle of the benevolent Astorim, a white dragon who looked out for all the dragons in his kingdom, and offered shelter to those that needed it. At the castle, Samuel came under the protection of three dragons. Onathan'Jay, the black dragon, who was leader, Belac, the red dragon and second in command, and Athewm, the green dragon, who was a sentinel dragon is training.
Although the plot was simple, the story had everything. There was love, Onathan'Jay had been in love with Prince Samuel's mother and would stop at nothing to get revenge. He even sometimes put that in the way of his duties to the other dragons. The loyalty and the devotion of Athewm to keep Samuel safe was heartfelt. Jessica could really feel the bond between the two characters, as if they were real instead of fictional. The friendship between Belac and Athewm was extremely well portrayed. The verbal sparring matches between them had made her laugh, but you got a clear sense of Belac's unyielding support of Athewm and the prince, and his desire to keep both of them safe. There was action, a big battle between the fire beast and the dragons. She cried with happiness when, at the end of the story, Athewm's wish for them to all be a family came true and they lived happily ever after in Astorim's castle.
Jessica set down the essay and wiped a tear from her eye. Dean had a real gift for story telling. She didn't even hesitate to mark a big A+ across the cover, despite some weakness in grammar and spelling. Jessica felt the story actually had the potential to be written into a multi-chapter fiction story and published.
This confirmed what Jessica had suspected, that if Dean wasn't lazy and put a bit of effort into his work, he'd be a straight A student.
Her eyes landed on a brochure that was sitting on the corner of her desk. It was for a student writing competition called Future Writers. It was a really big deal to win. The winning story received a $1000 in cash, and the essay was published in Education Quarterly, which was a popular magazine in academic circles. Plus the student's school also received a donation. Jessica had heard of students that had won the competition who often received academic scholarships to university. The organizers even came to the school and there was an awards ceremony for the winning applicant.
She grabbed the entry form and sent off Dean's essay. She felt Dean had a real shot at winning.
One Week later
Jessica was sitting at her desk trying to keep the smile off her face. She had gotten word that Dean's story had taken first place, as she had known it would, and the awards ceremony was going to take place in another week, during the end of term presentations. She couldn't wait to tell him.
"Good afternoon class," Ms. Monroe greeted her students. "I have your stories that I want to hand back to you. Then we'll go over the areas where I found most of you were struggling."
Dean slouched in his desk trying not be noticed. He was already in trouble with his dad for failing his history test. To say his father hadn't been pleased was an understatement, when he had returned from his hunt to a phone call informing him that if Dean's grades didn't improve, he was going to have to go to the resource room for tutoring. Dean had gotten a lecture from his father that he had better shape up. He was dreading getting his essay back and showing his father another F.
"There was one A+ in this class."
The classroom started buzzing with student comments. Ms. Monroe was a tough grader and an A+ was rare in her class.
"The story was so good I entered it in the Future Writers contest."
One of the students, Alana Macgregor, smiled. It had to be her. She was the teacher's pet. She opened her mouth to accept the award and the words died on her lips when the teacher made her announcement.
"The story won first place. One week from Monday, at the end of term awards ceremony, there will be a special prize awarded to Dean Winchester for his story In the Company of Dragons. Congratulations Dean," Ms. Monroe said as she handed Dean back his essay.
Dean didn't even try to keep the smile off his face. He hadn't even really put any effort into that story and it had gotten him an A+. Suddenly, none of his other problems mattered. He couldn't wait to get home and tell his father.
"Dad, guess what?" Dean said excitedly when he got home that day.
"What Dean?" John said with a touch of irritation in his voice. He was researching a hunt. He thought he had gotten wind of a succubus and was trying to do some preliminary research.
"I got an A+ on my English story."
"About time," John said dismissively. "I can't afford to have you tied up at school for extra tutoring."
"That's great, Dean," Sam said sincerely.
"Thanks, Sammy," Dean said, glad at least one person was happy for him. He had hoped to use the money to get a second hand car. He and his dad could fix it up. "That's not the best part. It won a writing contest and next week, there's an end of term awards ceremony and I'm getting a prize. There's a plaque and a check. It's a 1000 dollars dad, maybe I could get a second hand car so that..."
"The Impala needs a new transmission," John interrupted.
"I could use some new clothes. My pants are getting way too short," Sam added.
"When do you get the check?" John inquired.
"Next Monday. Will you and Sam come to the..."
John cut him off. "Any way to get it sooner?"
"Um, I don't think so," Dean replied. His good mood was deflating faster than a popped balloon. He should have known better than to try and talk to his father when he was researching a hunt.
"Hopefully I won't need to leave before you get it," John replied. "You boys go start your homework."
"Dad, the award ceremony, you and Sam are coming, right?"
"If I can," John said and Dean wondered if his father had even really heard his request.
"Sure dad. It's not a big deal," Dean said trying to pretend it didn't matter. To his utter, humiliation, he could feel tears prickling at the corner of his eyes. He should never have said anything. His wish of wanting his father to see him walk across the stage and have everybody clap for him, seeing his dad smile and say 'that's my boy' to the person sitting next to him, quickly faded. It was replaced by a new one. He wished he knew how to make his father proud of him.
"Can you go the university and bring me back some books?"
"Sure dad," Dean said, grateful for the escape.
John watched as Dean walked out of the room, a smile gracing his lips. He was proud of Dean. Why didn't you tell him that then, you idiot?
John heard Sam ask to go with his brother again, and Dean telling him to get his jacket. Making a decision, John decided that he was going to go with them and that he wanted to read his son's essay, so he put down his books and got up, hoping to catch Dean before he left. No sooner had he gotten out of the chair than he heard the front door slam shut.
In the car, Dean looked over at his brother. "Sammy," Dean said to his brother. "Like, I told dad, it's not big deal if you can't come. I'm not even sure I want to go myself, but if I do, would you like to see me get my award?" He hoped he sounded like this was no big deal, despite the fact that, to him, it was.
"Sure, Dean," Sam said not even looking up from his book.
Over the following week, Dean tried to save his tutoring money to see if he could get a second hand suit jacket. The one he had was too small in the arms and was stained. He had surprised himself by how much he was looking forward to the ceremony. He was proud of his accomplishment and the money would benefit his family.
The day of the actual award presentation did not start out very well. The first thing Dean found when he woke up that morning was a note from his father telling him that he had something to check out, and that there was a list of chores and errands he needed Dean to complete.
Dean bit back a groan when he saw how long it was. It would take most of the day to complete, and it would be really cutting it close to the start of the presentation. Not only that, his father had the car, so he was going to have to take the bus.
He dropped Sam off at a friend's house, knowing that it would be quicker if he was by himself. When he was done, he got home a half hour before he had to be at the school. A super quick shower and he should just be on time.
When he got out of the bathroom, he found his father waiting for him.
"Dean, I need you to go back to the university tonight. That succubus turned out to be an incubus. I'm back at square one."
"But..." Dean started. He couldn't. He would be late.
"Problem?" John asked, his tone implying there better not be.
"No," Dean said despondently. He had been told that his award was the last one being given out. He could be late. He didn't necessarily have to be there right at the start.
"Dean, on the way back, I told Tom and Mark you didn't mind picking them up. Dad said we could go to Fun Zone," Sam said naming a popular hang out for the junior high crowd. It was a recreation place that had an arcade and mini-put and other things. They had also just opened the new go-kart track.
"When was this?" Dean asked.
"Friday," Sam said.
"Were you planning on asking me?" Dean asked, a touch of irritation in his tone. If Sam was at Fun Zone, Dean was expected to stay and keep an eye on him.
"Sorry," Sam replied in a tone that was anything but. "I forgot. It's not like you had plans anyway."
For the life of them, Sam and John couldn't understand why Dean looked like he had just been physically slapped.
"Dean?" John questioned as a thought slipped into his mind, but wouldn't make itself known.
Dean slammed his mask into place quickly. They forgot. They had both forgot. His one big accomplishment and they had forgot. Oh well, it was just a stupid plaque anyway, and the check they could just mail to him. What was the big deal about this stupid award anyway? It didn't mean anything.
"Nothing dad," Dean blurted out. "You know me. Never any plans," he said sarcastically. "Come on Sam. Dad's waiting for his research."
Dean decided then and there to blow off the presentation. He and Sam went to the library and got John's information. On their way back, he couldn't help but think of the ceremony that was starting without him. I don't care about it, he told himself.
The wind was picking up and it was snowing. Dean was so busy trying to convince himself that he didn't care about anything, that he wasn't paying as much attention as he normally would.
He pulled up to an intersection and stopped for the red light. When it turned green, he robotically stepped on the pedal and pulled into the intersection. He didn't see the drunk driver go right through the red light.
The next thing he heard was the sound of grinding, crashing metal, and a sharp pain in his left leg before everything went dark.
Please read and review.
|
Part 11
"Now where is it?" Spike muttered to himself. He searched through a small chest, in the corner of his crypt, that held his few cherished items. "There you are!" he said triumphantly, pulling out a small wooden box. He dusted off the worn-looking container and opened it carefully. Inside was a tiny, very tarnished ring. He took it out and held it up to the light to examine it. It was a simple silver band with a delicate filigree design. He couldn't believe that he still had it after all these years. He remembered finding it one morning in the palm of his hand when he woke up. He had never known where the ring had come from but had carried it around and considered it to be a lucky charm, like a rabbit's foot. Somehow, he had always felt that the ring was special, that it meant something. He had died with the ring in his pocket and had later been buried with it. Spike squinted and tried to read the tiny inscription on the inside of ring. It was almost entirely blackened by age making it nearly impossible to decipher the delicate lettering. He moved closer to the nearest candle until finally, he saw it. Just three letters: "BAS."
"Buffy," he whispered, realizing for the first time how the ring had come into his possession so many years ago. He wondered if his regard for the Slayer was somehow a result of Buffy's interaction with William. He knew that his romantic notions defied all reason, and perhaps… He shook his head – it didn't matter. There was no point in trying to analyze or explain his affections for her, he just knew that he loved her, that she felt something too and whether it be extreme hatred or love, their feelings for each other would always be intense. Spike kissed the ring and put it in his pocket. "My lucky charm," he said smiling to himself.
He climbed the ladder to the ground level of his lair and noted that the sun had nearly set. He had plans for the evening. After he had walked Buffy home from the alley on the previous night, Dawn had invited him over for dinner and had refused to take no for an answer. She had been relieved to have Buffy back and grateful to Spike for retrieving her. He had hesitated before accepting the invitation, first turning to Buffy who nodded her okay. Spike's stomach lurched as he imagined young Dawnie concocting a special meal of watery, blood soup, coagulated, blood casserole, and perhaps some jiggly, blood gello for dessert, all in his honor. He shook his head. Actually, he doubted there would be blood on the menu at all. Dawn seemed to cook things involving peanut butter and bananas. His stomach lurched again at the prospect of such a meal.
"Maybe we could even rent some movies to watch afterward," Dawn had said. "I'm dying to see the latest Freddie Prinze, Jr. movie. I think it just came out on video."
Spike had rolled his eyes. "Oh lovely!" he had commented under his breath.
"Or you could choose whichever movie you want Spike," Dawn had offered.
"No, Freddie it is!" Spike had conceded. He had even offered to pick up the videos on his way over to the house.
Spike smiled as he thought about seeing Buffy again. He planned to convince her to go to the Bronze with him later that night for a drink and maybe after that…His smile widened. He could tell that she was starting to warm up to him. He considered her not yelling at him after sex a major advancement in their relationship. He hoped that her new attitude toward him had not been left behind in the 19th Century. Spike knew he had a long way to go in winning Buffy's affections, but he had seen progress and felt somewhat encouraged.
When Spike reached the video store he felt a little lost. It was actually the first time he had gone into one of those places to rent a video. He recalled having visited a Blockbuster several years ago for a "late night snack," but that had been the extent of his experience with such establishments. Although he did have a television, he didn't own a VCR. Uncertainly, he perused the "New Releases" section for anything with Freddie Prinze Jr. in it. Having no luck, he was forced to ask the store clerk for help. He thought that he now knew how men must feel when they were sent to the drug store to buy tampons and other feminine type products. His stones were feeling very small and shrinking by the second. "Uh, my girlfriend's kid sister is a Freddie fan," he explained to the clerk who led him straight to the appropriate video.
"Who are you calling your 'girlfriend'?" a female voice behind him wanted to know. Spike spun around to find Buffy standing close behind him. She smirked at him.
"What are you doing here, Slayer?" he asked, scowling.
"I figured that you might need some help." Buffy grabbed the video from his hand. "I mean how did you even expect to rent a video here? You need to sign up for membership and give them a credit card. Do you even have a credit card?"
"Well no. I'm not exactly a good credit risk. And besides, I've never had much of a need to get one. It's much more fun to nick whatever I want. Sort of a challenge, eh?"
Buffy shook her head. "Vampires!" she muttered under her breath. She started to look around for a second movie. Not seeing anything else in the "New Releases" section, she began to go down each of the aisles.
Spike followed quietly behind. When they reached the "Horror" section he paused and scanned the titles for any movies about Jack the Ripper. He was curious to see if his killing the villain had made any impact on history. Surprisingly, he couldn't find any videos on the notorious murderer. He recalled a recent film starring Johnny Depp that had been in theatres during the summer. He went over to the girl at the counter to inquire if the movie was out on video. She had not heard of it. "No," she said. "The only movie with Johnny Depp this summer was 'Chocolat II'."
"Hmmm." Spike scratched his chin. "And you don't have any other movies on Jack the Ripper?"
"Who?" the girl asked, puzzled. "Never heard of him."
Spike shrugged. "Ah, never mind sweets. He was no one of any consequence, anyway." The vampire then went off to find Buffy. He found her in the "Drama" section, intently scanning the titles. Spike stood next to her and began looking at the rows of mostly chick flicks. One of the videos caught his attention. He picked it up and started reading the summary on the back. Curious, Buffy snatched the movie from his hands.
"Hey!" he protested. "That was rude."
Buffy stared at him and held up the box. "The Accidental Tourist?" she asked. One of her eyebrows arched sharply and her mouth formed a smug, thin line, curving up slightly on the right.
"Yeah, well…it's a good movie." he explained trying to sound nonchalant. "I mean it's got a good message and all."
Suddenly, Buffy's smirk turned into a wide smile and she shook her head in disbelief. "I love this movie!" she said looking at him, astonished that they had actually found something in common. "And it does have a really good message." She tucked both videos under her arm and proceeded to the rental counter. She was amazed at how Spike could surprise her at times and wondered if they would find anything else in common. Perhaps, if she gave him a chance…she thought to herself that maybe she just might. After all, she kind of liked surprises.
|
I do not own anything of either Harry Potter or Stargate
Thanks to the stories Oma's choice, The Next Great Adventure, and Fighting the Gods. These are all really good Hp/SG crossovers and if you haven't read them, I encourage you to do so, they were part of what inspired me to (finally) write this fic.
July 3, 1987
Little Whinging Public Library
Harry wasn't a very sociable child. Where other children often spent their time running around and screaming at the top of their lungs, he spent most of his time in the Library, his Sanctuary.
At school, he had no friends, no real mentors, no one that really cared what he did. He was 'that troubled child', the one whose parents died from drinking and driving and was taken in by the Dursleys out of the goodness of their hearts.
He scoffed at the thought. The Dursleys had no hearts. Petunia and Vernon were married, but they did not truly care for each other. He could see it, the way that they had no shows of affection for each other, while they gushed over their whale of a son. It was almost…sad.
Not that he really cared for them though. As long as he could remember, they had hated him. He had vague memories of a smile, of music and laughter and green eyes much like his own. But after a while he dismissed them as wishful thinking, a hope for love in a house in which he received none. Hell, the Dursleys treated him like he was a disease they could never be rid of, something to be ignored and hated at all costs. And he had done nothing to them.
They said he was unnatural, freaky, a thing, but when had he done anything that was out of the norm for a kid? Besides reading. Or staying indoors (though that was mostly because of Dudley), or never showing a smile or any other emotion in their presence(again, the Dursleys fault). It was like they expected him to turn them all into toads.
He could tell that it unnerved his teachers in school, how quickly he picked things up, how he always knew the right answer, but to be honest, he couldn't really care what they thought. It wasn't like they cared about him. It wasn't like anyone actually cared about him, so who would care if he just disappeared?
He shook his head wistfully. He was not the most physically inclined kind of person, especially because of his age. It would be insane, idiotic, to leave the Dursleys for the unknown , even with the slaps and punches and verbal abuse every day. For all he knew, he could be kidnapped by one of those 'bad men' that their teachers in school were always warning them about.
He gasped lightly from his seat as a painful twinge made its way through his heart. That was the fourth time this week, and the second one today. He knew it had nothing to do with his heart, and it felt too sharp for growing pains, but other than that, he had no clue. He doubted it was something that would kill him, after all, what kind of childhood sickness would allow him to live this long without medical intervention? He also knew that even if it were something that was life threatening, the Dursleys would hardly take him to the hospital. They would be happy if the freak, the burden in their lives was gone for good, six feet under, pushing daisies, and so on.
Harry shook his head to clear out the unwanted thoughts. He hadn't come to library to ponder his unhappy life. He had come here to study more maths, given that the multiplication tables he had already mastered weren't even taught until third grade. And so, he had brought a few scraps of paper from Vernon's office, along with a few stubby pencils, to take some notes. He only had until midday before he had to leave.
By the time he returned home, the pains had happened twice more, and in smaller intervals than the last two. He was starting to feel just a little worried. He had a decent pain tolerance, mostly thanks to Dudley and his little gang, but the last pain had really hurt, enough to make him hiss loudly.
He started to do the cooking, hearing the slam of the door that told him Dudley had come home from the park. His cousin was a menace, a fat bully that chased all of the other children around the park and acted like he was the king of the world. He heard the TV switch on and let out a sigh of relief. The boy took almost every opportunity that he could to get Harry in trouble, messing with the chores he was given, tearing up his homework, you name it, Dudley had done it. And of course, since he was the perfect child that could do no wrong, his parents ignored anything the remotely said he did something bad, even his teachers at school. Harry hid a small smile at the letter the school nurse had sent them with her concerns over his cousin's weight. The boy was only seven and he was already considered overweight, nearly obese.
"BOY! WHY HAVEN'T YOU FINISHED DINNER YET!" And there was his uncle. Never mind the fact that the man usually came home much later in the evenings, if the dinner was not finished by the time he came home, he would blame Harry.
He waited until his uncle came into the room, knowing that the man would say he was 'yelling in the house' otherwise. "I'm sorry for not starting sooner sir, I'll finish it in about twenty minutes." He said, not quite soft, but enough to be deferential, submissive. He hated acting like that, but he knew it was better than inciting his uncle's anger with 'disrespectful behavior'.
The man's beady little eyes narrowed in on him before the man grunted and moved off into the living room. Harry waited until he was sure that the man was gone before turning around to continue working on the dinner.
After he had been allowed his scraps, he quietly made his way to the cupboard under the stairs, wincing at the pains. He knew something was dreadfully wrong with him, but he also knew that the Dursleys would not really care if he keeled over, unless it somehow got them in trouble. He smiled in morbid humor. That would be ironic, given the reputation they provided for him within Little Whinging.
It wasn't until the house was asleep that he felt something…wrong. He blearily opened his eyes, and then screwed them shut as pain overcame him. It was everywhere, every nerve and muscle of his body felt like they were in agony, that there was something like fire…no, lightning tearing him apart from the inside.
And then, suddenly, he felt something within him snap, and what felt like a torrent of cooling water moved through him, soothing his pains. Exhausted from the ordeal, he collapsed, not noticing the faint streams of white light moving around him before they disappeared.
Posted: 5/23/13
Edit 7/13/13: People kept on telling me about the hospitals being paid for in britain, so I have finally changed it; now it says the Dursleys would never take him to the hospital instead of pay for him to go.
|
Newletters and Alerts
Buy now from Random House
• Boys and Girls Together
• Written by William Goldman
• Format: Trade Paperback | ISBN: 9780345439734
• Our Price: $30.00
• Quantity:
See more online stores - Boys and Girls Together
Boys and Girls Together
Written by William GoldmanAuthor Alerts: Random House will alert you to new works by William Goldman
Boys and Girls Together Cover
Share & Shelve:
• Add This - Boys and Girls Together
• Email this page - Boys and Girls Together
• Print this page - Boys and Girls Together
Categories for this book
This book has no tags.
You can add some at Library Thing.
William Goldman is famous for his Academy Award-winning screenplays, infamous for the thriller that did for dentists what Psycho did for showers, beloved for his hilarious "hot fairy-tale," and notorious for his candid behind-the-scenes Hollywood chronicles. But long before Butch and Sundance, Buttercup, and the Tinsel-Town tell-alls, he made his mark as one of the great popular novelists of the twentieth century. Now his sweeping, classic tale of a generation's tumultuous coming-of-age is at last back in print.
Aaron, Walt, Jenny, Branch, and Rudy. They are children of America's post-war generation, as different from one another as anyone can be. Yet they are bound together by the traumas of their pasts, the desperate desire to capture their dreams and satisfy their passions, the stirring pleasures of sexual awakening--and the twists of fate that will inextricably link their lives in the turbulent world of 1960s New York City.
Aaron would not come out.
Nestled inside his mother, blind and wrinkled and warm, he defied the doctors. Charlotte's screams skimmed along the hospital corridors, but Aaron, lodged at his peculiar angle, was mindless of them. Charlotte vomited and shrieked and wanted to die. As that possibility became less and less remote, the doctors hurriedly decided to operate and, deftly cutting through the wall of Charlotte's abdomen, they slit the uterus and reached inside.
Pink and white like a candy stick, Aaron entered the world.
It seemed to be a great place to visit. His father could not have been gladder to see him. Henry Firestone, universally known as Hank, was a big man, confident, with a quick smile and a loud, rough voice. Aaron never forgot that voice; years later he would still spin suddenly around—on the street, in a restaurant, a theater lobby—whenever he heard a voice remotely similar.
Hank was a lawyer, for Simmons and Sloane, the Wall Street firm, and when he was thirty-one Mr. Sloane himself made Hank a full partner, Mr. Simmons being bed-ridden that day with gout, a disease to which he noisily succumbed some months later. The week he became a partner, Hank was sent to Roanoke, Virginia, for a three-day business trip.
He stayed two weeks and came back married.
Her name was Charlotte Crowell, of the Roanoke Crowells, or what once had been the Roanoke Crowells, the family having been comfortably poor since shortly before the turn of the century. Charlotte was tiny, barely five feet tall, with a sweet face and a voice as soft as her husband's was harsh. Her hair was black and she wore it long and straight, down her back; even when it began turning cruelly white (she was not yet thirty) she wore it that way.
Hank and Charlotte lived in New York for a few months but then, the summer after they were married, they moved to a large white colonial on Library Place, a gently curving tree-lined street in the best section of Princeton, New Jersey. Mr. Sloane himself lived in Princeton, on Battle Road, of course, and when he saw that the house on Library Place was up for sale he mentioned it casually to Hank, who immediately took Charlotte for a look-see. Charlotte loved it—it reminded her so of Roanoke—so Hank bought it for her. He couldn't afford it but he bought it anyway, partially because Charlotte loved it and partially because she was pregnant and everybody told them New York was no place to bring up children. They moved into the house the week after Deborah was born, all waxy and red, the only time she was ever unattractive. The wax soon washed away, the red softened into pink, and she became a beautiful baby, fat, spoiled and sassy. Charlotte adored her and Hank liked her well enough—he cooed at her and carried her around on his big shoulders and gently poked her soft flesh till she giggled—Hank liked her fine, but he was waiting for his son.
The wait took over two years. Hank worked hard at the office, making more money than he ever had before in spite of the depression, and Charlotte hired a full-time maid and then a gardener to tend the lawn on summer mornings. They entertained a good deal and they entertained well; Charlotte had the gift. Hank gave up tennis for golf, which bored him, but it was better for business. A lot of things bored Hank until the evening Aaron emerged.
Before the boy was a month old his room was crammed with toys and dolls and music boxes, and a menagerie of stuffed animals pyramided against the foot of his canopied bed. Almost every afternoon Hank journeyed north to F. A. O. Schwarz's for more and more presents, and when Charlotte warned he was in danger of buying out the store he only nodded happily and told her she had guessed exactly his last remaining ambition. Nights Hank spent in the boy's room, rocking him to sleep, singing soft lullabies in his big rough voice. Whenever the boy was sick—and he was sick a good deal—Hank would go to work late and return early, calling in constantly from New York, always asking the same question: "Aaron? How is Aaron? How is my son?"
Hank loved Aaron; Charlotte loved Deborah. There were no troubles on Library Place.
For Aaron's third birthday Hank bought him a jungle gym. They set it up together, the two of them, in the back yard. It was a marvelous structure, more than six feet high, and Hank used to take Aaron and lift him, setting him on the very top rung. "Hold tight now," Hank would say. "Hold tight and stay up there all by yourself." So Aaron would hold tight, sitting on the top rung, his tiny fists gripping the bars for balance. Hank would back away from him then, calling out "Scared?" and Aaron would yell "No, no," even though he was.
One Saturday afternoon the maid was out and Charlotte was watching Deborah perform at ballet class, so Hank and Aaron played cops and robbers for a while, shooting each other, falling, suddenly up again, running pell-mell across the lawn. After that it was time to play on the jungle gym. Hank lifted Aaron, carried him on his big shoulders, carefully placed him on the very top rung. Hank started backing away. "Hold tight now," he said. Aaron held tight. "Are you scared?" he said. "No," Aaron cried; "no." Hank stood a distance from the jungle gym and smiled his quick smile. Then, thoughtlessly, he paled, falling to his knees. He gasped for a moment, then slipped to the grass. Gasping louder, he crawled forward, crawled toward the jungle gym, saying, "Aaron. Aaron." He raised one big arm, then dropped it. Reaching for his son, he died, sprawled full length, white on the green lawn.
Aaron giggled. "That was good, Daddy," he said. He did not know the name of the game, but whatever it was it was obviously still on—his father, after all, had not answered—so he giggled again and stared down at the dead man. It was a fine summer day, windy and warm, and Aaron stared up at the clouds a moment, watching them skid across the sky. Grabbing on to the bars with all his strength, he looked down again—it frightened him to look down, it was so far—but his father still had not moved. "That's good, Daddy," Aaron said. He giggled once more, lifting his head, staring at the clouds. His fists were beginning to get sore from holding the bars, but he did not dare loosen his grip. "Down, Daddy," Aaron said, looking up. "I wanna come down." The game was still on; his father did not move. Aaron gazed at the clouds and started to sing. "How sweet to be a cloud floating in the blue. It makes you very proud to be a little cloud." It was a song from Winnie the Pooh—Aaron knew all the songs from Winnie the Pooh—and Pooh sang it when he was floating up after the honey on the tail of the balloon. But he never got the honey because the bees found him out and Pooh fell all the way down. Pooh fell. Aaron's hands ached terribly. "Daddy," he said louder. "Take me down, Daddy. Please take me down."
His father made no move to do so.
"Daddy," Aaron said, frightened now. "I'll drink my milk I will I will I promise but take me down." He hated to cry—his father never cried—but suddenly he was crying, the tears stinging his eyes. "Take me down, Daddy." He began to shake and his hands were numb and the tears would not stop. "Take me down dah-dee." His chest burned and the clouds were monsters diving at him so he closed his eyes but he thought he might fall so he opened them, alternating his stare, up to the diving monsters, down to the still figure, up and down, up and down. Aaron began to scream. "Dah-dee dah-dee dah-dee take me down dah-dee take me down take me down dah-dee dah-dee dah-dee dah-dee take me down."
He was still screaming when Charlotte found him an hour later. She ran across the lawn, took him down. Then she dropped to her knees beside the still white figure on the grass.
Soon she was screaming too.
For a short period after the funeral there were no changes in the life at Library Place. Then one morning the gardener didn't come; a high-school boy was hired to mow the lawn. Two months later Charlotte let the maid go. There was no money coming in now, no money coming in. They had always lived beyond Hank's income and probably Charlotte should have given up the big house sooner, but she determined to keep it, working desperately, cutting corners, cleaning and patching and cooking until finally, eight months after the death, Charlotte, exhausted, found a new place to live, the first floor of a yellow frame house on Nassau Street, close to the center of town.
Deborah wept as her mother packed her clothes. "Now, Deborah Crowell Firestone, you stop that, hear?" Charlotte said in her soft Southern voice. Aaron stood silently in the doorway of Deborah's room, watching. "Oh, baby," Charlotte sighed, opening her arms. "You come to me." Deborah ran into her mother's arms. Charlotte rocked her gently, back and forth. "It's all right, baby, hear? Mother's going to make it all all right. Everything's going to be wonderful, baby. Mother promises. Mother loves you and she swears it's going to be all right. Mother loves—"
Aaron crept into the room.
"Get out," Deborah said.
Charlotte said, "Now, Deborah, you stop talking that way."
"Get out," Deborah repeated.
"Aaron is your brother. Aaron is my son. Aaron is a part of this family. Have you packed your games, Aaron?"
"Well, maybe you better pack your games, do you think?"
Aaron turned and said, "All right."
"And stay out," Deborah called after him.
The yellow frame house on Nassau Street was owned by Miss Alexandra Hamilton, an elderly lady who had been teaching high school in Princeton since before the First World War. Miss Hamilton had been married twice, both times to the same man, an irresistibly handsome plumber from Newark. He was still alive and plumbing, but after the second divorce Miss Hamilton resumed her maiden name. She met Charlotte and the children as they moved in, set down the law of the land—"There is to be no noise"—and promptly departed to the second floor via the outside stairway, which she always used. They heard her occasionally, going in and coming out, but they saw her only once a month, when she stopped by for the rent.
Shortly after Aaron was five, Charlotte went out and got a job. The money from the sale of the white colonial was going much too quickly, so one morning she combed her long black hair, put on her best white hat—from behind she looked like a school girl—and left the house "to seek her fortune," as she told her children, giggling nervously while she said it. When she returned to the house several hours later she reported that she had "acquired the enormously responsible position" of saleslady at the Browse-Around, an expensive shop on Nassau Street catering to girls and young women. From that day on she seemed forever to be talking about the Browse-Around, about style and color and cost and the women who brought their little girls in for clothing and how much they spent and "not one of 'em's as pretty as you, Deborah; not one holds a candle to you." A month after she had been at the store she brought home a playsuit for Deborah. It was marked down, she said, and, besides, she had her employee's discount, and a week after the playsuit came a dress, and then there followed other dresses, and pajamas and shoes and gloves and socks and blouses and coats and hats.
Aaron began to read.
All the time, lying on his bed, his thin arms holding the books upright on his stomach, his thin fingers turning the pages. He was tall and bony and long, and he ate only when forced. He had no interest in food. Charlotte forbade his reading at the table and at night she forced him to turn out his bed light and sleep. He would obey partially, lying still, waiting for her to go to bed. Then he would read into the night until his eyes burned.
One hot summer day when he was seven Aaron Firestone sat on his bicycle, staring hypnotically at the traffic on Nassau Street. The street was crowded; the cars seemed hardly to be moving at all. A truck lumbered noisily toward his house. The truck stopped, then started again, but slowly, slowly. Aaron pushed hard on the foot pedal and the bike left the sidewalk and skidded over the curb, down into the hot street. Aaron fell backward, balance gone. The truck braked, stopping, but not before its great wheels rolled up and over Aaron's legs.
He awoke in the hospital to find his mother leaning over him, weeping. Looking away from her tears, he muttered, "I'm sorry, Mama." Charlotte sobbed aloud, reaching for her son, cradling him. Hidden beneath the folds of Charlotte's dress, Aaron found himself smiling.
He was in the hospital over a month. Charlotte came to visit every day and sometimes Deborah came too, but mostly it was just his mother. Aaron got to like it in the hospital until Charlotte told him that his hips had been damaged, crushed somehow by the truck, and he would be able to walk again, not well, probably not without some pain, but he would be able to walk.
Aaron started practicing with crutches. Then canes. Finally he was able to move unaided. It hurt, a lot at first, and the pain never completely left him, especially when he was tired, but by the time they brought him home from the hospital he walked by himself.
It was a steaming afternoon, and Charlotte, first seeing that Aaron's needs were accounted for, excused herself and hurried to the Browse-Around. Deborah appeared briefly, wearing a new dress, and she modeled it for Aaron before going down the street to play. Aaron lay on his bed and tried to read. The room was very hot. His throat felt dry and there was a different dryness deep behind his eyes, and perspiration poured off his thin face.
Aaron shut his book and his eyes. He lay perfectly still until a fly buzzed near him. He lunged for it, missing, but managing by the sharpness of his movement to cause his hips to hurt. Aaron bit his lip until the pain was gone. Then, taking a deep breath, he moved slowly off the bed to the telephone. When he got the Browse-Around he asked for his mother, and when he got her he said, "Did you ask me to call you? I forgot."
"Aaron, whatever—"
"I couldn't remember if you asked me to call you at the store to tell you how I was or not, I'm fine."
"Good. Of course you are."
"I'm reading this book. It's a very thrilling adventure story."
"It's my son," Charlotte said.
"What?" Aaron said.
"I was just explaining who you were to Mrs. Cavanaugh, Aaron. Mrs. Cavanaugh is buying the cutest—"
"I loved Deborah's new dress."
"Oh, good. Aaron? Thank you for calling; I'm very glad you called—"
"Bye-bye, Mama," Aaron said, hanging up. He moved back to his bed and lay down. Then he got up and walked very slowly out of the room, out of the house. On the sidewalk, he paused for a moment to stare at the spot where the truck had hit him. Aaron turned and, forcing his legs to obey, began to limp along Nassau Street. He was sweating terribly and his legs hurt more and more with each slow step, but he dragged himself along.
Almost an hour later he reached the white house on Library Place. Aaron stopped. In the yard he saw three children playing, and their high laughter reached him on the thick summer air. He hated to cry—his father never cried—but suddenly he was crying, bitterly, painfully, out of control. Aaron dropped to the cement sidewalk and wept. When he was done, he vowed not to let it happen again.
His word was good for close to twenty years.
The days that followed proved easily endurable. He read books. Quickly at first, but by training himself he increased his natural speed until, by the time he was twelve, he could finish almost any book in a single day. He began to draw, his thin fingers fluttering hurriedly across white notebook paper, leaving behind an accurate image of a tree or a gun or an elegant car. He taught himself to play the piano even though he never had a lesson. Deborah got the lessons, one each week from a university student who didn't really need the money but who liked to look at Deborah for an hour each Tuesday; even at fourteen, Deborah was something to see. During the lessons Aaron would stand outside the living-room door, never making a sound—he was good at that; he would regularly frighten his mother by appearing suddenly in doorways or dark halls, making her spin around, making her gasp. And while the lesson went on inside, Aaron would listen, and when the university student said "Cup your hands, no, relax them, relax them," Aaron would cup and relax his hands. Then, when the student was gone, he would rush to the piano and practice. He had a good ear. Deborah had none, but the lessons continued for more than a year because Charlotte felt the playing of Chopin to be a minimum basic requirement for any young lady worthy of the name. By the end of the year, Aaron could play. So he played, and he read, and he drew.
But his greatest love was writing.
He had begun to write quite by accident. He had been to the movies alone one night and, as was his ritual, he crept silently into the house. When he heard his mother's voice he stopped.
"I'm worried about Aaron," Charlotte said.
Deborah grunted.
"What are we going to do about Aar—stop fiddling with your nails and help me, Deborah—he's your flesh-and-blood brother after all."
"That," Deborah said, "is not my fault."
"He should go out with other people more," Charlotte said.
Deborah laughed. "What other people? Aaron's a joke, Mother. I just dread having him in high school with me next year."
"People shouldn't laugh at Aaron," Charlotte said. "Why do they?"
"Look at him. He's ninety feet tall and his clothes never look like they fit and he thinks he's so smart and he's all the time appearing behind your back like a spook. He's a nut, Mother. I'm ashamed to be seen with him and that's the truth."
"If only your father had lived," Charlotte said. "If only he hadn't—"
Aaron slammed the front door.
"Is that you, Aaron?" Charlotte called.
"Yes, Mother," he answered.
"Howza flick?" Deborah asked him.
Aaron smiled. "Yummy."
That night he drew a vicious picture of his sister. He looked at it. It wasn't enough. He began to draw another picture, then, suddenly shifting from one form to another, he started writing. He wrote for hours. About Deborah. And Charlotte. Page after page, crushing them beneath the weight of his erudition, slashing the remains with his wit. It was nearly dawn when he finished. Aaron walked outside and waited for the sun. He felt wild.
He began writing character sketches of his fellow students, the shift into high school serving only to widen his choice of subject matter. He was protected from everyone now; as long as he had paper, he was safe. In school he was brilliant, and if his teachers were frightened of his habit of asking difficult questions, then smiling at them while they stumbled through an answer, they also admired his brilliance. His fellow students simply feared him. Sometimes, as he limped through the halls, he could hear them whispering about him. "That's Debby Firestone's brother. Him. Yeah. Can you believe it?" Whenever he met his sister on his way to class the pattern was always the same. She would do her best not to see him until he moved almost directly in front of her. Then she would smile. Aaron always smiled back.
He was a freshman in high school when he discovered his name. He was reading in study hall, doing his homework for the day, when he chanced across the names of the four elements: earth, air, fire and water. He studied the words. Earth, air, fire and water. Earth and air. Air and fire. He said them to himself. Air and fire. Aaron Fire. Aaron Fire. He shrieked. Heads turned to face him. Aaron Fire. That was his name. Aaron Fire the writer. He was Aaron Fire, the writer.
At last he knew his immortality was assured.
Charlotte decided the time had come for Deborah to get married. Deborah was eighteen, halfway through her senior year in high school, and there seemed little point in her going to college. Her grades in high school had been barely average, and, more than that, what was the point of going to college when there were all the eligible young men right here in town, in Princeton. "And you must have an eligible man, my baby," Charlotte said. "It has got to be an eligible man."
"You mean rich," Deborah answered.
Charlotte grabbed her daughter's shoulders and turned her. They faced each other, standing close. "Now you hear me," she whispered. "You listen to your mother. I want you to marry for love, you understand that? For love." Charlotte smiled. "But you might as well fall in love with a rich man."
And so the search for a suitor began. Not that there was any shortage of candidates; Deborah was pretty, with pale red hair and a lithe body, and boys flocked to the yellow house on Nassau Street. High-school boys and Princeton sophomores and even a few graduate students all the way from Columbia University. But the rich ones were too young and those old enough didn't quite seem eligible enough.
Aaron watched it all, watched as his mother entertained the men in the living room while Deborah applied a final touch of lipstick, a last dab of perfume. Charlotte was at her most charming—she seemed to speak more Southern than in the past—as she gently probed the young men, inquiring as to their homes, their interests, their parents' occupations. "Mr. Firestone was a fine lawyer," she would begin. "Is your father by any chance in law?" Occasionally she would bring Aaron into use, calling to him as he stood by the wall outside the living room. "Oh, come in, Aaron. Do you know my son Aaron? Aaron's the smart one in the family." But always, after Deborah and her escort had gone, Charlotte would frown slightly, shaking her head. "Not for my baby," she would mutter. "Not good enough for my baby."
Generally her disapproval went only that far—a quick shake of the head. The one time it exceeded the limit was when Deborah went out with Dominic Melchiorre. He was a big man, broad and swarthy, and he came to the door wearing a striped double-breasted suit. Ill at ease, he stumbled through a few minutes' conversation with Charlotte. Then he smiled at Charlotte—he had a dazzling smile, white teeth flashing against dark skin—and moved outside. "Tell Debby I'm in the car," Dominic Melchiorre said. Charlotte watched him through the screen door as he got into an old sedan and began smoking. Deborah dashed after him a few minutes later. "Bye, Mama," she said. "Don't wait up."
But Charlotte waited.
Aaron listened to the scene from his room. Deborah got home after three and Charlotte was ready. "An Italian?" she began. "I brought my daughter up so she could be escorted by an Italian? I bought my daughter clothes so she could look nice for a . . . a . . ."
"Say it," Deborah urged.
"Catholic," Charlotte said.
"I like him."
"You like him. Oh, baby, you don't know what you're saying. What does he do?"
"He's in the construction business."
"Day laborer, you mean. A common sweating day laborer."
"But I like him."
"There's nothing to like! He does not exist. This did not happen. Not in our world. He is gone, hear? He is dead and forgotten and long, long gone. You tell me that. Deborah Crowell Firestone, you just tell me!"
There was a long quiet.
"Gone," Deborah whispered then. "He's gone."
They wept that night. Both of them. When they retired to their bedrooms, Aaron could hear them weeping.
Aaron smiled.
Jamie Wakefield appeared the following week, as if divinely ordered. Charlotte met him first, at the Browse-Around. "This wonderful young man came in today," she began, the minute she got home. "Listen to me, Deborah, while I tell you about him."
"Who?" Deborah took her gum out of her mouth and began rolling it in her fingers.
"Jamie Wakefield, that's what I'm trying to tell you. Jamie Wakefield, he bought a coat—Deborah, stop playing with your gum this min- ute, hear?—a cashmere coat. For his mother. It's her birthday and he bought her a one-hundred-percent cashmere coat just like that. We got to talking, and he is a real charmer and nice-looking and—"
"I'll bet," Deborah said.
"And it turns out he's from Dallas. Well, I had his address, of course—he was sending the coat to his home—and you remember my cousin Millie—well, she lives in Dallas, has all her life, and she told me today—"
"You called her?" Deborah said. "To check up on this boy?"
"I did no such thing as check up on anybody. I owed Cousin Millie a letter—have for the longest time—so I called her to chat and if I happened to mention the Wakefield boy, well, I certainly don't see anything unusual in that. Deborah, you're going to love this Jamie Wakefield—I know it. I told him all about you—he's very interested—he's a pre- medical student and I mentioned how you loved biology and all. He's coming on Friday to see you. I knew you'd be free, so I took it on myself—"
"I'm busy Friday," Deborah began.
"Not anymore you're not," Charlotte said. "Not after what Cousin Millie told me today you're not."
"What did she say?"
"He's eligible, baby. That's what she said."
Jamie Wakefield arrived promptly at seven o'clock on Friday, wearing a dark tweed coat, a dark tweed jacket and dark gray pants. Shy, obviously nervous, he waited with Charlotte and Aaron in the living room.
"I think the role of a physician is a noble one, Mr. Wakefield," Charlotte said. "My husband, Mr. Firestone, was a lawyer. That's noble too."
"Yes, ma'm," Jamie Wakefield said. He was of medium height, with brown hair and a bland, even face.
"My son Aaron here hasn't decided yet what he wants to be, have you, Aaron?"
"Not yet," Aaron lied. He had never told her about Aaron Fire. There was no point in telling; she would never have understood.
"Aaron's the brains of our little family," Charlotte went on. "Deborah's got the beauty and Aaron's got the brains." She laughed softly. "I don't know where I fit in."
"I'm sure they both take after you, Mrs. Firestone," Jamie Wakefield said.
"Gallantry," Charlotte said. "Undeniable gallantry. See, Aaron? It's true what I say about Southern men. They have—what would you call it, Mr. Wakefield?"
"I don't know, ma'm."
"Flair," Charlotte said. "That's as good a word as any. Style. Southern men have style."
"If you say so, ma'm." Jamie Wakefield nodded.
"Why, I remember some of my beaus when I was growing up in Roanoke. I remember . . ."
Fortunately, Deborah appeared.
Jamie Wakefield stood silently, looking at her. She was wearing a dark green dress and it contrasted perfectly with her pale red hair. "Mr. Wakefield, my daughter Deborah," Charlotte began. "Deborah, this is Jamie Wakefield from Dallas."
"How do you do, Mr. Wakefield," Deborah said.
"Yes, ma'm." Jamie nodded, looking at her.
Charlotte saw them to the door, and when they were gone she whirled around, eyes bright, arms stretched wide. "Aaron," she said, "we have great expectations."
For the next month Deborah and Jamie dated several times a week and every weekend. Jamie was inexperienced, backward at times, ill at ease. He took her to the movies and for coffee after, where she did most of the talking, chattering on about whatever came into her mind, while he simply nodded, sipping his coffee and nodding, looking at her. Then they began going to New York. They ate sometimes at Le Pavillon—Jamie's father liked Le Pavillon—and they went to the theater on Saturday nights, and everything seemed to be living up to Charlotte's hopes until Deborah found out she was pregnant.
Charlotte's reaction to the news was quite remarkable. They were having dinner, Deborah and Charlotte and Aaron, sitting at the small table in the corner of the kitchen, and Charlotte was commenting about how happy she was and how happy Deborah was and how even Aaron seemed happier than usual and wasn't it wonderful what one person like Jamie Wakefield could do for the spirits of one family and the high cost of weddings and was there ever a better time of day than suppertime with a family all together when Deborah burst uncontrollably into one quick wave of tears and then gave forth the news. In the ensuing silence, Deborah half closed her eyes, tilting her face up toward her mother, ready for the blow.
Charlotte simply put her fork down. "You're sure?"
Deborah nodded.
Deborah shook her head.
"Who, then?"
Deborah sat frozen.
"Tell me—" Abruptly Charlotte stopped and said "No."
Deborah nodded yes.
"The Catholic, I might have known," Charlotte said, and she put the tips of her fingers against her closed eyes, talking very quietly. "It is not going to happen and that is all there is to it. I simply will not allow . . ." She opened her eyes. "Are you sure it isn't Jamie?"
Deborah nodded.
"How do you know?" Charlotte asked, no longer talking quietly.
"Jamie's never touched me," Deborah whispered.
Charlotte reached across the table and took her daughter's hand, stared at her daughter's eyes. "We can remedy that, can't we, baby?" Deborah said nothing. "Can't we, baby? Can't we, baby?" Staring and touching, Charlotte went on. "Can't we, baby? Can't we, baby? Can't we, baby?"
Deborah was never one to argue with her mother.
When Jamie arrived that night Deborah was waiting for him, sitting in the living room. "Where's your mother?" Jamie asked. "It doesn't seem as if I deserve to see you without talking with your mother a while first. Sort of a price of admission."
"Mother had to go to New York for the evening. Some cousin of hers is in town."
"Well, I'll miss her," Jamie said. "I'll truly miss her." He took off his tweed coat and folded it over a chair. "You look very pretty, Deborah."
She smiled at him. "You always say that."
"It's the truth is why."
Deborah wore a black sweater open at the throat with a thin strand of pearls around her neck. "Hey," she said, giggling. "Guess what I discovered today. Guess. Mother keeps a bottle. Isn't that amazing? Do you want a drink?"
"No," Jamie said.
"True blue Jamie Wakefield," Deborah answered. "Lips that touch liquor will never touch his. I'm going to have a drink. A big strong one."
She disappeared into the kitchen and Jamie could hear the sound of an ice tray splitting open. He rubbed his palms against his trousers. Deborah came back carrying two glasses. "I brought you one anyway. In case you change your mind." She handed it to him and they both sipped in silence for a while.
"Aaron's at the movies," Deborah said. "Like always, Aaron's at the movies."
Jamie nodded.
They sipped a while longer.
"The lights bother my eyes," Deborah said. "Jamie, turn off the lights."
"What's got into you anyway? 'Jamie, turn off the lights.' "
Deborah giggled. "I'm just trying to get you alone in the dark, silly. That's all."
Jamie looked at her. "You are?"
"I are."
"Oh." Slowly he walked to the wall switch and flicked it off. The room was dark momentarily, but then they began getting accustomed to the moonlight. Jamie sat across the room from her, holding tightly to his glass.
"Jamie Wakefield, you win the blue ribbon for stupidity. The world's championship."
"What did I do?"
"Why are you sitting over there? What's the point of being all alone in the house with no lights anywhere to be seen if you're going to sit a million miles away?"
"You want me to come sit beside you?"
"No. Move farther away if possible."
He moved through the darkness and sat beside her. "Here I am," he said, taking a long drink of bourbon.
Deborah began to laugh. "It's just like kindeegarden. I swear it is." She laughed louder. "You might as well turn the lights back on. Never mind. I'll do it."
She made as if to move, but he took her hand. "No."
"Well, why not?"
Her pearls glistened in the moonlight.
"Why not?"
Jamie put his drink down. His hands were trembling terribly.
"Why not?"
Jamie grabbed her. He dug his fingers into her shoulders and her face turned, moving up to meet his.
"Jamie," Deborah said. "Jamie."
He kissed her again and she pressed her body against his body, her arms locking around his neck. Her tongue flicked at his mouth while his hands pressed against her flat stomach. Slowly, hesitantly, his hands began moving higher until they were cupped around her breasts. "Yes," Deborah said. Jamie began unbuttoning her sweater.
Aaron saw it all.
Standing in the darkness of the foyer, he saw it from the first rough kiss. There were times when it was hard to keep from laughing at what they said, at Deborah's pseudo passion, Jamie's overpowering sincerity. But he did not laugh. He watched instead as they disrobed, throwing their clothes to the floor, lying on the couch in the moonlight. Deborah still wore her pearls and Jamie had his socks on, but Aaron did not laugh. He moved closer as their bodies locked, Jamie astride her, Deborah moaning wonderfully beneath him.
When they were done Aaron left, slipping out of the house. Alone on the sidewalk, he began to howl.
They waited three weeks before Deborah made the phone call. Three weeks seemed suddenly an incredible length of time. Charlotte would stare at Deborah's stomach in the mornings, then quickly look away. But finally the time came and Deborah made the call.
"Jamie?" she said. She was crying softly; the tears were real.
"What? What is it? Tell me."
Deborah told him.
"Are you positive? It can't be. It's too soon."
"I'm positive" was all Deborah said.
Jamie said nothing for a while.
"Come see me," Deborah managed, crying harder now. "Come see me tonight, Jamie Wakefield. I'll be waiting."
"I'll be there."
He found the note as he came back to his room after class. A folded piece of paper, it had been slipped under his door. Jamie stooped, picked it up. Then he read it.
she lies
she lies
it isn't your baby
it isn't your baby
They waited for him on the front porch of the yellow frame house, Charlotte and Deborah and Aaron. It was a warm night. Deborah sat very still. Aaron paced. Charlotte could not stop talking. "Now don't you worry, baby. Just as soon as he gets here we'll go inside—won't we, Aaron?—the minute he arrives you know we'll just disappear—you understand, Aaron?"
"Yes, Mother," Aaron said.
Charlotte turned to Deborah. "What time did he say he'd come?"
"Seven. He always comes then."
"Lots of time, baby."
Aaron paced faster.
"Aaron, you're making me nervous," Charlotte said.
"Terribly sorry, Mother." Aaron sat.
"Lots of time," Charlotte said.
"Maybe he won't come," Aaron said.
"Hush," Charlotte told him.
"Well, maybe he won't. Maybe he knows."
Charlotte snapped, "Impossible."
"I guess you're right, Mother." Aaron's fingers squeezed the arms of the rocking chair.
"Lots of time," Charlotte said at seven o'clock. She said it again at a quarter after and again at half past. "Lots of time. Lots of time."
Aaron waited with them. He could not remember having been so wildly happy. He had never known until then how splendid was his hatred, and the strength of it surprised him, almost frightened him a little. Taste it, he thought. Go on. His sister stared straight into the quiet night. His mother turned constantly, gazing down Nassau Street for the boy, the expression on her face growing more and more desperate as the hours went by. Aaron's body flamed. Giddy, he waited, exultant; he watched, enraptured, triumphant, revenged. Taste it. Go on. Go on. Taste it, bitch. Taste it, whore. Taste the wrath of Aaron Fire!
"A SUPERB, BRILLIANT EVOCATION . . . Satisfying in its length, rich in its complication, intriguing in its characters, and above all, revealing of its time and place."
--Los Angeles Times
"[GOLDMAN] SUCCEEDS WHERE MOST NOVELISTS SINCE THOMAS WOLFE HAVE FAILED. He carves a huge piece out of the heart of New York, and it has life, power, beauty and truth."
--San Francisco Chronicle
• Boys and Girls Together by William Goldman
• July 31, 2001
• Fiction
• Ballantine Books
• $30.00
• 9780345439734
Your E-Mail Address
send me a copy
Recipient's E-Mail Address
(multiple addresses may be separated by commas)
A personal message:
|
Connect With Auburn Nonprofits and Charities
Auburn Nonprofits and Charities
Want to donate to or volunteer for a Auburn charity or nonprofit? Browse this list of nonprofits in Auburn, WA to see ratings, read reviews, and learn about their programs. Find top Auburn nonprofits and charities and start volunteering or donating today. If you have worked with a nonprofit, write a review and tell your story.
Find and share experiences about an
Auburn nonprofit
Write A Review
Filter by Issue
|
From: Paul Lamb <paul@redfork.com>
Date: Wed, 19 Apr 2000 00:47:03 -0500
Message-ID: <004701bfa9c2$b089e580$880d0918@paulhome2000>
To: <www-jigsaw@w3c.org>
After looking at this for a couple of hours, I don't seem to find an answer.
I want to setup an indexer so that _anything_ with the extension of "xml"
gets sent to /servlet/cocoon; even if a file isn't associated with that
resource. i.e., request is for "foo.xml" and there isn't a file on the
server called "foo.xml", but I want this request to get to the cocoon
servlet anyway. Presently, as long as there's a file called "foo.xml" it
works; otherwise it's a 404 - File not found.
Noticed the new docs on the website tonight, much improvement over previous.
Paul Lamb
Received on Wednesday, 19 April 2000 01:48:25 UTC
|
Take the 2-minute tour ×
I'm running Windows Server 2003, and a scheduled task that was set to run was missed because an ms-access database window was left open over night. When we closed the window, the task scheduler started running the task. I found out the database window was left open over night by checking the Task Schedulers logs and noting the time that the job was last run.
I also noticed that the "Notify Me of Missed Tasks" menu item was not checked.
share|improve this question
add comment
1 Answer
up vote 1 down vote accepted
It will not "catch up" as it were, if it misses the event it will simply run the next time the event is scheduled to run. You can add the option to close the task if it runs for a certain amount of time. Usually that can help with making sure the task is forced closed. That assumes that your task isn't going to upset anything if it is ended abruptly by being forced closed by the task scheduler.
share|improve this answer
Okay I found several "stalled" tasks...I'm thinking about stopping them as they have been "stalled" for an entire day. – leeand00 Aug 23 '12 at 2:05
Also there appear to be quite a few "locked" access database files...as they have the same file name with an .ldb extension and what users are trying to run them inside. – leeand00 Aug 23 '12 at 2:05
I stopped the tasks but the lock files didn't disappear... – leeand00 Aug 23 '12 at 2:07
stopping the task would probably just force the task to stop. if its access then the ldb file would continue to exist until cleaned up. – MikeAWood Aug 30 '12 at 7:49
add comment
Your Answer
|
Take the 2-minute tour ×
I have no intention of programming anything, however I need to install the Android SDK in order to use Droid VNC Server. I have about 7 different computers at work that I use and I can't install this on to all of them. Is it possible to run it from a usb flash drive?
share|improve this question
add comment
3 Answers
up vote 2 down vote accepted
Yes. It's possible to run any application from a flash drive (barring some weird kind of copy-protection-wannabe). Some Windows applications do insist on always running from the same path (which could be inconvenient), but the Android SDK isn't one of them (it's automatically a “portable application”).
share|improve this answer
I thought by default programs had to make registry edits and put system file all over the place when you installed them? I thought that only programs that were designed to be run as a portable app could be run self-contained in a thumb drive? Am I crazy? – matt Nov 24 '10 at 21:21
@matt: Programs don't have to do this, it's just that many do. In the 3.x/9x era, many programs dropped system files all over the place, but this became the exception rather than the rules in the 21st century when more and more people wanted to install programs with non-administrator accounts. – Gilles Nov 24 '10 at 22:27
Thanks. Is there any way to tell ahead of time which group the program falls into? Is there any particular jargon I'm looking for? – matt Nov 24 '10 at 22:59
@matt: I don't know, I'm a Windows newbie. If it requires admin rights to install, it's probably dirty. If it's a straight port of a unix program (like the Android SDK), it's probably clean. If it comes in an archive (zip, rar, …, or self-extracting (as opposed to an installer)) with no special installation instruction, it's clean. If it brands itself as a “portable app”, it's presumably clean. – Gilles Nov 24 '10 at 23:21
Thanks, that's very helpful. – matt Nov 24 '10 at 23:30
add comment
How to install Android SDK without internet connection
Just put the final folder in your USB drive :)
share|improve this answer
add comment
Just download this
to get the whole Android SDK in a portable package!
share|improve this answer
add comment
Your Answer
|
I have type one diabetes...(read)
i'm a 15 year old girl and i have type one diabetes. type one diabetes is genetic. so its not they kind caused by obesity or poor food choices. sometimes when i tell people that i have type one diabetes they say 'oh is it because your chubby?' or other offensive things. they don't understand that type one diabetes can make it hard to lose weight. i'm really sick of the stereotypes and how some people purposely stay away from me because they think 'type one diabetes is contagious' is there anything i can to? or is their ignorance just going to have to be dealt with?
Report as
My suggestion is that you tell them google on the internet and get to know what is type one diabetes. Or tell them directly that it is not contagious! be yourself and ignorant them!
Helpful (1) Fun Thanks for voting Comments (0)
Report as
Add a comment...
Do you have an answer?
Answer this question...
Did you mean?
Login or Join the Community to answer
Popular Searches
|
Items: 0
Total: $0.00
Rory Gallagher Notes From San Francisco - Audiophile Triple Vinyl
- Price: $43.99
Rory Gallagher - Notes From San Francisco
Select Product Size
Price: $43.99
180g 3xVinyl LP
Approximate dispatch time: 2-14 Days
You may also be interested in
Do you like this item?
Rory Gallagher - Notes From San Francisco - Audiophile Triple Vinyl
Customers Who Bought This Item Also Bought
Product Details for Rory Gallagher - Notes From San Francisco - Audiophile Triple Vinyl
In November 1977, after completing a six month world tour, Rory Gallagher and his band flew straight from their last show in Japan to San Francisco to begin working on a new album. The sessions grew tense however, as Gallagher wasn't happy with the mixing process, describing them as 'too complicated', and by the end of January 1978 he shelved the whole record and broke up his band of the past 5 years.
Rory said in 1992 he hoped the album would surface one day but only if it were remixed. This has recently been done by Daniel Gallagher, Rory's nephew. Apart from the studio album, this release comes with another fabulous discovery, a blistering live album taken from four nights at The Old Waldorf, San Francisco December 1979.
On stage Rory Gallagher (guitar/vocals), Gerry McAvoy (bass) and Ted McKenna (drums).
-Deluxe 3LP Edition
-180 gram audiophile vinyl
-Including The Historic, previously unreleased 1978 studio album
-Including The Companion, previously unreleased 1979 live album
Side 1
1. Rue The Day
2. Persuasion
3. B Girl
4. Mississippi Sheiks
5. Wheels Within Wheels
Side 2
1. Overnight Bag
2. Cruise On Out
3. Brute Force & Ignorance
4. Fuel To The Fire
5. Wheels Within Wheels
Side 3
1. Follow Me (Live)
2. Shinkicker (Live)
3. Off The Handle (Live)
Side 4
1. Bought And Sold (Live)
2. I'm Leavin' (Live)
3. Tattoo'd Lady (Live)
Side 5
1. Do You Read Me (Live)
2. Country Mile (Live)
3. Calling Card (Live)
Side 6
1. Shadow Play (Live)
2. Bullfrog Blues (Live)
3. Sea Cruise (Live)
More Items from Rory Gallagher
SecurityMetrics Credit Card Safe
|
28 “Favorite” Books That Are Huge Red Flags
I know, right? Now tell your friends!
28 "Favorite" Books That Are Huge Red Flags
Joseph Bernstein
The following 28 books all have significant merits, otherwise they wouldn’t be as successful and beloved as they are.
They are also indicative of deep and abiding potential character flaws in you and your loved ones. Here’s what you need to know to stay safe.
1. The Great Gatsby
Unless you can show me your dissertation about Tom Buchanan’s biceps or something, this means you stopped reading in 10th grade. Shoo.
2. The Catcher in the Rye
Oh, no one understands you, just like Holden Caulfield? Why the fuck would I be the first person to start? Get away from me.
3. Fight Club
4. The Da Vinci Code
Beyond being a terrible book, The Da Vinci Code is also a conspiracy book, which is mostly appealing to those so intellectually afraid or stunted that they cannot tolerate or conceive of a world that is complex and hard to explain. So, that.
5. Twilight
The thing about someone whose favorite book is Twilight is that I would never really be able to tell. Like, they could keep answering Twilight to that question long after years of marriage and I’d still not be sure if it was all an ironic joke. “Thanks a lot,” Generation X.
6. The Stranger
People who like The Stranger are the human equivalent of asking the question “so what” to everything you say as a way of proving a point. It’s obnoxious and we have an unwritten social code not to do it.
7. The Alchemist
If there’s anything grosser than someone unexpectedly revealing their genitals, it’s someone unexpectedly revealing their spirituality. There are support groups for this kind of behavior, and for loving Paulo Coelho’s “allegorical novel.”
8. Eat Pray Love
How about Walk Jog Sprint away from me before I heave with frothy revulsion over your awful taste and Tory Burch flats?
9. The God Delusion
Yeah, they’re probably right, but Dawkins-thumping nerdtheists make me want to join the nearest megachurch out of spite and polish my “but you can’t prove it” piss-takes until they are Reddit-tantrum sharp.
10. American Psycho
Cool satire, bro!
11. The Metamorphosis
This is like saying your favorite album is Doolittle. What, the deep cuts were too much for you? A Country Doctor or GTFO.
12. On the Road
I’d say the best way to convey your free spirit and wandering nature is by loving the same book as every other wannabe rebel for the past half-century. I’d definitely say that.
13. Atlas Shrugged and/or The Fountainhead
Who let you out, boy? Huh? That’s a bad boy! Let’s find your mom!
14. Harry Potter, any of them
These are diverting but if your FAVORITE book is a glorified television show about a boy wizard written for 5-year-olds I’m going to wonder if you know where Afghanistan is.
15. The Giver
You know that hair that you have to shave every couple days? That means you’re a grown-up. Read a fucking book for grown-ups, grown-up. Otherwise you shouldn’t be able to vote or drink alcohol.
16. The Perks of Being a Wallflower
Sensitive teenagers get lines from this book tattooed on them and sensitive teenagers are the scum of the earth. Move on.
17. Exodus
That is the last blind date I let you set me up on, Bubbe!
(For the non-Jews among us, Leon Uris’ interminable 1958 novel is about the birth of Israel.)
18. Infinite Jest
This is a good book and all but saying it’s your favorite is sort of like saying you’re proud of being upper middle class and white. Better keep that to yourself.
19. I Hope They Serve Beer in Hell
To be honest, you’re probably going to see signs that this person is not worth your time before they drop the T bomb. If you don’t, may I recommend the jalapeño poppers? They’re lovely.
20. Are You There Vodka? It’s Me, Chelsea.
The nicest thing you can do for someone who loves this book is introduce her to someone who loves the Tucker Max book and then hope they cannot make fertile offspring.
21. Portnoy’s Complaint
Masturbation epic Portnoy’s Complaint is what I call an “excuse” book, in that nebbishy horndogs use it to “excuse” the fact that they are unacceptable little hairy monsters. Like, if they can get women to laugh at their most antisocial behavior, it must be OK. It’s not, and you’re not.
22. The Game
Sort of like Portnoy’s Complaint for someone who doesn’t like language and gets confused easily.
23. Pride and Prejudice
You think waiting around is going to turn jerky-but-hot Blake from advertising into Mr. Darcy? No, the only thing you’re going to be waiting for is your cats to eat your face after you die of loneliness. Settle for a loser like the rest of us.
24. Prozac Nation
If someone you know “just loves” books like this, or that James Frey lie, they love reading about the breakdowns of others. This means they either A) Seriously relate to breakdowns or B) Take undue pleasure in the breakdowns of others. I’ve got enough schadenfreude for both of us, thanks.
25. All the Narnia books
If you’re going to say this is your favorite book, you might as well tell the truth: The Bible is your favorite book, and no amount of Santa Claus giving out swords to children to slay infidels is going to change that.
26. Finnegan’s Wake
You’re lying. If you’re not lying, why are you reading No. 25 on a list of jokes on the internet? Cure cancer.
27. Lolita
Oh, it’s just “Nabokov’s gorgeous, hypnotic, seductive language” that you love so much! It’s just all that gorgeous, hypnotic, seductive language that is the reason you can’t stop talking about this book. It’s all that gorgeous, hypnotic, and seductive language that is the reason we’re not welcome at The Cheesecake Factory anymore.
28. “I don’t really read books anymore. Just magazines/the internet/etc.”
Check out more articles on BuzzFeed.com!
Facebook Conversations
Now Buzzing
|
Comments Threshold
Doesn't this go both ways?
By Solandri on 6/23/2010 11:44:51 AM , Rating: 5
The AP report also said that he owned stock in other oil companies via mutual funds, which as most investors know are usually broad sector-based funds which are comprised of dozens if not hundreds of companies.
I was thinking about this. Start with the assumption that owning stock in an oil company represents a financial conflict of interest for a judge - he has something to lose/gain so he may be biased towards an oil company. Doesn't the opposite hold too? If you own lots of stock, but not in any oil companies, especially if he has mutual funds, doesn't that indicate pre-bias against oil companies? Say he's been investing in stocks for years, but he's conspicuously avoiding oil companies. Isn't that a clear sign that he's biased, and thus should be disqualified too?
In other words, if a judge invests in stocks and you want the greatest odds of getting a fair and impartial judge, you should be seeking one who invests in oil companies in proportion to their representation in the stock market. A judge with too much oil stock is bad. But a judge with too little oil stock is also bad.
RE: Doesn't this go both ways?
By Scabies on 6/23/2010 12:19:42 PM , Rating: 1
its too bad we cant claim conflict of interests against the current administration in the selfish decisions they make.
RE: Doesn't this go both ways?
By superstition on 6/23/10, Rating: -1
RE: Doesn't this go both ways?
By ebakke on 6/23/2010 12:53:56 PM , Rating: 4
Did you even read his post?
RE: Doesn't this go both ways?
By superstition on 6/23/10, Rating: 0
RE: Doesn't this go both ways?
By Samus on 6/24/2010 3:17:18 AM , Rating: 3
You spew liberal 'facts' like Fox news spews conservative 'facts'
Everybody is wrong. Meanwhile, nobody seems to be doing shit to stop the fucking leak. Worry about "who done it" when the time is right. There isn't going to be another rig explosion in the next 6 months.
RE: Doesn't this go both ways?
Facts are facts.
RE: Doesn't this go both ways?
By knutjb on 6/23/2010 1:59:38 PM , Rating: 5
But its OK that Obama received more money from BP employees than any other politician? Or maybe that the MMS was about to give that rig safety awards? Could the fact that Obama buddy George Soros has $600M+ investment in PetroBras and that the IMF, through the US, gave them, PetroBras a private company, $2B of mostly US money to drill in deep water off Brazil.
From legal commentators I have heard the vast majority said the Gov stepped too far with a vaguely written document. That was the reason for throwing it out. The Judge said that they had overstepped their legal bounds.
I just saw a clip where Ken Salazar said he did intend to shutdown all new wells starting at 500'. The Feds don't get much in the way of royalties if wells are drilled inside state's waters but do if they are past them.
So is the Judge biased or are those in the Fed Gov biased? Given the Judges response and reasoning I'll go with his answer. Obama did say he would appeal and that IS how the system is designed to work.
There is more than one side to a story...
RE: Doesn't this go both ways?
RE: Doesn't this go both ways?
Seriously... Who comes up with this crap?
By BriteLite on 6/23/2010 10:59:13 AM , Rating: 3
Sorry, only thing I see here is garbage, and it's being proliferated.
I'm sorry but $15,000.00 is a joke. This won't make an adult with probably 100's of thousands if not several million in investments, bias. Jesus I have more money in my highest risk stock portfolios and barely think twice up, down whatever. It's a fraction of a %. And frankly I doubt he went out buying individual stocks he probably has some ownership through a 401k. And any American who contributes to a 401k better look at each funds holdings because guess what... ding ding ding you are invested in oil. If you have a problem with that make sure to give all profit from the funds back to uncle sam at the end of the Tax year... you know the line that asks if you wish to pay more... yea liberals do that sure, ask Mr. Geithner.
This is nothing more than a Joe the Plumber witch-hunt because the O' administration didn't get their lollipop. Their lollipop is a complete pendulum swing to take our economy further into the tank. You can't cut our dependence on oil for transportation cold-turkey. People will riot in the street, and their will be blood. We first have to have economical alternatives and WE DON'T HAVE THEM.
Thanks for posting this absolute Garbage on a tech site... frankly what we need more of is more trash posted at more locations so people can be influenced to think that this judge was bias in the least...
Anand... really? This is what your site has become? Posting Green, left posts with no digging on the truth and merit behind these potential accusations? If these little lefties wish to post this rubbish have them take it to their own blog, don't discredit yourself with this trash.
Kick your Liberal loving, left leaning, world be doomed contributors on their asses and see how they like looking for actual work, that requires actual productivity.
RE: Seriously... Who comes up with this crap?
By bill4 on 6/23/2010 11:29:49 AM , Rating: 3
Yeah and I wonder if the media reports every time some judge sides with the EPA, what "green" companies stock he owns that stand to benefit. Of course they dont, I've certainly never seen such a thing, have you?
I've seen some reporting on the stocks Gore owns that will benefit from cap and trade, but only from Fox News and the few other moderate media outlets, never the ultra left wing mainstream media such as CNN, ABC, Time, MSNBC, CBS, US News, NY Times, LA Times, Newsweek, etc etc etc etc.
Nice "free" media we have, free meaning owned by communists.
By BriteLite on 6/23/2010 11:52:38 AM , Rating: 2
Clearly I struck an ill-cord with my rating on the parent here but good grief folks wake the hell up.
Obviously we live in a media biased world, we see it right here on our tech site.
"Judge has ties to oil industry and owns stock in major companies involved in the spill"
Yea... sure.
I get your point, gosh you couldn't me more dead-on with the comments about Gore. No one even cares or listens. Granted you also don't hear that the O' administration giving a credit to Brazil of what like $10 Billion? And this was a shuffle pot, as the end-user is PetroBras... also interesting... is if we shut down drilling, can we guess where the drillers will go? I'll give everyone one guess. (Starts with a Bra... ends with Zil)
Get it? Oh and should I even mention Soros? I mean really? Would anyone go look for the truth between PetroBras, Soros and ding our Child in chief?
Now we hear that we have Thousands of skimmers throughout the East Coast, that could have helped contain a huge % of the spill, but that would take the union dollars out of the gulf so that's a no no. Federal government kept those skimmers away. The Feds have now restricted LA's work in building the barrier islands... What? The handling of this whole thing has been beyond horrible, it's tragic. We have a child in the office of president who has yet to take real Action on anything, oh sure... lots of hopey and changey but nothing done. (Well 40 rounds of golf) This child lives in a fairly tale land of milk and endless honey where wishes come true and lollipops consumed.
I'm coming to a realization that at this point bring back Bush because damn... even he is better than this child of little thought in office.
Damn doesn't reality suck?
This administration knew about this over a MONTH before the disaster and did... NOTHING.
So... all you lefties out there that are a little hot and bothered now, explain away. How in the world can your boy king be held responsible... I mean... this is clearly Bush's fault.
By Ammohunt on 6/23/2010 2:24:35 PM , Rating: 2
College marxist know nothings are a dime a dozen these days. Now that they have power their true nature is exposed lets hope we can pull out of this nose dive into the abyss without significant violence.
By Spuke on 6/23/2010 4:42:55 PM , Rating: 2
Oh please. The nose dive's been happening ever since America decided that two parties is the only way to go. All anyone's going to do is vote the Retards I mean Repubs back in office. Same toilet bowl but the water goes the other direction.
2008 != 2010
By kattanna on 6/23/2010 11:10:10 AM , Rating: 4
in 2008 he did, it says nothing of what he owns now
RE: 2008 != 2010
By ClownPuncher on 6/23/2010 2:12:20 PM , Rating: 3
Personally, I simply don't care what he is invested in. We trusted him enough to hire him, now he has the job and has to do the best he can.
Stopping all offshore drilling is possibly even more damaging to the economy than the oil spill itself. It was a shortsighted, reactionary move. Banning drilling is not a move I can support. I hope the appeal fails and this judge sticks to his guns.
By bill4 on 6/23/2010 11:25:26 AM , Rating: 1
By Alan Zibel updated 27 minutes ago WASHINGTON - Sales of new homes collapsed in May, sinking 33 percent to the lowest level on record as potential buyers stopped shopping for homes once they could no longer receive government tax credits.
Analysts were startled by the depth of the sales drop. "We all knew there would be a housing hangover from the expiration of the tax credit," wrote Mike Larson, real estate and interest rate analyst at Weiss Research. "But this decline takes your breath away."
There are no jobs because of environmental restrictions and specifically EPA CO2 caps. This is only going to get worse as long as the EPA CO2 caps remain and the recovery is a myth. This bodes very well for Republicans in November and beyond.
Good job Dailytech, sealing Obama's fate daily by helping destroy the economy with environmental regulations stopping all job growth.
By bill4 on 6/23/2010 11:34:29 AM , Rating: 2
Path to growth:
Republicans decimate Dems in 2010 due to bad economy from CO2 hard caps on all economic growth.
However, this will not be enough votes to override Obama's veto. The EPA caps will remain, and the economy will stagnate through 2012.
2012, the Republican nominee for president, under a cratering economy, easily defeats Obama. Congress passes a bill rescinding EPA authority to regulate CO2, and now there's no presidential veto.
Even that may not happen, if Dems filibuster. They probably wont by that point though.
For sure the economy means cap and trade is utterly dead in Congress this year though.
Obama Adm Lied
By ZachDontScare on 6/23/2010 3:02:44 PM , Rating: 2
I didnt see in the article, but the judge also pointed out that the Obama Administration blatently lied about 'experts' recommending a moratorium. A panel of 'experts' did make recommendations, and then the Admin slipped the moratorium in *after* the fact and claimed the experts suggested it. That was a complete and total lie, and the experts on the panel called the administration on that because they most definately did *not* recommend a moratorium.
By omnicronx on 6/23/10, Rating: -1
RE: actually..
By Danish1 on 6/23/2010 11:02:54 AM , Rating: 3
This man should close his trap.. If an airliner has a crash due to maintenance issues, do they merely continue business as usual? NO! Its not uncommon for entire fleets being grounded to check the issue on all their planes.. Why? Because the safety is at risk.
Fleets are only being grounded if there's "hard evidence" pointing at a "general flaw" in an airplane type causing a crash.
Do you know of any such hard evidence in this case?
RE: actually..
By Solandri on 6/23/2010 11:54:43 AM , Rating: 2
Actually, if there are a spate of accidents in a short period of time involving one type of aircraft, they have grounded the fleet of those aircraft for a few days while they do a general investigation to see if there's some commonality.
But what we have here is a single incident. It remains to be seen if it's an outlier (bad luck can strike even those who are assiduous about safety), or indicative of a broader problem affecting the entire industry.* Also, grounding some aircraft for a few days is quite different from shuttering an entire industry for a quarter of a year.
*Given the widescale corruption in the MMA that's been reported, I think the government could argue that they have no clue if the oil companies are complying with regulations, and thus all operations need to be shut down until new inspectors can be trained and new inspections done. The proper course of action in that case would be a 90 day moratorium; but because the fault lies with the government, all affected companies should be financially compensated for the loss of business. In other words, the government needs to pay all those oil companies for lost productivity during those 90 days they're shut down. Not gonna fly with the current deficits and upcoming elections.
RE: actually..
By knutjb on 6/23/2010 2:41:52 PM , Rating: 2
The economic pressure from rigs sitting idle at a million plus a day make a seemingly innocuous government drilling ban an extremely serious issue. Does the Government's mismanagement really justify shutting down an entire industry over one, albeit very serious, problem? Blanket punishment for all for BP's negligence smells fishy.
The government and its green intentions could be using this ban to cripple that entire business in the US. Obama IS pushing Cap & Tax (he was directly involved with creating the CCX-Chicago Carbon Exchange), Green initiatives, writing an executive order to grant amnesty for all illegals, cramming Health Care down our throats, Stimulus that would "fix" our unemployment problems, etc...
Is it unreasonable to question the dear leader's intent? I know he "says" he wants Nuke but until a plant is online I don't trust him. Too many politicians say one thing and do another and he is deeply entrenched in that methodology.
RE: actually..
By yomamafor1 on 6/23/10, Rating: -1
RE: actually..
By BriteLite on 6/23/2010 12:34:45 PM , Rating: 4
Excellent point.
By George I think you are on to something here.
Air France had a massive number of Concorde's I think nearly what? 3800? No perhaps not that many maybe 100? No that's not right either maybe they had 20?
No still not right...
They had 5...
Do you think the statistical sampling is a bit different between the two?
There are 3800 wells... running well for decades and this one event... you want to "Seize" their operations? Are you mad? Or do you actually believe this drivel? Good grief man, with that way of thinking how in the world could anything EVER be made to run at profit? Or are you also against profit as well? Come on... admit it, you'd like to limit the profit oil companies can make because it's evil right? Be honest...
RE: actually..
By Solandri on 6/23/2010 12:35:15 PM , Rating: 2
BOPs are tested weekly to make sure they're operational, sometimes more frequently. So if you want to halt operations until each platform conducts a BOP test, I doubt the industry would have a problem with that.
RE: actually..
RE: actually..
Please excuse my 2nd rate English skills!
RE: actually..
By BriteLite on 6/23/2010 11:16:24 AM , Rating: 2
So let me get this straight...
BP who asked for help in February and advised the administration that they needed assistance because of some fissures and cracks... which then became a full-blown disaster on April 20th more than a MONTH after the administration was contacted points to a flaw in all 3800 wells in the Gulf?
Sure there may be ways to improve the designs and operations of wells, and I'd like to stop putting methane into the air, but one disaster doesn't condone the ban on all future work in the Gulf. It's asinine. This is just what we need another 50-75k workers unemployed, or perhaps even worse is the lifting of the drillers and moving to other countries, because they have to pay for those vessels. That means contracts in the gulf for wells become null and void.
I believe Feldman's point is simple... It's too far of a swing, it's too radical and there is no evidence pointing to what exactly happened yet. So how can we in good faith shut down an industry that has been running well with minimal issues for DECADES, in the <hope> to <change> something we don't yet understand? To me this is the definition of stupidity right now, in our economy.
RE: actually..
Yep shutting everything down is a knee jerk populist reaction.
RE: actually..
RE: actually..
By BriteLite on 6/23/2010 12:46:27 PM , Rating: 2
See... there are some bright spots coming from our educational system... You sir are a credit to your kind.
RE: actually..
By Dorkyman on 6/23/2010 12:48:13 PM , Rating: 1
Wow...where to begin...
You really should read a variety of material besides just the hard-left drivel out there.
You are right about one thing--the Repubs want to bring Messiah down. They (and I) believe him to be utterly incompetent and a danger to the country.
Oh, by the way, no one ever said they wanted AMERICA to fail--Rush said he wanted OBAMA to fail. A different desire, don't you think?
I am also stunned at your racism. No one I know or associate with gives a cr*p about Messiah's skin color. And for the record, technically he's not "black." He's 50% white, 43% Arab, 7% black.
See you at the polls in November. Bring a tissue.
RE: actually..
RE: actually..
By Quadrillity on 6/23/2010 1:15:38 PM , Rating: 2
What happens when the Commander in Chief fails? Here's a hint for your inbred brain cells: America fails.
You know 100% of nothing about our political system, so stop acting like you do, moron.
I must have struck a nerve with you. lol :D President Obama will be this nations best president ever in it's history.
pppffftt....ha...HAHAH...HAHAHAHAHAHAHA! Oh, you're serious?
Now...don't you have babies to rape? That's what most of you Repubs do, isn't it? Incest? Isn't that your thing?
It's funny that you mention babies. Do you know that Obama supports late term abortion? That's right, Obama is in favor of people shoving a tube in a babies head and sucking its brain out before medically dilating the cervix and passing the dead baby.
I REALLY want to see how you defend that one.
RE: actually..
RE: actually..
By Quadrillity on 6/23/2010 1:29:23 PM , Rating: 2
LOL...and you and the rest of your hypocritical kind are in favor of letting those unwanted babies grow up to the slavery you all try to impose on life.
So now I am a slave master? HAHA
What's worse, killing a baby before first breath or in an illegal military campaign?
So you defend murdering babies right? You need to check yourself into a behavioral health facility. And yes, I am dead serious. You have mental problems.
I don't have to defend anything...idiot. You do though. Because you know in your inner being you are the devil incarnate. You, and the the rest of your horde.
You know, Ben Franklin is the devil also. He did invent electricity, after all.
RE: actually..
RE: actually..
RE: actually..
RE: actually..
RE: actually..
RE: actually..
RE: actually..
You forgot to call us all doo-doo heads.
RE: actually..
1.) If you don't work you don't Vote
Who is willing?
RE: actually..
RE: actually..
RE: actually..
wtf are you talking about?
|
Everytime I put in a different game I have to do an update. Why?
#1SwatterXXPosted 9/9/2011 11:18:17 AM
For example I play BF:BC2 a lot, my friends want to play Red Dead. I put in game, game disconnects and updates. Later that night, play BF again, game disconnects from live and updates. Anyone know why and how I can fix it? Its more annoying than anything. Its always a 4 MB file no matter the game (unless its a legit patch that has a different file size).
I'm in love with Gina Carano.
#2universaldavePosted 9/9/2011 11:21:11 AM
Get a PS3 and any game... or even no games. You'll never complain about 360 updates ever again!
Gamefaqs: where men who can't get dates take every opportunity to tell everyone about their incredibly high standards when it comes to women.
#3M_RUTTER2K8Posted 9/9/2011 11:22:50 AM
From what you're saying, i gather that they're just patches.
Friendship is like peeing yourself; everyone can see it, but only you get the warm feeling that it brings.
#4popping4itPosted 9/9/2011 11:28:56 AM
do you have a hdd?
Still hoping for a Shenmue 3.
#5RenamonPosted 9/9/2011 11:34:29 AM
clear cache, etc
Halo 1 > all other Halo games
#6ZashulePosted 9/9/2011 11:53:49 AM
Clear your cache then redo the updates. That should take care of it.
Currently Playing: Red Dead Redemption, NFS Prostreet, Burnout Paradise, SEGA All-Star Racing and SW:TFU.
Current XBOX LIVE GS: 65,265 Next Goal: 70,000
#7Rolen74Posted 9/9/2011 12:14:43 PM
Your cache is dirty.
|
You gain as a real life power an ability from the last champion you played...
#91VarnFuryPosted 10/6/2012 12:58:25 PM
I thought mine was going be horrible.. But in a real life term it's freaken sweet. Kat's Shunpo. Can anyone say NightCrawler ^.^
#92_Yag_Posted 10/6/2012 1:02:23 PM
Kennens ult yes please. i will call down thundery wrath upon my enemies every few minutes sure.
#93Zen_ZarabPosted 10/6/2012 1:07:38 PM
Poppy's Ult. hehehehehehehe. HAHAHAHAHAHAHAH!
#94princemarth23Posted 10/6/2012 1:08:39 PM
Mundo W.
Not exactly a useful ability for me to have especially since it also hurts me.
#95synth_realPosted 10/6/2012 1:09:15 PM
Master Yi's Q
This could come in handy...
"I'm the straightest guy on this board. I'm so straight that I watch gay porn." - Smarkil
#96Final_HatsamuPosted 10/6/2012 1:16:30 PM
Lux's Ult?
Oh, yeah.
1Cross + 3Nails = 4given
#97Price_Of_FamePosted 10/6/2012 1:17:37 PM
Ryze E
GT: token lunatic
#98sephiroth489573Posted 10/6/2012 1:23:30 PM
nice one i get karmas R but karma doesent have an R what do
#99XcZeus3469Posted 10/6/2012 1:24:36 PM
Grave's Collateral Damage......
I'll let your mind come to its own conclusion
#100vermillion719Posted 10/6/2012 1:41:18 PM
I get to create a flaming forcefield around me? I'm fairly satisfied, I suppose.
LoL Name: Thanamar
|
Click photo to enlarge
Santa Claus waits for children to tell him what they want for Christmas at the Las Cruces Railroad Museum.
Santa Claus is a toy maker at North Pole West — the Mesilla area. He described his age as "older than my hair and younger than my teeth." He has been living in the area for four years after moving down from the North Pole. He is busy getting ready for his big night Monday and is always busy taking Christmas pictures with children and reading their letters to him.
1. What was the first car you owned? Eight reindeer-powered sleigh.
2. What's the best thing about Las Cruces? The wonderful, caring people.
3. What's the worst thing about Las Cruces? No snow for the reindeer.
4. What's your favorite music and favorite musician? Christmas music. Jackie Evanco.
5. What's your favorite movie, book or author? "A Visit from Santa," by Clement Moore.
6. If you could time-travel to any place or time in history, where would you go? I do that every year.
7. Involved in any groups or clubs? The Las Cruces Railroad Museum.
8. If you could magically add one thing to Las Cruces, what would it be? A ride on model trains for touring all the museums.
9. What super power would you like to have? The love of a child.
10. Who is your favorite celebrity? Cindy (Mrs. C) because she is my inspiration in all I do.
11. If they made a movie about your life, which actor would portray you? They have, and I like Tim Allen.
12. What was your nearest brush with fame? I was in the Christmas parade.
14. If you won the lottery, what would you do? Donate it to Coats for Kids and Compassionate Friends.
15. Where do you go to relax? Santa Cruz.
16. What material possession or object do you own that you treasure? Letters from the children.
18. What's you favorite annual event in Las Cruces or Mesilla? Winterfest.
19. What do you consider your greatest achievement? Bringing joy to people's hearts.
20. Do you have any pets? Reindeer!
21. What's one things people would be surprised to know about you? I love football.
22. What sustains you? Unconditional love from my wife.
23. Do you collect anything? Pictures with children because they are all my family.
24. What have you left uncompleted? Bringing the love of Christmas to everyone on the planet.
25. When you cook, what's your specialty? Hamburgers.
This week's Meet Your Neighbor was compiled by Andi Murphy. If you have an idea for a person to feature in Meet Your Neighbor, contact Andi Murphy at; 575-541-5453.
|
Complete Surface Mount Electric Strikes
Commercial applications for electric strikes have expanded to accommodate just about every type and style of door lock mechanism. In a world moving towards “micro-managing” access control and auditing who gains access, multiple lock hardware choices give locksmiths the ability to custom configure a system to accommodate the end-users’ requirements and finances.
The development of the electric strike for rim exit devices required building an electric strike body that was at least partially surface mounted to accommodate the Pullman style latch. For rim exit devices equipped with a Pullman style latch, the mechanical strike is surface mounted, extending out from the jamb face. Unlike a latch or deadbolt, a Pullman Latch is radiused and pivots like a butt hinge. When locked, the tip of the Pullman latch extends in front of the strike, stopping the door from swinging open.
The electric strike has been around for more than 120 years. A “no cut” or complete surface mount electric strike does not require a cutout in the jamb or within the jamb or the wallboard material to accommodate the body of the electric strike. These “no cut” or complete surface mount electric strikes have become a viable choice for installation onto fire rated openings.
The minimal projections of the ½” and ¾” thick electric strikes enable them to be used with rim exit device applications where the lock side of the door and jamb area has limited space. In addition, spacers are available for exit devices where there is more than sufficient space between the exit device and the electric strike.
At least three electric strike manufacturers offer completely surface mounted electric strikes. They are HES (9600, 9500 and 9400), Rutherford Controls Inc. (0162) and Trine (4800, 4801 and 4850).
HES 9600, 9500 and 9400
In 2000, HES introduced the 9600 Genesis electric strike. The 9600 is designed to operate with most rim exit devices equipped with Pullman latches having up to a ¾” throw without modification. The patented 9600 meets or exceeds the ANSI/BHMA A156.31 Grade 1 specification. It is UL 1034 burglary listed.
The HES 9600 is completely surface mounted. The 9600 stainless steel faceplate is approximately 9” high by 1-3/4” wide by 3/4“ thick. This non-handed electric strike can be installed onto metal or wood jambs. The continuous duty operation solenoid is field selectable, operating at 12 or 24VDC. The draw for 12VDC is .45 Amps and 24VDC is .25 Amps. The HES 9600 is field selectable; the electric strike can operate as Fail Secure or Fail Safe.
The 9600 incorporates two stainless steel, independently operating locking mechanisms. Two stainless steel keepers, one at the top and one at the bottom, secure the latch opening. Each stainless steel keeper operates independently and is designed to secure a Pullman latch, keeping the door closed. The 9600 static strength is 1,500 pounds with a dynamic strength of 70 ft-lbs.
When the electric strike is unlocked, the stainless steel keepers swing out as rim exit device’s extended Pullman latch moves out of the electric strike’s opening. Once the Pullman latch has swung beyond the keepers, the spring loaded locking mechanisms retract them to the locked position re-creating the strike enclosure.
The HES 9500 is the fire-rated version of the 9600 electric strike designed to accommodate up to ¾” Pullman latches. This electric strike is UL 10C fire-rated for 1-½ hour in Fail Secure operation only. It is Fire Door Listed with Warnock Hershey (Intertek). The 9500 is fire door conformant according to CAN4-S104, NFPA-252, and ASTM-E152.
The HES 9400 Series completely surface mounted electric strike is designed for a ½” throw Pullman latch equipped rim exit devices. The 9400 meets or exceeds ANSI/BHMA A156.31 Grade 1 specifications and is UL1034 burglary listed.
This content continues onto the next page...
We Recommend
|
Tea-Fueled Republican Resistance Compels Barack Obama To Keep Running
In 2012, Paul Ryan declared that the election would “determine” American policy. But in 2013, Republicans aren’t accepting the result, writes, Robert Shrum.
As President Obama is discovering, election, or more particularly reelection, can be a waning mandate. Yes, he won his top rate tax increases in January—but less because Republicans accepted the verdict of last November than that they feared the blame in November 2014 if they conspicuously shattered the credit-worthiness and economic stability of the United States. And now we are at a point where Obama himself suggests that the differences are just "too wide" to achieve a "grand bargain" on America's fiscal future. The president says he won't yield if the GOP position is "we can only do revenue if we gut Medicare ... Social Security ... or education."
Well, although they wouldn't put it in those words, that is exactly the Republican position: voucherize Medicare, mow down Medicaid, and, no surprise, slash tax rates for the wealthy and corporations to 25 percent. From White House officials to Congressional Democrats to liberal commentators like Rachel Maddow, there has been a common reaction: doesn't Ryan know that he and Mitt were beaten, and pretty soundly? To reinforce her point—and Ryan's hypocrisy—Maddow went to the videotape of last summer, when Ryan promised, "[w]hoever wins this election is going to determine what all this"—from entitlements to tax policy—"looks like next year."
In reality, things don't work out that way—and they certainly aren't now. In fact, the Tea-fueled Republican resistance to Obama's approach is both consistent with history, and dangerously ahistorical.
First, the consistency: political parties don't surrender core positions just because their presidential nominee finished behind, sometimes far behind, in the electoral college.
After Richard Nixon carried 49 states in 1972, Democrats continued to press for a definitive end to the Vietnam War—and Congress ultimately defied the impeached and disgraced president's successor Gerald Ford and their mutual secretary of State, Henry Kissinger, by refusing a request for last-minute arms and air cover for the South Vietnamese regime. Senator Jacob Javits, a Republican but a long time doubter about the war, was blunt: Congress would "provide large sums for evacuation, but not one nickel for military aid." A conflict that never should've been fought was finally over.
The examples here are legion, for both Democratic and Republican presidents, and whether their elections were close calls or landslides. John F. Kennedy ran on Medicare in 1960—it was a central difference between him and Nixon—and then against fierce opposition, lost the bill in the Senate by four votes. In 1994, Bill Clinton's health-care reform, a hallmark promise of his campaign, never even reached the floor of either house of Congress. George W. Bush claimed a mandate after 2004, and then promptly saw Democrats decimate his proposal to privatize Social Security. After Hurricane Katrina, he couldn't pass a single major piece of legislation or stem the tide of hostility to the Iraq War—that became a driving force of the campaign of the young senator who would succeed him.
Ronald Reagan, another 49-state winner, did secure sweeping tax reform; but it was a Democratic as much as a Republican plan, embodying ideas Ted Kennedy had pursued for years and shaped as much by Democrats like Dick Gephardt and Bill Bradley as by his administration. Reagan achieved comprehensive immigration reform, but it had to be negotiated with Kennedy and others on both sides of the aisle. Beyond this, he yielded his past opposition to the Voting Rights Act, which was renewed in 1985. And Democrats, and a fair number of Republicans, stood their ground and overrode his shameful veto of sanctions on apartheid, a measure which isolated the racist regime in South Africa and played a crucial role in its downfall.
Lyndon Johnson, who was first elected to the Senate in 1948 by 87 votes, derisively earning the nickname "Landslide Lyndon," redeemed his electoral status by capturing the highest share of the popular vote in history in the presidential contest of 1964. But he's the exception that proves the rule. He promptly passed Medicare and the rest of his "Great Society"—but only because his party had two-thirds majorities in the Senate and the House— and for only two years. Republicans fought back; LBJ was increasingly beleaguered by civil unrest at home and a domestic uprising against escalation in Vietnam. He didn't even dare to run again in 1968.
On a broad span of issues, from economic justice to the rights of women, Hispanics, other minorities, and gays and lesbians, the GOP is paddling against the tide of history.
So the resistance Obama faces today is not unusual, even if it is unusually bitter. What is fundamentally ahistorical is the GOP's utter unwillingness to compromise—and its willingness to threaten the underpinnings of both government and the economy. Even in the throes of the Watergate scandal, the two parties collaborated to keep the system whole, sound, and on track. Or think of 1997: after House Speaker Newt Gingrich had pioneered the apocalyptic tactic of shutting down the government, which brought a fierce political backlash, he worked with President Clinton to enact the measures that led to a balanced budget. It is perhaps Bill Clinton's greatest achievement—and hard as it is to say this, Gingrich's finest hour.
Newt had learned the lesson of the shutdown. And today’s House Republicans say that they have, too. They've just approved a bill to fund the government until the end of September. The prevailing assumption is that the Senate will remove some of the poison pills that are killing domestic programs—and the final product will actually make it to the president's desk.
A great country shouldn't be making fateful fiscal decisions month by month, but it's better than fiscal collapse. That doesn't obviate the prospect of a gradual, grinding economic slowdown. Aside from the human pain, inflicted not just on federal workers but on the poorest and most vulnerable, the sequester is likely to reduce economic growth by at least half a percentage point and trigger the loss of one million jobs.
In the customary dramaturgy of the Beltway, excessive attention has been paid to a sideshow orchestrated by the Washington Post's Bob Woodward —the discredited claim that the president "moved the goalposts" by insisting that revenue be part of an agreement to avert sequestration. But in 2011, the White House made clear that any solution had to include "revenue—raising tax reform."
What matters far more than this tempest in the media's self-reflective mirror is the Republicans' manic and politically convenient obsession with growth-retarding, job-ravaging austerity. Throughout Obama's first term, they blocked effort after effort to help strained state and local governments and to lift demand across the economy. The result, as Paul Krugman wrote, was an unemployment rate 1.5 percentage points higher than it otherwise would have been by March 2012. It was bad economics by Republicans—and as it turned out, bad politics too, as Obama reframed the election not as a referendum on the sluggish state of the recovery, but as a choice defined by a question to which Romney could never be the answer: Who stands up for the middle class? Who's on your side?
Now the GOP, impelled by ideology matched to calculation, is trying the same game again. And Republicans aren't deterred, but encouraged by the near-universal consensus—and the nearly universal proof from Europe to Asia and the Americas—that austerity is the road to economic malaise or recession. The obvious aim is to blame Obama and the Democrats and rerun the 2010 elections in 2014.
Bill Clinton signing budget reconciliation measure into law, Newt Gingrich pictured background center, August 5, 1997. (Douglas Graham/Getty)
I've argued here before that the president in effect has to run for a third term in the midterm campaign. Aside from marshaling the unparalleled competencies of his organization—and I don't care about the tut-tutting of goo-goo groups like Common Cause about his fundraising for this—unilateral disarmament is not a sufficient response to the Koch brothers and their ilk—the president has to pin the tail on the elephant. As the sequester erodes the recovery, he has to hold the GOP accountable, and he has to draw dividing lines on the budget and fiscal policy: growth now, deficit reduction over time; Social Security, Medicare, investment in the future, not tax windfalls for the wealthy.
On a broad span of issues, from economic justice to the rights of women, Hispanics, other minorities, and gays and lesbians, the GOP is paddling against the tide of history. They will do it less conspicuously now, as quietly as the base will let them. And in the meantime, in the name of a clichéd and miscarried fiscal discipline, they will block or weaken the recovery every step of the way—and hope no one notices. Obama can and must make sure everyone does.
The president has reached out, sought out middle ground, and repeatedly been rebuffed. His experience validates JFK's observation that you can't negotiate with those who say: "What's mine is mine and what's yours is negotiable." For the sake of the nation, I wish Obama had some of the luck of Clinton in 1997. So while I never thought I'd write this either, maybe we should bring back Newt Gingrich.
|
A/N: Shortest story I've ever written was over 600 words. Makes me wonder if I'm capable of drabbling…
X xxxxxxxxxxxxxxxxxx X
If I didn't know better, Jess, I'd think you were capable of lying to me.
If I didn't know better I'd think I am falling for your lies.
I don't know what you and Stella think you're doing, but I do know you're this close of going rogue, and that worries me.
I know you think you're safe and strong, but here I'm thinking Aiden Burns. There's a reason why they stopped calling it a shield and now it's merely a badge, you know.
I don't want to lose you, babe, but I can't help feeling like I've already have.
X xxxxxxxxxxxxxxxxxx X
A/N: One hundred words! But... does it make sense?
|
Skip main navigation
Youth Menu
I’m a Young Woman, and I Believe!
Young women share their belief in Christ, their feelings about the temple, and their courage to change the world. Then, President Thomas S. Monson shares a message of love and confidence.
1000 characters remaining
or Cancel
|
OCR Interpretation
The day book. (Chicago, Ill.) 1911-1917, April 01, 1913, Image 8
Persistent link: http://chroniclingamerica.loc.gov/lccn/sn83045487/1913-04-01/ed-1/seq-8/
What is OCR?
Thumbnail for
been itsed for" storage reservoirs and had 'eenemjty when' 'the Easter
floods carrie this great disaster would have been prevented.
If the reservoir system wbrkeddutby the geological survey of the
United States were built thelloods-of the 'lb wer Mississippi, valley would be
conrolled forever? .
We have spetft'n'early- $40O;OOO;OOO to .Uuild a Panama canal. We can
spend another $400,0fl0,'Qp0Cto.,control these, floods. if riecessary.
The development of the nation and the" people'fr1 safety demand it.
It is our greatest physical problem) The Chinese have, had a problem like
it in theirgreat river' for 4,000 years. They have bent to the scourge cen
tury after .century. But that is not the Anglo-Saxon, way.
We do not bend; we fight! -
Let us barethe arm that cut through .the isthmus, spanned the con
tinent with" steel and'wre'sted a -world' from savagery:- '
; o o .
Carmi, III., April 1. The Ohio river
reached 55y2 feet at Shawne,etown,
today. Levees are still holding. Wo-
men and children have left the city:
Militiamen -are on guard, and. the Illi
nois, naval reserves are 'on, duty with T
then: boats. Even shpuld the levees
give way, no lossjjf life is expected.
"Fooled th' -confidence 'men, that
time, by heck! Got by them at th'
depot by jumpin' inter a taxicab an?
ridin' uptown. Only cost me $79.88,
t 0 O :
"I've got a poem," he said, when
he had secured the attention of the
editor. "My dear "sir, that pigeon
hole is filled with 'poems awaiting
publication." "But 'this describes
the virtues of 'the Ache DeBtroyer,
and I will pay five dollars a line to
have it printed," said the author.
"Ah, charming! I'm glad to see you
turn your attention to -verse. I wish
all had .your" gift"' ' -
Cairo, 111. Drainage district leyees
north of Cairo have been abandoned,
and it is only a 'question of time until
they will be swept away.
, Militiamen and every man left in
the city are working on the Cairo
levees. If they break thecity will be
flooded. Appeal has been made to
the federal .government for the use
of three scows anchored near here.
:Naval reserves are aiding in fight
ing the flood. Martial law has been 0
declared, and ample provisions have
been made for safety of residents of 51
the city. , ,
' II
Memphis, Tenn-Sandbags are be- .
ing used, to reinforce the levees on5i.
the Mississippi north of here. A 46-
foot Btage in the river is feared.
. h
Cincinnati, O.- The, Ohio river has
remained statipnair at 59.8 feet since n
i o'clock this morning. Predictions
are made that it will not recede for11
several days. -
xml | txt
|
# $Id$ package ExtUtils::MakeMaker; use strict; BEGIN {require 5.006;} require Exporter; use ExtUtils::MakeMaker::Config; use Carp; use File::Path; our $Verbose = 0; # exported our @Parent; # needs to be localized our @Get_from_Config; # referenced by MM_Unix our @MM_Sections; our @Overridable; my @Prepend_parent; my %Recognized_Att_Keys; our $VERSION = '6.88'; $VERSION = eval $VERSION; ## no critic [BuiltinFunctions::ProhibitStringyEval] # Emulate something resembling CVS $Revision$ (our $Revision = $VERSION) =~ s{_}{}; $Revision = int $Revision * 10000; our $Filename = __FILE__; # referenced outside MakeMaker our @ISA = qw(Exporter); our @EXPORT = qw(&WriteMakefile &writeMakefile $Verbose &prompt); our @EXPORT_OK = qw($VERSION &neatvalue &mkbootstrap &mksymlists &WriteEmptyMakefile); # These will go away once the last of the Win32 & VMS specific code is # purged. my $Is_VMS = $^O eq 'VMS'; my $Is_Win32 = $^O eq 'MSWin32'; full_setup(); require ExtUtils::MM; # Things like CPAN assume loading ExtUtils::MakeMaker # will give them MM. require ExtUtils::MY; # XXX pre-5.8 versions of ExtUtils::Embed expect # loading ExtUtils::MakeMaker will give them MY. # This will go when Embed is its own CPAN module. sub WriteMakefile { croak "WriteMakefile: Need even number of args" if @_ % 2; require ExtUtils::MY; my %att = @_; _convert_compat_attrs(\%att); _verify_att(\%att); my $mm = MM->new(\%att); $mm->flush; return $mm; } # Basic signatures of the attributes WriteMakefile takes. Each is the # reference type. Empty value indicate it takes a non-reference # scalar. my %Att_Sigs; my %Special_Sigs = ( AUTHOR => 'ARRAY', C => 'ARRAY', CONFIG => 'ARRAY', CONFIGURE => 'CODE', DIR => 'ARRAY', DL_FUNCS => 'HASH', DL_VARS => 'ARRAY', EXCLUDE_EXT => 'ARRAY', EXE_FILES => 'ARRAY', FUNCLIST => 'ARRAY', H => 'ARRAY', IMPORTS => 'HASH', INCLUDE_EXT => 'ARRAY', LIBS => ['ARRAY',''], MAN1PODS => 'HASH', MAN3PODS => 'HASH', META_ADD => 'HASH', META_MERGE => 'HASH', OBJECT => ['ARRAY', ''], PL_FILES => 'HASH', PM => 'HASH', PMLIBDIRS => 'ARRAY', PMLIBPARENTDIRS => 'ARRAY', PREREQ_PM => 'HASH', BUILD_REQUIRES => 'HASH', CONFIGURE_REQUIRES => 'HASH', TEST_REQUIRES => 'HASH', SKIP => 'ARRAY', TYPEMAPS => 'ARRAY', XS => 'HASH', VERSION => ['version',''], _KEEP_AFTER_FLUSH => '', clean => 'HASH', depend => 'HASH', dist => 'HASH', dynamic_lib=> 'HASH', linkext => 'HASH', macro => 'HASH', postamble => 'HASH', realclean => 'HASH', test => 'HASH', tool_autosplit => 'HASH', ); @Att_Sigs{keys %Recognized_Att_Keys} = ('') x keys %Recognized_Att_Keys; @Att_Sigs{keys %Special_Sigs} = values %Special_Sigs; sub _convert_compat_attrs { #result of running several times should be same my($att) = @_; if (exists $att->{AUTHOR}) { if ($att->{AUTHOR}) { if (!ref($att->{AUTHOR})) { my $t = $att->{AUTHOR}; $att->{AUTHOR} = [$t]; } } else { $att->{AUTHOR} = []; } } } sub _verify_att { my($att) = @_; while( my($key, $val) = each %$att ) { my $sig = $Att_Sigs{$key}; unless( defined $sig ) { warn "WARNING: $key is not a known parameter.\n"; next; } my @sigs = ref $sig ? @$sig : $sig; my $given = ref $val; unless( grep { _is_of_type($val, $_) } @sigs ) { my $takes = join " or ", map { _format_att($_) } @sigs; my $has = _format_att($given); warn "WARNING: $key takes a $takes not a $has.\n". " Please inform the author.\n"; } } } # Check if a given thing is a reference or instance of $type sub _is_of_type { my($thing, $type) = @_; return 1 if ref $thing eq $type; local $SIG{__DIE__}; return 1 if eval{ $thing->isa($type) }; return 0; } sub _format_att { my $given = shift; return $given eq '' ? "string/number" : uc $given eq $given ? "$given reference" : "$given object" ; } sub prompt ($;$) { ## no critic my($mess, $def) = @_; confess("prompt function called without an argument") unless defined $mess; my $isa_tty = -t STDIN && (-t STDOUT || !(-f STDOUT || -c STDOUT)) ; my $dispdef = defined $def ? "[$def] " : " "; $def = defined $def ? $def : ""; local $|=1; local $\; print "$mess $dispdef"; my $ans; if ($ENV{PERL_MM_USE_DEFAULT} || (!$isa_tty && eof STDIN)) { print "$def\n"; } else { $ans = ; if( defined $ans ) { $ans =~ s{\015?\012$}{}; } else { # user hit ctrl-D print "\n"; } } return (!defined $ans || $ans eq '') ? $def : $ans; } sub eval_in_subdirs { my($self) = @_; use Cwd qw(cwd abs_path); my $pwd = cwd() || die "Can't figure out your cwd!"; local @INC = map eval {abs_path($_) if -e} || $_, @INC; push @INC, '.'; # '.' has to always be at the end of @INC foreach my $dir (@{$self->{DIR}}){ my($abs) = $self->catdir($pwd,$dir); eval { $self->eval_in_x($abs); }; last if $@; } chdir $pwd; die $@ if $@; } sub eval_in_x { my($self,$dir) = @_; chdir $dir or carp("Couldn't change to directory $dir: $!"); { package main; do './Makefile.PL'; }; if ($@) { # if ($@ =~ /prerequisites/) { # die "MakeMaker WARNING: $@"; # } else { # warn "WARNING from evaluation of $dir/Makefile.PL: $@"; # } die "ERROR from evaluation of $dir/Makefile.PL: $@"; } } # package name for the classes into which the first object will be blessed my $PACKNAME = 'PACK000'; sub full_setup { $Verbose ||= 0; my @attrib_help = qw/ AUTHOR ABSTRACT ABSTRACT_FROM BINARY_LOCATION C CAPI CCFLAGS CONFIG CONFIGURE DEFINE DIR DISTNAME DISTVNAME DL_FUNCS DL_VARS EXCLUDE_EXT EXE_FILES FIRST_MAKEFILE FULLPERL FULLPERLRUN FULLPERLRUNINST FUNCLIST H IMPORTS INST_ARCHLIB INST_SCRIPT INST_BIN INST_LIB INST_MAN1DIR INST_MAN3DIR INSTALLDIRS DESTDIR PREFIX INSTALL_BASE PERLPREFIX SITEPREFIX VENDORPREFIX INSTALLPRIVLIB INSTALLSITELIB INSTALLVENDORLIB INSTALLARCHLIB INSTALLSITEARCH INSTALLVENDORARCH INSTALLBIN INSTALLSITEBIN INSTALLVENDORBIN INSTALLMAN1DIR INSTALLMAN3DIR INSTALLSITEMAN1DIR INSTALLSITEMAN3DIR INSTALLVENDORMAN1DIR INSTALLVENDORMAN3DIR INSTALLSCRIPT INSTALLSITESCRIPT INSTALLVENDORSCRIPT PERL_LIB PERL_ARCHLIB SITELIBEXP SITEARCHEXP INC INCLUDE_EXT LDFROM LIB LIBPERL_A LIBS LICENSE LINKTYPE MAKE MAKEAPERL MAKEFILE MAKEFILE_OLD MAN1PODS MAN3PODS MAP_TARGET META_ADD META_MERGE MIN_PERL_VERSION BUILD_REQUIRES CONFIGURE_REQUIRES MYEXTLIB NAME NEEDS_LINKING NOECHO NO_META NO_MYMETA NO_PACKLIST NO_PERLLOCAL NORECURS NO_VC OBJECT OPTIMIZE PERL_MALLOC_OK PERL PERLMAINCC PERLRUN PERLRUNINST PERL_CORE PERL_SRC PERM_DIR PERM_RW PERM_RWX MAGICXS PL_FILES PM PM_FILTER PMLIBDIRS PMLIBPARENTDIRS POLLUTE PPM_INSTALL_EXEC PPM_UNINSTALL_EXEC PPM_INSTALL_SCRIPT PPM_UNINSTALL_SCRIPT PREREQ_FATAL PREREQ_PM PREREQ_PRINT PRINT_PREREQ SIGN SKIP TEST_REQUIRES TYPEMAPS UNINST VERSION VERSION_FROM XS XSOPT XSPROTOARG XS_VERSION clean depend dist dynamic_lib linkext macro realclean tool_autosplit MACPERL_SRC MACPERL_LIB MACLIBS_68K MACLIBS_PPC MACLIBS_SC MACLIBS_MRC MACLIBS_ALL_68K MACLIBS_ALL_PPC MACLIBS_SHARED /; # IMPORTS is used under OS/2 and Win32 # @Overridable is close to @MM_Sections but not identical. The # order is important. Many subroutines declare macros. These # depend on each other. Let's try to collect the macros up front, # then pasthru, then the rules. # MM_Sections are the sections we have to call explicitly # in Overridable we have subroutines that are used indirectly @MM_Sections = qw( post_initialize const_config constants platform_constants tool_autosplit tool_xsubpp tools_other makemakerdflt dist macro depend cflags const_loadlibs const_cccmd post_constants pasthru special_targets c_o xs_c xs_o top_targets blibdirs linkext dlsyms dynamic_bs dynamic dynamic_lib static static_lib manifypods processPL installbin subdirs clean_subdirs clean realclean_subdirs realclean metafile signature dist_basics dist_core distdir dist_test dist_ci distmeta distsignature install force perldepend makefile staticmake test ppd ); # loses section ordering @Overridable = @MM_Sections; push @Overridable, qw[ libscan makeaperl needs_linking subdir_x test_via_harness test_via_script init_VERSION init_dist init_INST init_INSTALL init_DEST init_dirscan init_PM init_MANPODS init_xs init_PERL init_DIRFILESEP init_linker ]; push @MM_Sections, qw[ pm_to_blib selfdocument ]; # Postamble needs to be the last that was always the case push @MM_Sections, "postamble"; push @Overridable, "postamble"; # All sections are valid keys. @Recognized_Att_Keys{@MM_Sections} = (1) x @MM_Sections; # we will use all these variables in the Makefile @Get_from_Config = qw( ar cc cccdlflags ccdlflags dlext dlsrc exe_ext full_ar ld lddlflags ldflags libc lib_ext obj_ext osname osvers ranlib sitelibexp sitearchexp so ); # 5.5.3 doesn't have any concept of vendor libs push @Get_from_Config, qw( vendorarchexp vendorlibexp ) if $] >= 5.006; foreach my $item (@attrib_help){ $Recognized_Att_Keys{$item} = 1; } foreach my $item (@Get_from_Config) { $Recognized_Att_Keys{uc $item} = $Config{$item}; print "Attribute '\U$item\E' => '$Config{$item}'\n" if ($Verbose >= 2); } # # When we eval a Makefile.PL in a subdirectory, that one will ask # us (the parent) for the values and will prepend "..", so that # all files to be installed end up below OUR ./blib # @Prepend_parent = qw( INST_BIN INST_LIB INST_ARCHLIB INST_SCRIPT MAP_TARGET INST_MAN1DIR INST_MAN3DIR PERL_SRC PERL FULLPERL ); } sub writeMakefile { die <{ARGS}{$k} = $self->{$k}; } $self = {} unless defined $self; # Temporarily bless it into MM so it can be used as an # object. It will be blessed into a temp package later. bless $self, "MM"; # Cleanup all the module requirement bits for my $key (qw(PREREQ_PM BUILD_REQUIRES CONFIGURE_REQUIRES TEST_REQUIRES)) { $self->{$key} ||= {}; $self->clean_versions( $key ); } if ("@ARGV" =~ /\bPREREQ_PRINT\b/) { $self->_PREREQ_PRINT; } # PRINT_PREREQ is RedHatism. if ("@ARGV" =~ /\bPRINT_PREREQ\b/) { $self->_PRINT_PREREQ; } print "MakeMaker (v$VERSION)\n" if $Verbose; if (-f "MANIFEST" && ! -f "Makefile" && ! $ENV{PERL_CORE}){ check_manifest(); } check_hints($self); # Translate X.Y.Z to X.00Y00Z if( defined $self->{MIN_PERL_VERSION} ) { $self->{MIN_PERL_VERSION} =~ s{ ^ (\d+) \. (\d+) \. (\d+) $ } {sprintf "%d.%03d%03d", $1, $2, $3}ex; } my $perl_version_ok = eval { local $SIG{__WARN__} = sub { # simulate "use warnings FATAL => 'all'" for vintage perls die @_; }; !$self->{MIN_PERL_VERSION} or $self->{MIN_PERL_VERSION} <= $] }; if (!$perl_version_ok) { if (!defined $perl_version_ok) { die <<'END'; Warning: MIN_PERL_VERSION is not in a recognized format. Recommended is a quoted numerical value like '5.005' or '5.008001'. END } elsif ($self->{PREREQ_FATAL}) { die sprintf <<"END", $self->{MIN_PERL_VERSION}, $]; MakeMaker FATAL: perl version too low for this distribution. Required is %s. We run %s. END } else { warn sprintf "Warning: Perl version %s or higher required. We run %s.\n", $self->{MIN_PERL_VERSION}, $]; } } my %configure_att; # record &{$self->{CONFIGURE}} attributes my(%initial_att) = %$self; # record initial attributes my(%unsatisfied) = (); my $prereqs = $self->_all_prereqs; foreach my $prereq (sort keys %$prereqs) { my $required_version = $prereqs->{$prereq}; my $pr_version = 0; my $installed_file; if ( $prereq eq 'perl' ) { if ( defined $required_version && $required_version =~ /^v?[\d_\.]+$/ || $required_version !~ /^v?[\d_\.]+$/ ) { require version; my $normal = eval { version->parse( $required_version ) }; $required_version = $normal if defined $normal; } $installed_file = $prereq; $pr_version = $]; } else { $installed_file = MM->_installed_file_for_module($prereq); $pr_version = MM->parse_version($installed_file) if $installed_file; $pr_version = 0 if $pr_version eq 'undef'; } # convert X.Y_Z alpha version #s to X.YZ for easier comparisons $pr_version =~ s/(\d+)\.(\d+)_(\d+)/$1.$2$3/; if (!$installed_file) { warn sprintf "Warning: prerequisite %s %s not found.\n", $prereq, $required_version unless $self->{PREREQ_FATAL} or $ENV{PERL_CORE}; $unsatisfied{$prereq} = 'not installed'; } elsif ($pr_version < $required_version ){ warn sprintf "Warning: prerequisite %s %s not found. We have %s.\n", $prereq, $required_version, ($pr_version || 'unknown version') unless $self->{PREREQ_FATAL} or $ENV{PERL_CORE}; $unsatisfied{$prereq} = $required_version ? $required_version : 'unknown version' ; } } if (%unsatisfied && $self->{PREREQ_FATAL}){ my $failedprereqs = join "\n", map {" $_ $unsatisfied{$_}"} sort { $a cmp $b } keys %unsatisfied; die <<"END"; MakeMaker FATAL: prerequisites not found. $failedprereqs Please install these modules first and rerun 'perl Makefile.PL'. END } if (defined $self->{CONFIGURE}) { if (ref $self->{CONFIGURE} eq 'CODE') { %configure_att = %{&{$self->{CONFIGURE}}}; _convert_compat_attrs(\%configure_att); $self = { %$self, %configure_att }; } else { croak "Attribute 'CONFIGURE' to WriteMakefile() not a code reference\n"; } } # This is for old Makefiles written pre 5.00, will go away if ( Carp::longmess("") =~ /runsubdirpl/s ){ carp("WARNING: Please rerun 'perl Makefile.PL' to regenerate your Makefiles\n"); } my $newclass = ++$PACKNAME; local @Parent = @Parent; # Protect against non-local exits { print "Blessing Object into class [$newclass]\n" if $Verbose>=2; mv_all_methods("MY",$newclass); bless $self, $newclass; push @Parent, $self; require ExtUtils::MY; no strict 'refs'; ## no critic; @{"$newclass\:\:ISA"} = 'MM'; } if (defined $Parent[-2]){ $self->{PARENT} = $Parent[-2]; for my $key (@Prepend_parent) { next unless defined $self->{PARENT}{$key}; # Don't stomp on WriteMakefile() args. next if defined $self->{ARGS}{$key} and $self->{ARGS}{$key} eq $self->{$key}; $self->{$key} = $self->{PARENT}{$key}; unless ($Is_VMS && $key =~ /PERL$/) { $self->{$key} = $self->catdir("..",$self->{$key}) unless $self->file_name_is_absolute($self->{$key}); } else { # PERL or FULLPERL will be a command verb or even a # command with an argument instead of a full file # specification under VMS. So, don't turn the command # into a filespec, but do add a level to the path of # the argument if not already absolute. my @cmd = split /\s+/, $self->{$key}; $cmd[1] = $self->catfile('[-]',$cmd[1]) unless (@cmd < 2) || $self->file_name_is_absolute($cmd[1]); $self->{$key} = join(' ', @cmd); } } if ($self->{PARENT}) { $self->{PARENT}->{CHILDREN}->{$newclass} = $self; foreach my $opt (qw(POLLUTE PERL_CORE LINKTYPE LD OPTIMIZE)) { if (exists $self->{PARENT}->{$opt} and not exists $self->{$opt}) { # inherit, but only if already unspecified $self->{$opt} = $self->{PARENT}->{$opt}; } } } my @fm = grep /^FIRST_MAKEFILE=/, @ARGV; parse_args($self,@fm) if @fm; } else { parse_args($self, _shellwords($ENV{PERL_MM_OPT} || ''),@ARGV); } # RT#91540 PREREQ_FATAL not recognized on command line if (%unsatisfied && $self->{PREREQ_FATAL}){ my $failedprereqs = join "\n", map {" $_ $unsatisfied{$_}"} sort { $a cmp $b } keys %unsatisfied; die <<"END"; MakeMaker FATAL: prerequisites not found. $failedprereqs Please install these modules first and rerun 'perl Makefile.PL'. END } $self->{NAME} ||= $self->guess_name; warn "Warning: NAME must be a package name\n" unless $self->{NAME} =~ m!^[A-Z_a-z][0-9A-Z_a-z]*(?:::[0-9A-Z_a-z]+)*$!; ($self->{NAME_SYM} = $self->{NAME}) =~ s/\W+/_/g; $self->init_MAKE; $self->init_main; $self->init_VERSION; $self->init_dist; $self->init_INST; $self->init_INSTALL; $self->init_DEST; $self->init_dirscan; $self->init_PM; $self->init_MANPODS; $self->init_xs; $self->init_PERL; $self->init_DIRFILESEP; $self->init_linker; $self->init_ABSTRACT; $self->arch_check( $INC{'Config.pm'}, $self->catfile($Config{'archlibexp'}, "Config.pm") ); $self->init_tools(); $self->init_others(); $self->init_platform(); $self->init_PERM(); my($argv) = neatvalue(\@ARGV); $argv =~ s/^\[/(/; $argv =~ s/\]$/)/; push @{$self->{RESULT}}, <{NAME} extension to perl. # # It was generated automatically by MakeMaker version # $VERSION (Revision: $Revision) from the contents of # Makefile.PL. Don't edit this file, edit Makefile.PL instead. # # ANY CHANGES MADE HERE WILL BE LOST! # # MakeMaker ARGV: $argv # END push @{$self->{RESULT}}, $self->_MakeMaker_Parameters_section(\%initial_att); if (defined $self->{CONFIGURE}) { push @{$self->{RESULT}}, < 0) { foreach my $key (sort keys %configure_att){ next if $key eq 'ARGS'; my($v) = neatvalue($configure_att{$key}); $v =~ s/(CODE|HASH|ARRAY|SCALAR)\([\dxa-f]+\)/$1\(...\)/; $v =~ tr/\n/ /s; push @{$self->{RESULT}}, "# $key => $v"; } } else { push @{$self->{RESULT}}, "# no values returned"; } undef %configure_att; # free memory } # turn the SKIP array into a SKIPHASH hash for my $skip (@{$self->{SKIP} || []}) { $self->{SKIPHASH}{$skip} = 1; } delete $self->{SKIP}; # free memory if ($self->{PARENT}) { for (qw/install dist dist_basics dist_core distdir dist_test dist_ci/) { $self->{SKIPHASH}{$_} = 1; } } # We run all the subdirectories now. They don't have much to query # from the parent, but the parent has to query them: if they need linking! unless ($self->{NORECURS}) { $self->eval_in_subdirs if @{$self->{DIR}}; } foreach my $section ( @MM_Sections ){ # Support for new foo_target() methods. my $method = $section; $method .= '_target' unless $self->can($method); print "Processing Makefile '$section' section\n" if ($Verbose >= 2); my($skipit) = $self->skipcheck($section); if ($skipit){ push @{$self->{RESULT}}, "\n# --- MakeMaker $section section $skipit."; } else { my(%a) = %{$self->{$section} || {}}; push @{$self->{RESULT}}, "\n# --- MakeMaker $section section:"; push @{$self->{RESULT}}, "# " . join ", ", %a if $Verbose && %a; push @{$self->{RESULT}}, $self->maketext_filter( $self->$method( %a ) ); } } push @{$self->{RESULT}}, "\n# End."; $self; } sub WriteEmptyMakefile { croak "WriteEmptyMakefile: Need an even number of args" if @_ % 2; my %att = @_; my $self = MM->new(\%att); my $new = $self->{MAKEFILE}; my $old = $self->{MAKEFILE_OLD}; if (-f $old) { _unlink($old) or warn "unlink $old: $!"; } if ( -f $new ) { _rename($new, $old) or warn "rename $new => $old: $!" } open my $mfh, '>', $new or die "open $new for write: $!"; print $mfh <<'EOP'; all : clean : install : makemakerdflt : test : EOP close $mfh or die "close $new for write: $!"; } =begin private =head3 _installed_file_for_module my $file = MM->_installed_file_for_module($module); Return the first installed .pm $file associated with the $module. The one which will show up when you C. $module is something like "strict" or "Test::More". =end private =cut sub _installed_file_for_module { my $class = shift; my $prereq = shift; my $file = "$prereq.pm"; $file =~ s{::}{/}g; my $path; for my $dir (@INC) { my $tmp = File::Spec->catfile($dir, $file); if ( -r $tmp ) { $path = $tmp; last; } } return $path; } # Extracted from MakeMaker->new so we can test it sub _MakeMaker_Parameters_section { my $self = shift; my $att = shift; my @result = <<'END'; # MakeMaker Parameters: END foreach my $key (sort keys %$att){ next if $key eq 'ARGS'; my ($v) = neatvalue($att->{$key}); if ($key eq 'PREREQ_PM') { # CPAN.pm takes prereqs from this field in 'Makefile' # and does not know about BUILD_REQUIRES $v = neatvalue({ %{ $att->{PREREQ_PM} || {} }, %{ $att->{BUILD_REQUIRES} || {} }, %{ $att->{TEST_REQUIRES} || {} }, }); } else { $v = neatvalue($att->{$key}); } $v =~ s/(CODE|HASH|ARRAY|SCALAR)\([\dxa-f]+\)/$1\(...\)/; $v =~ tr/\n/ /s; push @result, "# $key => $v"; } return @result; } # _shellwords and _parseline borrowed from Text::ParseWords sub _shellwords { my (@lines) = @_; my @allwords; foreach my $line (@lines) { $line =~ s/^\s+//; my @words = _parse_line('\s+', 0, $line); pop @words if (@words and !defined $words[-1]); return() unless (@words || !length($line)); push(@allwords, @words); } return(@allwords); } sub _parse_line { my($delimiter, $keep, $line) = @_; my($word, @pieces); no warnings 'uninitialized'; # we will be testing undef strings while (length($line)) { # This pattern is optimised to be stack conservative on older perls. # Do not refactor without being careful and testing it on very long strings. # See Perl bug #42980 for an example of a stack busting input. $line =~ s/^ (?: # double quoted string (") # $quote ((?>[^\\"]*(?:\\.[^\\"]*)*))" # $quoted | # --OR-- # singe quoted string (') # $quote ((?>[^\\']*(?:\\.[^\\']*)*))' # $quoted | # --OR-- # unquoted string ( # $unquoted (?:\\.|[^\\"'])*? ) # followed by ( # $delim \Z(?!\n) # EOL | # --OR-- (?-x:$delimiter) # delimiter | # --OR-- (?!^)(?=["']) # a quote ) )//xs or return; # extended layout my ($quote, $quoted, $unquoted, $delim) = (($1 ? ($1,$2) : ($3,$4)), $5, $6); return() unless( defined($quote) || length($unquoted) || length($delim)); if ($keep) { $quoted = "$quote$quoted$quote"; } else { $unquoted =~ s/\\(.)/$1/sg; if (defined $quote) { $quoted =~ s/\\(.)/$1/sg if ($quote eq '"'); #$quoted =~ s/\\([\\'])/$1/g if ( $PERL_SINGLE_QUOTE && $quote eq "'"); } } $word .= substr($line, 0, 0); # leave results tainted $word .= defined $quote ? $quoted : $unquoted; if (length($delim)) { push(@pieces, $word); push(@pieces, $delim) if ($keep eq 'delimiters'); undef $word; } if (!length($line)) { push(@pieces, $word); } } return(@pieces); } sub check_manifest { print "Checking if your kit is complete...\n"; require ExtUtils::Manifest; # avoid warning $ExtUtils::Manifest::Quiet = $ExtUtils::Manifest::Quiet = 1; my(@missed) = ExtUtils::Manifest::manicheck(); if (@missed) { print "Warning: the following files are missing in your kit:\n"; print "\t", join "\n\t", @missed; print "\n"; print "Please inform the author.\n"; } else { print "Looks good\n"; } } sub parse_args{ my($self, @args) = @_; foreach (@args) { unless (m/(.*?)=(.*)/) { ++$Verbose if m/^verb/; next; } my($name, $value) = ($1, $2); if ($value =~ m/^~(\w+)?/) { # tilde with optional username $value =~ s [^~(\w*)] [$1 ? ((getpwnam($1))[7] || "~$1") : (getpwuid($>))[7] ]ex; } # Remember the original args passed it. It will be useful later. $self->{ARGS}{uc $name} = $self->{uc $name} = $value; } # catch old-style 'potential_libs' and inform user how to 'upgrade' if (defined $self->{potential_libs}){ my($msg)="'potential_libs' => '$self->{potential_libs}' should be"; if ($self->{potential_libs}){ print "$msg changed to:\n\t'LIBS' => ['$self->{potential_libs}']\n"; } else { print "$msg deleted.\n"; } $self->{LIBS} = [$self->{potential_libs}]; delete $self->{potential_libs}; } # catch old-style 'ARMAYBE' and inform user how to 'upgrade' if (defined $self->{ARMAYBE}){ my($armaybe) = $self->{ARMAYBE}; print "ARMAYBE => '$armaybe' should be changed to:\n", "\t'dynamic_lib' => {ARMAYBE => '$armaybe'}\n"; my(%dl) = %{$self->{dynamic_lib} || {}}; $self->{dynamic_lib} = { %dl, ARMAYBE => $armaybe}; delete $self->{ARMAYBE}; } if (defined $self->{LDTARGET}){ print "LDTARGET should be changed to LDFROM\n"; $self->{LDFROM} = $self->{LDTARGET}; delete $self->{LDTARGET}; } # Turn a DIR argument on the command line into an array if (defined $self->{DIR} && ref \$self->{DIR} eq 'SCALAR') { # So they can choose from the command line, which extensions they want # the grep enables them to have some colons too much in case they # have to build a list with the shell $self->{DIR} = [grep $_, split ":", $self->{DIR}]; } # Turn a INCLUDE_EXT argument on the command line into an array if (defined $self->{INCLUDE_EXT} && ref \$self->{INCLUDE_EXT} eq 'SCALAR') { $self->{INCLUDE_EXT} = [grep $_, split '\s+', $self->{INCLUDE_EXT}]; } # Turn a EXCLUDE_EXT argument on the command line into an array if (defined $self->{EXCLUDE_EXT} && ref \$self->{EXCLUDE_EXT} eq 'SCALAR') { $self->{EXCLUDE_EXT} = [grep $_, split '\s+', $self->{EXCLUDE_EXT}]; } foreach my $mmkey (sort keys %$self){ next if $mmkey eq 'ARGS'; print " $mmkey => ", neatvalue($self->{$mmkey}), "\n" if $Verbose; print "'$mmkey' is not a known MakeMaker parameter name.\n" unless exists $Recognized_Att_Keys{$mmkey}; } $| = 1 if $Verbose; } sub check_hints { my($self) = @_; # We allow extension-specific hints files. require File::Spec; my $curdir = File::Spec->curdir; my $hint_dir = File::Spec->catdir($curdir, "hints"); return unless -d $hint_dir; # First we look for the best hintsfile we have my($hint)="${^O}_$Config{osvers}"; $hint =~ s/\./_/g; $hint =~ s/_$//; return unless $hint; # Also try without trailing minor version numbers. while (1) { last if -f File::Spec->catfile($hint_dir, "$hint.pl"); # found } continue { last unless $hint =~ s/_[^_]*$//; # nothing to cut off } my $hint_file = File::Spec->catfile($hint_dir, "$hint.pl"); return unless -f $hint_file; # really there _run_hintfile($self, $hint_file); } sub _run_hintfile { our $self; local($self) = shift; # make $self available to the hint file. my($hint_file) = shift; local($@, $!); warn "Processing hints file $hint_file\n"; # Just in case the ./ isn't on the hint file, which File::Spec can # often strip off, we bung the curdir into @INC local @INC = (File::Spec->curdir, @INC); my $ret = do $hint_file; if( !defined $ret ) { my $error = $@ || $!; warn $error; } } sub mv_all_methods { my($from,$to) = @_; # Here you see the *current* list of methods that are overridable # from Makefile.PL via MY:: subroutines. As of VERSION 5.07 I'm # still trying to reduce the list to some reasonable minimum -- # because I want to make it easier for the user. A.K. local $SIG{__WARN__} = sub { # can't use 'no warnings redefined', 5.6 only warn @_ unless $_[0] =~ /^Subroutine .* redefined/ }; foreach my $method (@Overridable) { # We cannot say "next" here. Nick might call MY->makeaperl # which isn't defined right now # Above statement was written at 4.23 time when Tk-b8 was # around. As Tk-b9 only builds with 5.002something and MM 5 is # standard, we try to enable the next line again. It was # commented out until MM 5.23 next unless defined &{"${from}::$method"}; { no strict 'refs'; ## no critic *{"${to}::$method"} = \&{"${from}::$method"}; # If we delete a method, then it will be undefined and cannot # be called. But as long as we have Makefile.PLs that rely on # %MY:: being intact, we have to fill the hole with an # inheriting method: { package MY; my $super = "SUPER::".$method; *{$method} = sub { shift->$super(@_); }; } } } # We have to clean out %INC also, because the current directory is # changed frequently and Graham Barr prefers to get his version # out of a History.pl file which is "required" so wouldn't get # loaded again in another extension requiring a History.pl # With perl5.002_01 the deletion of entries in %INC caused Tk-b11 # to core dump in the middle of a require statement. The required # file was Tk/MMutil.pm. The consequence is, we have to be # extremely careful when we try to give perl a reason to reload a # library with same name. The workaround prefers to drop nothing # from %INC and teach the writers not to use such libraries. # my $inc; # foreach $inc (keys %INC) { # #warn "***$inc*** deleted"; # delete $INC{$inc}; # } } sub skipcheck { my($self) = shift; my($section) = @_; if ($section eq 'dynamic') { print "Warning (non-fatal): Target 'dynamic' depends on targets ", "in skipped section 'dynamic_bs'\n" if $self->{SKIPHASH}{dynamic_bs} && $Verbose; print "Warning (non-fatal): Target 'dynamic' depends on targets ", "in skipped section 'dynamic_lib'\n" if $self->{SKIPHASH}{dynamic_lib} && $Verbose; } if ($section eq 'dynamic_lib') { print "Warning (non-fatal): Target '\$(INST_DYNAMIC)' depends on ", "targets in skipped section 'dynamic_bs'\n" if $self->{SKIPHASH}{dynamic_bs} && $Verbose; } if ($section eq 'static') { print "Warning (non-fatal): Target 'static' depends on targets ", "in skipped section 'static_lib'\n" if $self->{SKIPHASH}{static_lib} && $Verbose; } return 'skipped' if $self->{SKIPHASH}{$section}; return ''; } sub flush { my $self = shift; # This needs a bit more work for more wacky OSen my $type = 'Unix-style'; if ( $self->os_flavor_is('Win32') ) { my $make = $self->make; $make = +( File::Spec->splitpath( $make ) )[-1]; $make =~ s!\.exe$!!i; $type = $make . '-style'; } elsif ( $Is_VMS ) { $type = $Config{make} . '-style'; } my $finalname = $self->{MAKEFILE}; print "Generating a $type $finalname\n"; print "Writing $finalname for $self->{NAME}\n"; unlink($finalname, "MakeMaker.tmp", $Is_VMS ? 'Descrip.MMS' : ()); open(my $fh,">", "MakeMaker.tmp") or die "Unable to open MakeMaker.tmp: $!"; for my $chunk (@{$self->{RESULT}}) { print $fh "$chunk\n" or die "Can't write to MakeMaker.tmp: $!"; } close $fh or die "Can't write to MakeMaker.tmp: $!"; _rename("MakeMaker.tmp", $finalname) or warn "rename MakeMaker.tmp => $finalname: $!"; chmod 0644, $finalname unless $Is_VMS; unless ($self->{NO_MYMETA}) { # Write MYMETA.yml to communicate metadata up to the CPAN clients if ( $self->write_mymeta( $self->mymeta ) ) { print "Writing MYMETA.yml and MYMETA.json\n"; } } my %keep = map { ($_ => 1) } qw(NEEDS_LINKING HAS_LINK_CODE); if ($self->{PARENT} && !$self->{_KEEP_AFTER_FLUSH}) { foreach (keys %$self) { # safe memory delete $self->{$_} unless $keep{$_}; } } system("$Config::Config{eunicefix} $finalname") unless $Config::Config{eunicefix} eq ":"; } # This is a rename for OS's where the target must be unlinked first. sub _rename { my($src, $dest) = @_; chmod 0666, $dest; unlink $dest; return rename $src, $dest; } # This is an unlink for OS's where the target must be writable first. sub _unlink { my @files = @_; chmod 0666, @files; return unlink @files; } # The following mkbootstrap() is only for installations that are calling # the pre-4.1 mkbootstrap() from their old Makefiles. This MakeMaker # writes Makefiles, that use ExtUtils::Mkbootstrap directly. sub mkbootstrap { die <".neatvalue($val)) ; } return "{ ".join(', ',@m)." }"; } # Look for weird version numbers, warn about them and set them to 0 # before CPAN::Meta chokes. sub clean_versions { my($self, $key) = @_; my $reqs = $self->{$key}; for my $module (keys %$reqs) { my $version = $reqs->{$module}; if( !defined $version or $version !~ /^v?[\d_\.]+$/ ) { carp "Unparsable version '$version' for prerequisite $module"; $reqs->{$module} = 0; } } } sub selfdocument { my($self) = @_; my(@m); if ($Verbose){ push @m, "\n# Full list of MakeMaker attribute values:"; foreach my $key (sort keys %$self){ next if $key eq 'RESULT' || $key =~ /^[A-Z][a-z]/; my($v) = neatvalue($self->{$key}); $v =~ s/(CODE|HASH|ARRAY|SCALAR)\([\dxa-f]+\)/$1\(...\)/; $v =~ tr/\n/ /s; push @m, "# $key => $v"; } } join "\n", @m; } 1; __END__ =head1 NAME ExtUtils::MakeMaker - Create a module Makefile =head1 SYNOPSIS use ExtUtils::MakeMaker; WriteMakefile( NAME => "Foo::Bar", VERSION_FROM => "lib/Foo/Bar.pm", ); =head1 DESCRIPTION This utility is designed to write a Makefile for an extension module from a Makefile.PL. It is based on the Makefile.SH model provided by Andy Dougherty and the perl5-porters. It splits the task of generating the Makefile into several subroutines that can be individually overridden. Each subroutine returns the text it wishes to have written to the Makefile. As there are various Make programs with incompatible syntax, which use operating system shells, again with incompatible syntax, it is important for users of this module to know which flavour of Make a Makefile has been written for so they'll use the correct one and won't have to face the possibly bewildering errors resulting from using the wrong one. On POSIX systems, that program will likely be GNU Make; on Microsoft Windows, it will be either Microsoft NMake or DMake. Note that this module does not support generating Makefiles for GNU Make on Windows. See the section on the L parameter for details. MakeMaker is object oriented. Each directory below the current directory that contains a Makefile.PL is treated as a separate object. This makes it possible to write an unlimited number of Makefiles with a single invocation of WriteMakefile(). =head2 How To Write A Makefile.PL See L. The long answer is the rest of the manpage :-) =head2 Default Makefile Behaviour The generated Makefile enables the user of the extension to invoke perl Makefile.PL # optionally "perl Makefile.PL verbose" make make test # optionally set TEST_VERBOSE=1 make install # See below The Makefile to be produced may be altered by adding arguments of the form C. E.g. perl Makefile.PL INSTALL_BASE=~ Other interesting targets in the generated Makefile are make config # to check if the Makefile is up-to-date make clean # delete local temp files (Makefile gets renamed) make realclean # delete derived files (including ./blib) make ci # check in all the files in the MANIFEST file make dist # see below the Distribution Support section =head2 make test MakeMaker checks for the existence of a file named F in the current directory, and if it exists it executes the script with the proper set of perl C<-I> options. MakeMaker also checks for any files matching glob("t/*.t"). It will execute all matching files in alphabetical order via the L module with the C<-I> switches set correctly. If you'd like to see the raw output of your tests, set the C variable to true. make test TEST_VERBOSE=1 If you want to run particular test files, set the C variable. It is possible to use globbing with this mechanism. make test TEST_FILES='t/foobar.t t/dagobah*.t' =head2 make testdb A useful variation of the above is the target C. It runs the test under the Perl debugger (see L). If the file F exists in the current directory, it is used for the test. If you want to debug some other testfile, set the C variable thusly: make testdb TEST_FILE=t/mytest.t By default the debugger is called using C<-d> option to perl. If you want to specify some other option, set the C variable: make testdb TESTDB_SW=-Dx =head2 make install make alone puts all relevant files into directories that are named by the macros INST_LIB, INST_ARCHLIB, INST_SCRIPT, INST_MAN1DIR and INST_MAN3DIR. All these default to something below ./blib if you are I building below the perl source directory. If you I building below the perl source, INST_LIB and INST_ARCHLIB default to ../../lib, and INST_SCRIPT is not defined. The I target of the generated Makefile copies the files found below each of the INST_* directories to their INSTALL* counterparts. Which counterparts are chosen depends on the setting of INSTALLDIRS according to the following table: INSTALLDIRS set to perl site vendor PERLPREFIX SITEPREFIX VENDORPREFIX INST_ARCHLIB INSTALLARCHLIB INSTALLSITEARCH INSTALLVENDORARCH INST_LIB INSTALLPRIVLIB INSTALLSITELIB INSTALLVENDORLIB INST_BIN INSTALLBIN INSTALLSITEBIN INSTALLVENDORBIN INST_SCRIPT INSTALLSCRIPT INSTALLSITESCRIPT INSTALLVENDORSCRIPT INST_MAN1DIR INSTALLMAN1DIR INSTALLSITEMAN1DIR INSTALLVENDORMAN1DIR INST_MAN3DIR INSTALLMAN3DIR INSTALLSITEMAN3DIR INSTALLVENDORMAN3DIR The INSTALL... macros in turn default to their %Config ($Config{installprivlib}, $Config{installarchlib}, etc.) counterparts. You can check the values of these variables on your system with perl '-V:install.*' And to check the sequence in which the library directories are searched by perl, run perl -le 'print join $/, @INC' Sometimes older versions of the module you're installing live in other directories in @INC. Because Perl loads the first version of a module it finds, not the newest, you might accidentally get one of these older versions even after installing a brand new version. To delete I (not simply older ones) set the C variable. make install UNINST=1 =head2 INSTALL_BASE INSTALL_BASE can be passed into Makefile.PL to change where your module will be installed. INSTALL_BASE is more like what everyone else calls "prefix" than PREFIX is. To have everything installed in your home directory, do the following. # Unix users, INSTALL_BASE=~ works fine perl Makefile.PL INSTALL_BASE=/path/to/your/home/dir Like PREFIX, it sets several INSTALL* attributes at once. Unlike PREFIX it is easy to predict where the module will end up. The installation pattern looks like this: INSTALLARCHLIB INSTALL_BASE/lib/perl5/$Config{archname} INSTALLPRIVLIB INSTALL_BASE/lib/perl5 INSTALLBIN INSTALL_BASE/bin INSTALLSCRIPT INSTALL_BASE/bin INSTALLMAN1DIR INSTALL_BASE/man/man1 INSTALLMAN3DIR INSTALL_BASE/man/man3 INSTALL_BASE in MakeMaker and C<--install_base> in Module::Build (as of 0.28) install to the same location. If you want MakeMaker and Module::Build to install to the same location simply set INSTALL_BASE and C<--install_base> to the same location. INSTALL_BASE was added in 6.31. =head2 PREFIX and LIB attribute PREFIX and LIB can be used to set several INSTALL* attributes in one go. Here's an example for installing into your home directory. # Unix users, PREFIX=~ works fine perl Makefile.PL PREFIX=/path/to/your/home/dir This will install all files in the module under your home directory, with man pages and libraries going into an appropriate place (usually ~/man and ~/lib). How the exact location is determined is complicated and depends on how your Perl was configured. INSTALL_BASE works more like what other build systems call "prefix" than PREFIX and we recommend you use that instead. Another way to specify many INSTALL directories with a single parameter is LIB. perl Makefile.PL LIB=~/lib This will install the module's architecture-independent files into ~/lib, the architecture-dependent files into ~/lib/$archname. Note, that in both cases the tilde expansion is done by MakeMaker, not by perl by default, nor by make. Conflicts between parameters LIB, PREFIX and the various INSTALL* arguments are resolved so that: =over 4 =item * setting LIB overrides any setting of INSTALLPRIVLIB, INSTALLARCHLIB, INSTALLSITELIB, INSTALLSITEARCH (and they are not affected by PREFIX); =item * without LIB, setting PREFIX replaces the initial C<$Config{prefix}> part of those INSTALL* arguments, even if the latter are explicitly set (but are set to still start with C<$Config{prefix}>). =back If the user has superuser privileges, and is not working on AFS or relatives, then the defaults for INSTALLPRIVLIB, INSTALLARCHLIB, INSTALLSCRIPT, etc. will be appropriate, and this incantation will be the best: perl Makefile.PL; make; make test make install make install by default writes some documentation of what has been done into the file C<$(INSTALLARCHLIB)/perllocal.pod>. This feature can be bypassed by calling make pure_install. =head2 AFS users will have to specify the installation directories as these most probably have changed since perl itself has been installed. They will have to do this by calling perl Makefile.PL INSTALLSITELIB=/afs/here/today \ INSTALLSCRIPT=/afs/there/now INSTALLMAN3DIR=/afs/for/manpages make Be careful to repeat this procedure every time you recompile an extension, unless you are sure the AFS installation directories are still valid. =head2 Static Linking of a new Perl Binary An extension that is built with the above steps is ready to use on systems supporting dynamic loading. On systems that do not support dynamic loading, any newly created extension has to be linked together with the available resources. MakeMaker supports the linking process by creating appropriate targets in the Makefile whenever an extension is built. You can invoke the corresponding section of the makefile with make perl That produces a new perl binary in the current directory with all extensions linked in that can be found in INST_ARCHLIB, SITELIBEXP, and PERL_ARCHLIB. To do that, MakeMaker writes a new Makefile, on UNIX, this is called F (may be system dependent). If you want to force the creation of a new perl, it is recommended that you delete this F, so the directories are searched through for linkable libraries again. The binary can be installed into the directory where perl normally resides on your machine with make inst_perl To produce a perl binary with a different name than C, either say perl Makefile.PL MAP_TARGET=myperl make myperl make inst_perl or say perl Makefile.PL make myperl MAP_TARGET=myperl make inst_perl MAP_TARGET=myperl In any case you will be prompted with the correct invocation of the C target that installs the new binary into INSTALLBIN. make inst_perl by default writes some documentation of what has been done into the file C<$(INSTALLARCHLIB)/perllocal.pod>. This can be bypassed by calling make pure_inst_perl. Warning: the inst_perl: target will most probably overwrite your existing perl binary. Use with care! Sometimes you might want to build a statically linked perl although your system supports dynamic loading. In this case you may explicitly set the linktype with the invocation of the Makefile.PL or make: perl Makefile.PL LINKTYPE=static # recommended or make LINKTYPE=static # works on most systems =head2 Determination of Perl Library and Installation Locations MakeMaker needs to know, or to guess, where certain things are located. Especially INST_LIB and INST_ARCHLIB (where to put the files during the make(1) run), PERL_LIB and PERL_ARCHLIB (where to read existing modules from), and PERL_INC (header files and C). Extensions may be built either using the contents of the perl source directory tree or from the installed perl library. The recommended way is to build extensions after you have run 'make install' on perl itself. You can do that in any directory on your hard disk that is not below the perl source tree. The support for extensions below the ext directory of the perl distribution is only good for the standard extensions that come with perl. If an extension is being built below the C directory of the perl source then MakeMaker will set PERL_SRC automatically (e.g., C<../..>). If PERL_SRC is defined and the extension is recognized as a standard extension, then other variables default to the following: PERL_INC = PERL_SRC PERL_LIB = PERL_SRC/lib PERL_ARCHLIB = PERL_SRC/lib INST_LIB = PERL_LIB INST_ARCHLIB = PERL_ARCHLIB If an extension is being built away from the perl source then MakeMaker will leave PERL_SRC undefined and default to using the installed copy of the perl library. The other variables default to the following: PERL_INC = $archlibexp/CORE PERL_LIB = $privlibexp PERL_ARCHLIB = $archlibexp INST_LIB = ./blib/lib INST_ARCHLIB = ./blib/arch If perl has not yet been installed then PERL_SRC can be defined on the command line as shown in the previous section. =head2 Which architecture dependent directory? If you don't want to keep the defaults for the INSTALL* macros, MakeMaker helps you to minimize the typing needed: the usual relationship between INSTALLPRIVLIB and INSTALLARCHLIB is determined by Configure at perl compilation time. MakeMaker supports the user who sets INSTALLPRIVLIB. If INSTALLPRIVLIB is set, but INSTALLARCHLIB not, then MakeMaker defaults the latter to be the same subdirectory of INSTALLPRIVLIB as Configure decided for the counterparts in %Config, otherwise it defaults to INSTALLPRIVLIB. The same relationship holds for INSTALLSITELIB and INSTALLSITEARCH. MakeMaker gives you much more freedom than needed to configure internal variables and get different results. It is worth mentioning that make(1) also lets you configure most of the variables that are used in the Makefile. But in the majority of situations this will not be necessary, and should only be done if the author of a package recommends it (or you know what you're doing). =head2 Using Attributes and Parameters The following attributes may be specified as arguments to WriteMakefile() or as NAME=VALUE pairs on the command line. Attributes that became available with later versions of MakeMaker are indicated. In order to maintain portability of attributes with older versions of MakeMaker you may want to use L with your C. =over 2 =item ABSTRACT One line description of the module. Will be included in PPD file. =item ABSTRACT_FROM Name of the file that contains the package description. MakeMaker looks for a line in the POD matching /^($package\s-\s)(.*)/. This is typically the first line in the "=head1 NAME" section. $2 becomes the abstract. =item AUTHOR Array of strings containing name (and email address) of package author(s). Is used in CPAN Meta files (META.yml or META.json) and PPD (Perl Package Description) files for PPM (Perl Package Manager). =item BINARY_LOCATION Used when creating PPD files for binary packages. It can be set to a full or relative path or URL to the binary archive for a particular architecture. For example: perl Makefile.PL BINARY_LOCATION=x86/Agent.tar.gz builds a PPD package that references a binary of the C package, located in the C directory relative to the PPD itself. =item BUILD_REQUIRES Available in version 6.5503 and above. A hash of modules that are needed to build your module but not run it. This will go into the C field of your F and the C of the C field of your F. Defaults to C<<< { "ExtUtils::MakeMaker" => 0 } >>> if this attribute is not specified. The format is the same as PREREQ_PM. =item C Ref to array of *.c file names. Initialised from a directory scan and the values portion of the XS attribute hash. This is not currently used by MakeMaker but may be handy in Makefile.PLs. =item CCFLAGS String that will be included in the compiler call command line between the arguments INC and OPTIMIZE. =item CONFIG Arrayref. E.g. [qw(archname manext)] defines ARCHNAME & MANEXT from config.sh. MakeMaker will add to CONFIG the following values anyway: ar cc cccdlflags ccdlflags dlext dlsrc ld lddlflags ldflags libc lib_ext obj_ext ranlib sitelibexp sitearchexp so =item CONFIGURE CODE reference. The subroutine should return a hash reference. The hash may contain further attributes, e.g. {LIBS =E ...}, that have to be determined by some evaluation method. =item CONFIGURE_REQUIRES Available in version 6.52 and above. A hash of modules that are required to run Makefile.PL itself, but not to run your distribution. This will go into the C field of your F and the C of the C field of your F. Defaults to C<<< { "ExtUtils::MakeMaker" => 0 } >>> if this attribute is not specified. The format is the same as PREREQ_PM. =item DEFINE Something like C<"-DHAVE_UNISTD_H"> =item DESTDIR This is the root directory into which the code will be installed. It I. For example, if your code would normally go into F you could set DESTDIR=~/tmp/ and installation would go into F<~/tmp/usr/local/lib/perl>. This is primarily of use for people who repackage Perl modules. NOTE: Due to the nature of make, it is important that you put the trailing slash on your DESTDIR. F<~/tmp/> not F<~/tmp>. =item DIR Ref to array of subdirectories containing Makefile.PLs e.g. ['sdbm'] in ext/SDBM_File =item DISTNAME A safe filename for the package. Defaults to NAME below but with :: replaced with -. For example, Foo::Bar becomes Foo-Bar. =item DISTVNAME Your name for distributing the package with the version number included. This is used by 'make dist' to name the resulting archive file. Defaults to DISTNAME-VERSION. For example, version 1.04 of Foo::Bar becomes Foo-Bar-1.04. On some OS's where . has special meaning VERSION_SYM may be used in place of VERSION. =item DLEXT Specifies the extension of the module's loadable object. For example: DLEXT => 'unusual_ext', # Default value is $Config{so} NOTE: When using this option to alter the extension of a module's loadable object, it is also necessary that the module's pm file specifies the same change: local $DynaLoader::dl_dlext = 'unusual_ext'; =item DL_FUNCS Hashref of symbol names for routines to be made available as universal symbols. Each key/value pair consists of the package name and an array of routine names in that package. Used only under AIX, OS/2, VMS and Win32 at present. The routine names supplied will be expanded in the same way as XSUB names are expanded by the XS() macro. Defaults to {"$(NAME)" => ["boot_$(NAME)" ] } e.g. {"RPC" => [qw( boot_rpcb rpcb_gettime getnetconfigent )], "NetconfigPtr" => [ 'DESTROY'] } Please see the L documentation for more information about the DL_FUNCS, DL_VARS and FUNCLIST attributes. =item DL_VARS Array of symbol names for variables to be made available as universal symbols. Used only under AIX, OS/2, VMS and Win32 at present. Defaults to []. (e.g. [ qw(Foo_version Foo_numstreams Foo_tree ) ]) =item EXCLUDE_EXT Array of extension names to exclude when doing a static build. This is ignored if INCLUDE_EXT is present. Consult INCLUDE_EXT for more details. (e.g. [ qw( Socket POSIX ) ] ) This attribute may be most useful when specified as a string on the command line: perl Makefile.PL EXCLUDE_EXT='Socket Safe' =item EXE_FILES Ref to array of executable files. The files will be copied to the INST_SCRIPT directory. Make realclean will delete them from there again. If your executables start with something like #!perl or #!/usr/bin/perl MakeMaker will change this to the path of the perl 'Makefile.PL' was invoked with so the programs will be sure to run properly even if perl is not in /usr/bin/perl. =item FIRST_MAKEFILE The name of the Makefile to be produced. This is used for the second Makefile that will be produced for the MAP_TARGET. Defaults to 'Makefile' or 'Descrip.MMS' on VMS. (Note: we couldn't use MAKEFILE because dmake uses this for something else). =item FULLPERL Perl binary able to run this extension, load XS modules, etc... =item FULLPERLRUN Like PERLRUN, except it uses FULLPERL. =item FULLPERLRUNINST Like PERLRUNINST, except it uses FULLPERL. =item FUNCLIST This provides an alternate means to specify function names to be exported from the extension. Its value is a reference to an array of function names to be exported by the extension. These names are passed through unaltered to the linker options file. =item H Ref to array of *.h file names. Similar to C. =item IMPORTS This attribute is used to specify names to be imported into the extension. Takes a hash ref. It is only used on OS/2 and Win32. =item INC Include file dirs eg: C<"-I/usr/5include -I/path/to/inc"> =item INCLUDE_EXT Array of extension names to be included when doing a static build. MakeMaker will normally build with all of the installed extensions when doing a static build, and that is usually the desired behavior. If INCLUDE_EXT is present then MakeMaker will build only with those extensions which are explicitly mentioned. (e.g. [ qw( Socket POSIX ) ]) It is not necessary to mention DynaLoader or the current extension when filling in INCLUDE_EXT. If the INCLUDE_EXT is mentioned but is empty then only DynaLoader and the current extension will be included in the build. This attribute may be most useful when specified as a string on the command line: perl Makefile.PL INCLUDE_EXT='POSIX Socket Devel::Peek' =item INSTALLARCHLIB Used by 'make install', which copies files from INST_ARCHLIB to this directory if INSTALLDIRS is set to perl. =item INSTALLBIN Directory to install binary files (e.g. tkperl) into if INSTALLDIRS=perl. =item INSTALLDIRS Determines which of the sets of installation directories to choose: perl, site or vendor. Defaults to site. =item INSTALLMAN1DIR =item INSTALLMAN3DIR These directories get the man pages at 'make install' time if INSTALLDIRS=perl. Defaults to $Config{installman*dir}. If set to 'none', no man pages will be installed. =item INSTALLPRIVLIB Used by 'make install', which copies files from INST_LIB to this directory if INSTALLDIRS is set to perl. Defaults to $Config{installprivlib}. =item INSTALLSCRIPT Used by 'make install' which copies files from INST_SCRIPT to this directory if INSTALLDIRS=perl. =item INSTALLSITEARCH Used by 'make install', which copies files from INST_ARCHLIB to this directory if INSTALLDIRS is set to site (default). =item INSTALLSITEBIN Used by 'make install', which copies files from INST_BIN to this directory if INSTALLDIRS is set to site (default). =item INSTALLSITELIB Used by 'make install', which copies files from INST_LIB to this directory if INSTALLDIRS is set to site (default). =item INSTALLSITEMAN1DIR =item INSTALLSITEMAN3DIR These directories get the man pages at 'make install' time if INSTALLDIRS=site (default). Defaults to $(SITEPREFIX)/man/man$(MAN*EXT). If set to 'none', no man pages will be installed. =item INSTALLSITESCRIPT Used by 'make install' which copies files from INST_SCRIPT to this directory if INSTALLDIRS is set to site (default). =item INSTALLVENDORARCH Used by 'make install', which copies files from INST_ARCHLIB to this directory if INSTALLDIRS is set to vendor. =item INSTALLVENDORBIN Used by 'make install', which copies files from INST_BIN to this directory if INSTALLDIRS is set to vendor. =item INSTALLVENDORLIB Used by 'make install', which copies files from INST_LIB to this directory if INSTALLDIRS is set to vendor. =item INSTALLVENDORMAN1DIR =item INSTALLVENDORMAN3DIR These directories get the man pages at 'make install' time if INSTALLDIRS=vendor. Defaults to $(VENDORPREFIX)/man/man$(MAN*EXT). If set to 'none', no man pages will be installed. =item INSTALLVENDORSCRIPT Used by 'make install' which copies files from INST_SCRIPT to this directory if INSTALLDIRS is set to vendor. =item INST_ARCHLIB Same as INST_LIB for architecture dependent files. =item INST_BIN Directory to put real binary files during 'make'. These will be copied to INSTALLBIN during 'make install' =item INST_LIB Directory where we put library files of this extension while building it. =item INST_MAN1DIR Directory to hold the man pages at 'make' time =item INST_MAN3DIR Directory to hold the man pages at 'make' time =item INST_SCRIPT Directory where executable files should be installed during 'make'. Defaults to "./blib/script", just to have a dummy location during testing. make install will copy the files in INST_SCRIPT to INSTALLSCRIPT. =item LD Program to be used to link libraries for dynamic loading. Defaults to $Config{ld}. =item LDDLFLAGS Any special flags that might need to be passed to ld to create a shared library suitable for dynamic loading. It is up to the makefile to use it. (See L) Defaults to $Config{lddlflags}. =item LDFROM Defaults to "$(OBJECT)" and is used in the ld command to specify what files to link/load from (also see dynamic_lib below for how to specify ld flags) =item LIB LIB should only be set at C time but is allowed as a MakeMaker argument. It has the effect of setting both INSTALLPRIVLIB and INSTALLSITELIB to that value regardless any explicit setting of those arguments (or of PREFIX). INSTALLARCHLIB and INSTALLSITEARCH are set to the corresponding architecture subdirectory. =item LIBPERL_A The filename of the perllibrary that will be used together with this extension. Defaults to libperl.a. =item LIBS An anonymous array of alternative library specifications to be searched for (in order) until at least one library is found. E.g. 'LIBS' => ["-lgdbm", "-ldbm -lfoo", "-L/path -ldbm.nfs"] Mind, that any element of the array contains a complete set of arguments for the ld command. So do not specify 'LIBS' => ["-ltcl", "-ltk", "-lX11"] See ODBM_File/Makefile.PL for an example, where an array is needed. If you specify a scalar as in 'LIBS' => "-ltcl -ltk -lX11" MakeMaker will turn it into an array with one element. =item LICENSE Available in version 6.31 and above. The licensing terms of your distribution. Generally it's "perl_5" for the same license as Perl itself. See L for the list of options. Defaults to "unknown". =item LINKTYPE 'static' or 'dynamic' (default unless usedl=undef in config.sh). Should only be used to force static linking (also see linkext below). =item MAGICXS When this is set to C<1>, C will be automagically derived from C. =item MAKE Variant of make you intend to run the generated Makefile with. This parameter lets Makefile.PL know what make quirks to account for when generating the Makefile. MakeMaker also honors the MAKE environment variable. This parameter takes precedence. Currently the only significant values are 'dmake' and 'nmake' for Windows users, instructing MakeMaker to generate a Makefile in the flavour of DMake ("Dennis Vadura's Make") or Microsoft NMake respectively. Defaults to $Config{make}, which may go looking for a Make program in your environment. How are you supposed to know what flavour of Make a Makefile has been generated for if you didn't specify a value explicitly? Search the generated Makefile for the definition of the MAKE variable, which is used to recursively invoke the Make utility. That will tell you what Make you're supposed to invoke the Makefile with. =item MAKEAPERL Boolean which tells MakeMaker that it should include the rules to make a perl. This is handled automatically as a switch by MakeMaker. The user normally does not need it. =item MAKEFILE_OLD When 'make clean' or similar is run, the $(FIRST_MAKEFILE) will be backed up at this location. Defaults to $(FIRST_MAKEFILE).old or $(FIRST_MAKEFILE)_old on VMS. =item MAN1PODS Hashref of pod-containing files. MakeMaker will default this to all EXE_FILES files that include POD directives. The files listed here will be converted to man pages and installed as was requested at Configure time. This hash should map POD files (or scripts containing POD) to the man file names under the C directory, as in the following example: MAN1PODS => { 'doc/command.pod' => 'blib/man1/command.1', 'scripts/script.pl' => 'blib/man1/script.1', } =item MAN3PODS Hashref that assigns to *.pm and *.pod files the files into which the manpages are to be written. MakeMaker parses all *.pod and *.pm files for POD directives. Files that contain POD will be the default keys of the MAN3PODS hashref. These will then be converted to man pages during C and will be installed during C. Example similar to MAN1PODS. =item MAP_TARGET If it is intended that a new perl binary be produced, this variable may hold a name for that binary. Defaults to perl =item META_ADD =item META_MERGE Available in version 6.46 and above. A hashref of items to add to the CPAN Meta file (F or F). They differ in how they behave if they have the same key as the default metadata. META_ADD will override the default value with its own. META_MERGE will merge its value with the default. Unless you want to override the defaults, prefer META_MERGE so as to get the advantage of any future defaults. By default CPAN Meta specification C<1.4> is used. In order to use CPAN Meta specification C<2.0>, indicate with C the version you want to use. META_MERGE => { "meta-spec" => { version => 2 }, resources => { repository => { type => 'git', url => 'git://github.com/Perl-Toolchain-Gang/ExtUtils-MakeMaker.git', web => 'https://github.com/Perl-Toolchain-Gang/ExtUtils-MakeMaker', }, }, }, =item MIN_PERL_VERSION Available in version 6.48 and above. The minimum required version of Perl for this distribution. Either the 5.006001 or the 5.6.1 format is acceptable. =item MYEXTLIB If the extension links to a library that it builds, set this to the name of the library (see SDBM_File) =item NAME The package representing the distribution. For example, C or C. It will be used to derive information about the distribution such as the L, installation locations within the Perl library and where XS files will be looked for by default (see L). C I be a valid Perl package name and it I have an associated C<.pm> file. For example, C is a valid C and there must exist F. Any XS code should be in F unless stated otherwise. Your distribution B have a C. =item NEEDS_LINKING MakeMaker will figure out if an extension contains linkable code anywhere down the directory tree, and will set this variable accordingly, but you can speed it up a very little bit if you define this boolean variable yourself. =item NOECHO Command so make does not print the literal commands it's running. By setting it to an empty string you can generate a Makefile that prints all commands. Mainly used in debugging MakeMaker itself. Defaults to C<@>. =item NORECURS Boolean. Attribute to inhibit descending into subdirectories. =item NO_META When true, suppresses the generation and addition to the MANIFEST of the META.yml and META.json module meta-data files during 'make distdir'. Defaults to false. =item NO_MYMETA When true, suppresses the generation of MYMETA.yml and MYMETA.json module meta-data files during 'perl Makefile.PL'. Defaults to false. =item NO_PACKLIST When true, suppresses the writing of C files for installs. Defaults to false. =item NO_PERLLOCAL When true, suppresses the appending of installations to C. Defaults to false. =item NO_VC In general, any generated Makefile checks for the current version of MakeMaker and the version the Makefile was built under. If NO_VC is set, the version check is neglected. Do not write this into your Makefile.PL, use it interactively instead. =item OBJECT List of object files, defaults to '$(BASEEXT)$(OBJ_EXT)', but can be a long string or an array containing all object files, e.g. "tkpBind.o tkpButton.o tkpCanvas.o" or ["tkpBind.o", "tkpButton.o", "tkpCanvas.o"] (Where BASEEXT is the last component of NAME, and OBJ_EXT is $Config{obj_ext}.) =item OPTIMIZE Defaults to C<-O>. Set it to C<-g> to turn debugging on. The flag is passed to subdirectory makes. =item PERL Perl binary for tasks that can be done by miniperl. =item PERL_CORE Set only when MakeMaker is building the extensions of the Perl core distribution. =item PERLMAINCC The call to the program that is able to compile perlmain.c. Defaults to $(CC). =item PERL_ARCHLIB Same as for PERL_LIB, but for architecture dependent files. Used only when MakeMaker is building the extensions of the Perl core distribution (because normally $(PERL_ARCHLIB) is automatically in @INC, and adding it would get in the way of PERL5LIB). =item PERL_LIB Directory containing the Perl library to use. Used only when MakeMaker is building the extensions of the Perl core distribution (because normally $(PERL_LIB) is automatically in @INC, and adding it would get in the way of PERL5LIB). =item PERL_MALLOC_OK defaults to 0. Should be set to TRUE if the extension can work with the memory allocation routines substituted by the Perl malloc() subsystem. This should be applicable to most extensions with exceptions of those =over 4 =item * with bugs in memory allocations which are caught by Perl's malloc(); =item * which interact with the memory allocator in other ways than via malloc(), realloc(), free(), calloc(), sbrk() and brk(); =item * which rely on special alignment which is not provided by Perl's malloc(). =back B Neglecting to set this flag in I of the loaded extension nullifies many advantages of Perl's malloc(), such as better usage of system resources, error detection, memory usage reporting, catchable failure of memory allocations, etc. =item PERLPREFIX Directory under which core modules are to be installed. Defaults to $Config{installprefixexp}, falling back to $Config{installprefix}, $Config{prefixexp} or $Config{prefix} should $Config{installprefixexp} not exist. Overridden by PREFIX. =item PERLRUN Use this instead of $(PERL) when you wish to run perl. It will set up extra necessary flags for you. =item PERLRUNINST Use this instead of $(PERL) when you wish to run perl to work with modules. It will add things like -I$(INST_ARCH) and other necessary flags so perl can see the modules you're about to install. =item PERL_SRC Directory containing the Perl source code (use of this should be avoided, it may be undefined) =item PERM_DIR Desired permission for directories. Defaults to C<755>. =item PERM_RW Desired permission for read/writable files. Defaults to C<644>. =item PERM_RWX Desired permission for executable files. Defaults to C<755>. =item PL_FILES MakeMaker can run programs to generate files for you at build time. By default any file named *.PL (except Makefile.PL and Build.PL) in the top level directory will be assumed to be a Perl program and run passing its own basename in as an argument. For example... perl foo.PL foo This behavior can be overridden by supplying your own set of files to search. PL_FILES accepts a hash ref, the key being the file to run and the value is passed in as the first argument when the PL file is run. PL_FILES => {'bin/foobar.PL' => 'bin/foobar'} Would run bin/foobar.PL like this: perl bin/foobar.PL bin/foobar If multiple files from one program are desired an array ref can be used. PL_FILES => {'bin/foobar.PL' => [qw(bin/foobar1 bin/foobar2)]} In this case the program will be run multiple times using each target file. perl bin/foobar.PL bin/foobar1 perl bin/foobar.PL bin/foobar2 PL files are normally run B pm_to_blib and include INST_LIB and INST_ARCH in their C<@INC>, so the just built modules can be accessed... unless the PL file is making a module (or anything else in PM) in which case it is run B pm_to_blib and does not include INST_LIB and INST_ARCH in its C<@INC>. This apparently odd behavior is there for backwards compatibility (and it's somewhat DWIM). =item PM Hashref of .pm files and *.pl files to be installed. e.g. {'name_of_file.pm' => '$(INST_LIB)/install_as.pm'} By default this will include *.pm and *.pl and the files found in the PMLIBDIRS directories. Defining PM in the Makefile.PL will override PMLIBDIRS. =item PMLIBDIRS Ref to array of subdirectories containing library files. Defaults to [ 'lib', $(BASEEXT) ]. The directories will be scanned and I files they contain will be installed in the corresponding location in the library. A libscan() method can be used to alter the behaviour. Defining PM in the Makefile.PL will override PMLIBDIRS. (Where BASEEXT is the last component of NAME.) =item PM_FILTER A filter program, in the traditional Unix sense (input from stdin, output to stdout) that is passed on each .pm file during the build (in the pm_to_blib() phase). It is empty by default, meaning no filtering is done. Great care is necessary when defining the command if quoting needs to be done. For instance, you would need to say: {'PM_FILTER' => 'grep -v \\"^\\#\\"'} to remove all the leading comments on the fly during the build. The extra \\ are necessary, unfortunately, because this variable is interpolated within the context of a Perl program built on the command line, and double quotes are what is used with the -e switch to build that command line. The # is escaped for the Makefile, since what is going to be generated will then be: PM_FILTER = grep -v \"^\#\" Without the \\ before the #, we'd have the start of a Makefile comment, and the macro would be incorrectly defined. =item POLLUTE Release 5.005 grandfathered old global symbol names by providing preprocessor macros for extension source compatibility. As of release 5.6, these preprocessor definitions are not available by default. The POLLUTE flag specifies that the old names should still be defined: perl Makefile.PL POLLUTE=1 Please inform the module author if this is necessary to successfully install a module under 5.6 or later. =item PPM_INSTALL_EXEC Name of the executable used to run C below. (e.g. perl) =item PPM_INSTALL_SCRIPT Name of the script that gets executed by the Perl Package Manager after the installation of a package. =item PPM_UNINSTALL_EXEC Name of the executable used to run C below. (e.g. perl) =item PPM_UNINSTALL_SCRIPT Name of the script that gets executed by the Perl Package Manager before the removal of a package. =item PREFIX This overrides all the default install locations. Man pages, libraries, scripts, etc... MakeMaker will try to make an educated guess about where to place things under the new PREFIX based on your Config defaults. Failing that, it will fall back to a structure which should be sensible for your platform. If you specify LIB or any INSTALL* variables they will not be affected by the PREFIX. =item PREREQ_FATAL Bool. If this parameter is true, failing to have the required modules (or the right versions thereof) will be fatal. C will C instead of simply informing the user of the missing dependencies. It is I rare to have to use C. Its use by module authors is I and should never be used lightly. For dependencies that are required in order to run C, see C. Module installation tools have ways of resolving unmet dependencies but to do that they need a F. Using C breaks this. That's bad. Assuming you have good test coverage, your tests should fail with missing dependencies informing the user more strongly that something is wrong. You can write a F test which will simply check that your code compiles and stop "make test" prematurely if it doesn't. See L for more details. =item PREREQ_PM A hash of modules that are needed to run your module. The keys are the module names ie. Test::More, and the minimum version is the value. If the required version number is 0 any version will do. This will go into the C field of your F and the C of the C field of your F. PREREQ_PM => { # Require Test::More at least 0.47 "Test::More" => "0.47", # Require any version of Acme::Buffy "Acme::Buffy" => 0, } =item PREREQ_PRINT Bool. If this parameter is true, the prerequisites will be printed to stdout and MakeMaker will exit. The output format is an evalable hash ref. $PREREQ_PM = { 'A::B' => Vers1, 'C::D' => Vers2, ... }; If a distribution defines a minimal required perl version, this is added to the output as an additional line of the form: $MIN_PERL_VERSION = '5.008001'; If BUILD_REQUIRES is not empty, it will be dumped as $BUILD_REQUIRES hashref. =item PRINT_PREREQ RedHatism for C. The output format is different, though: perl(A::B)>=Vers1 perl(C::D)>=Vers2 ... A minimal required perl version, if present, will look like this: perl(perl)>=5.008001 =item SITEPREFIX Like PERLPREFIX, but only for the site install locations. Defaults to $Config{siteprefixexp}. Perls prior to 5.6.0 didn't have an explicit siteprefix in the Config. In those cases $Config{installprefix} will be used. Overridable by PREFIX =item SIGN When true, perform the generation and addition to the MANIFEST of the SIGNATURE file in the distdir during 'make distdir', via 'cpansign -s'. Note that you need to install the Module::Signature module to perform this operation. Defaults to false. =item SKIP Arrayref. E.g. [qw(name1 name2)] skip (do not write) sections of the Makefile. Caution! Do not use the SKIP attribute for the negligible speedup. It may seriously damage the resulting Makefile. Only use it if you really need it. =item TEST_REQUIRES Available in version 6.64 and above. A hash of modules that are needed to test your module but not run or build it. This will go into the C field of your F and the C of the C field of your F. The format is the same as PREREQ_PM. =item TYPEMAPS Ref to array of typemap file names. Use this when the typemaps are in some directory other than the current directory or when they are not named B. The last typemap in the list takes precedence. A typemap in the current directory has highest precedence, even if it isn't listed in TYPEMAPS. The default system typemap has lowest precedence. =item VENDORPREFIX Like PERLPREFIX, but only for the vendor install locations. Defaults to $Config{vendorprefixexp}. Overridable by PREFIX =item VERBINST If true, make install will be verbose =item VERSION Your version number for distributing the package. This defaults to 0.1. =item VERSION_FROM Instead of specifying the VERSION in the Makefile.PL you can let MakeMaker parse a file to determine the version number. The parsing routine requires that the file named by VERSION_FROM contains one single line to compute the version number. The first line in the file that contains something like a $VERSION assignment or C will be used. The following lines will be parsed o.k.: # Good package Foo::Bar 1.23; # 1.23 $VERSION = '1.00'; # 1.00 *VERSION = \'1.01'; # 1.01 ($VERSION) = q$Revision$ =~ /(\d+)/g; # The digits in $Revision$ $FOO::VERSION = '1.10'; # 1.10 *FOO::VERSION = \'1.11'; # 1.11 but these will fail: # Bad my $VERSION = '1.01'; local $VERSION = '1.02'; local $FOO::VERSION = '1.30'; (Putting C or C on the preceding line will work o.k.) "Version strings" are incompatible and should not be used. # Bad $VERSION = 1.2.3; $VERSION = v1.2.3; L objects are fine. As of MakeMaker 6.35 version.pm will be automatically loaded, but you must declare the dependency on version.pm. For compatibility with older MakeMaker you should load on the same line as $VERSION is declared. # All on one line use version; our $VERSION = qv(1.2.3); The file named in VERSION_FROM is not added as a dependency to Makefile. This is not really correct, but it would be a major pain during development to have to rewrite the Makefile for any smallish change in that file. If you want to make sure that the Makefile contains the correct VERSION macro after any change of the file, you would have to do something like depend => { Makefile => '$(VERSION_FROM)' } See attribute C below. =item VERSION_SYM A sanitized VERSION with . replaced by _. For places where . has special meaning (some filesystems, RCS labels, etc...) =item XS Hashref of .xs files. MakeMaker will default this. e.g. {'name_of_file.xs' => 'name_of_file.c'} The .c files will automatically be included in the list of files deleted by a make clean. =item XSOPT String of options to pass to xsubpp. This might include C<-C++> or C<-extern>. Do not include typemaps here; the TYPEMAP parameter exists for that purpose. =item XSPROTOARG May be set to C<-protoypes>, C<-noprototypes> or the empty string. The empty string is equivalent to the xsubpp default, or C<-noprototypes>. See the xsubpp documentation for details. MakeMaker defaults to the empty string. =item XS_VERSION Your version number for the .xs file of this package. This defaults to the value of the VERSION attribute. =back =head2 Additional lowercase attributes can be used to pass parameters to the methods which implement that part of the Makefile. Parameters are specified as a hash ref but are passed to the method as a hash. =over 2 =item clean {FILES => "*.xyz foo"} =item depend {ANY_TARGET => ANY_DEPENDENCY, ...} (ANY_TARGET must not be given a double-colon rule by MakeMaker.) =item dist {TARFLAGS => 'cvfF', COMPRESS => 'gzip', SUFFIX => '.gz', SHAR => 'shar -m', DIST_CP => 'ln', ZIP => '/bin/zip', ZIPFLAGS => '-rl', DIST_DEFAULT => 'private tardist' } If you specify COMPRESS, then SUFFIX should also be altered, as it is needed to tell make the target file of the compression. Setting DIST_CP to ln can be useful, if you need to preserve the timestamps on your files. DIST_CP can take the values 'cp', which copies the file, 'ln', which links the file, and 'best' which copies symbolic links and links the rest. Default is 'best'. =item dynamic_lib {ARMAYBE => 'ar', OTHERLDFLAGS => '...', INST_DYNAMIC_DEP => '...'} =item linkext {LINKTYPE => 'static', 'dynamic' or ''} NB: Extensions that have nothing but *.pm files had to say {LINKTYPE => ''} with Pre-5.0 MakeMakers. Since version 5.00 of MakeMaker such a line can be deleted safely. MakeMaker recognizes when there's nothing to be linked. =item macro {ANY_MACRO => ANY_VALUE, ...} =item postamble Anything put here will be passed to MY::postamble() if you have one. =item realclean {FILES => '$(INST_ARCHAUTODIR)/*.xyz'} =item test Specify the targets for testing. {TESTS => 't/*.t'} C can be used to include all directories recursively under C that contain C<.t> files. It will be ignored if you provide your own C attribute, defaults to false. {RECURSIVE_TEST_FILES=>1} =item tool_autosplit {MAXLEN => 8} =back =head2 Overriding MakeMaker Methods If you cannot achieve the desired Makefile behaviour by specifying attributes you may define private subroutines in the Makefile.PL. Each subroutine returns the text it wishes to have written to the Makefile. To override a section of the Makefile you can either say: sub MY::c_o { "new literal text" } or you can edit the default by saying something like: package MY; # so that "SUPER" works right sub c_o { my $inherited = shift->SUPER::c_o(@_); $inherited =~ s/old text/new text/; $inherited; } If you are running experiments with embedding perl as a library into other applications, you might find MakeMaker is not sufficient. You'd better have a look at ExtUtils::Embed which is a collection of utilities for embedding. If you still need a different solution, try to develop another subroutine that fits your needs and submit the diffs to C For a complete description of all MakeMaker methods see L. Here is a simple example of how to add a new target to the generated Makefile: sub MY::postamble { return <<'MAKE_FRAG'; $(MYEXTLIB): sdbm/Makefile cd sdbm && $(MAKE) all MAKE_FRAG } =head2 The End Of Cargo Cult Programming WriteMakefile() now does some basic sanity checks on its parameters to protect against typos and malformatted values. This means some things which happened to work in the past will now throw warnings and possibly produce internal errors. Some of the most common mistakes: =over 2 =item C<< MAN3PODS => ' ' >> This is commonly used to suppress the creation of man pages. MAN3PODS takes a hash ref not a string, but the above worked by accident in old versions of MakeMaker. The correct code is C<< MAN3PODS => { } >>. =back =head2 Hintsfile support MakeMaker.pm uses the architecture-specific information from Config.pm. In addition it evaluates architecture specific hints files in a C directory. The hints files are expected to be named like their counterparts in C, but with an C<.pl> file name extension (eg. C). They are simply Ced by MakeMaker within the WriteMakefile() subroutine, and can be used to execute commands as well as to include special variables. The rules which hintsfile is chosen are the same as in Configure. The hintsfile is eval()ed immediately after the arguments given to WriteMakefile are stuffed into a hash reference $self but before this reference becomes blessed. So if you want to do the equivalent to override or create an attribute you would say something like $self->{LIBS} = ['-ldbm -lucb -lc']; =head2 Distribution Support For authors of extensions MakeMaker provides several Makefile targets. Most of the support comes from the ExtUtils::Manifest module, where additional documentation can be found. =over 4 =item make distcheck reports which files are below the build directory but not in the MANIFEST file and vice versa. (See ExtUtils::Manifest::fullcheck() for details) =item make skipcheck reports which files are skipped due to the entries in the C file (See ExtUtils::Manifest::skipcheck() for details) =item make distclean does a realclean first and then the distcheck. Note that this is not needed to build a new distribution as long as you are sure that the MANIFEST file is ok. =item make veryclean does a realclean first and then removes backup files such as C<*~>, C<*.bak>, C<*.old> and C<*.orig> =item make manifest rewrites the MANIFEST file, adding all remaining files found (See ExtUtils::Manifest::mkmanifest() for details) =item make distdir Copies all the files that are in the MANIFEST file to a newly created directory with the name C<$(DISTNAME)-$(VERSION)>. If that directory exists, it will be removed first. Additionally, it will create META.yml and META.json module meta-data file in the distdir and add this to the distdir's MANIFEST. You can shut this behavior off with the NO_META flag. =item make disttest Makes a distdir first, and runs a C, a make, and a make test in that directory. =item make tardist First does a distdir. Then a command $(PREOP) which defaults to a null command, followed by $(TO_UNIX), which defaults to a null command under UNIX, and will convert files in distribution directory to UNIX format otherwise. Next it runs C on that directory into a tarfile and deletes the directory. Finishes with a command $(POSTOP) which defaults to a null command. =item make dist Defaults to $(DIST_DEFAULT) which in turn defaults to tardist. =item make uutardist Runs a tardist first and uuencodes the tarfile. =item make shdist First does a distdir. Then a command $(PREOP) which defaults to a null command. Next it runs C on that directory into a sharfile and deletes the intermediate directory again. Finishes with a command $(POSTOP) which defaults to a null command. Note: For shdist to work properly a C program that can handle directories is mandatory. =item make zipdist First does a distdir. Then a command $(PREOP) which defaults to a null command. Runs C<$(ZIP) $(ZIPFLAGS)> on that directory into a zipfile. Then deletes that directory. Finishes with a command $(POSTOP) which defaults to a null command. =item make ci Does a $(CI) and a $(RCS_LABEL) on all files in the MANIFEST file. =back Customization of the dist targets can be done by specifying a hash reference to the dist attribute of the WriteMakefile call. The following parameters are recognized: CI ('ci -u') COMPRESS ('gzip --best') POSTOP ('@ :') PREOP ('@ :') TO_UNIX (depends on the system) RCS_LABEL ('rcs -q -Nv$(VERSION_SYM):') SHAR ('shar') SUFFIX ('.gz') TAR ('tar') TARFLAGS ('cvf') ZIP ('zip') ZIPFLAGS ('-r') An example: WriteMakefile( ...other options... dist => { COMPRESS => "bzip2", SUFFIX => ".bz2" } ); =head2 Module Meta-Data (META and MYMETA) Long plaguing users of MakeMaker based modules has been the problem of getting basic information about the module out of the sources I running the F and doing a bunch of messy heuristics on the resulting F. Over the years, it has become standard to keep this information in one or more CPAN Meta files distributed with each distribution. The original format of CPAN Meta files was L and the corresponding file was called F. In 2010, version 2 of the L was released, which mandates JSON format for the metadata in order to overcome certain compatibility issues between YAML serializers and to avoid breaking older clients unable to handle a new version of the spec. The L library is now standard for accessing old and new-style Meta files. If L is installed, MakeMaker will automatically generate F and F files for you and add them to your F as part of the 'distdir' target (and thus the 'dist' target). This is intended to seamlessly and rapidly populate CPAN with module meta-data. If you wish to shut this feature off, set the C C flag to true. At the 2008 QA Hackathon in Oslo, Perl module toolchain maintainers agrees to use the CPAN Meta format to communicate post-configuration requirements between toolchain components. These files, F and F, are generated when F generates a F (if L is installed). Clients like L or L will read this files to see what prerequisites must be fulfilled before building or testing the distribution. If you with to shut this feature off, set the C C flag to true. =head2 Disabling an extension If some events detected in F imply that there is no way to create the Module, but this is a normal state of things, then you can create a F which does nothing, but succeeds on all the "usual" build targets. To do so, use use ExtUtils::MakeMaker qw(WriteEmptyMakefile); WriteEmptyMakefile(); instead of WriteMakefile(). This may be useful if other modules expect this module to be I OK, as opposed to I OK (say, this system-dependent module builds in a subdirectory of some other distribution, or is listed as a dependency in a CPAN::Bundle, but the functionality is supported by different means on the current architecture). =head2 Other Handy Functions =over 4 =item prompt my $value = prompt($message); my $value = prompt($message, $default); The C function provides an easy way to request user input used to write a makefile. It displays the $message as a prompt for input. If a $default is provided it will be used as a default. The function returns the $value selected by the user. If C detects that it is not running interactively and there is nothing on STDIN or if the PERL_MM_USE_DEFAULT environment variable is set to true, the $default will be used without prompting. This prevents automated processes from blocking on user input. If no $default is provided an empty string will be used instead. =back =head1 ENVIRONMENT =over 4 =item PERL_MM_OPT Command line options used by Cnew()>, and thus by C. The string is split as the shell would, and the result is processed before any actual command line arguments are processed. PERL_MM_OPT='CCFLAGS="-Wl,-rpath -Wl,/foo/bar/lib" LIBS="-lwibble -lwobble"' =item PERL_MM_USE_DEFAULT If set to a true value then MakeMaker's prompt function will always return the default without waiting for user input. =item PERL_CORE Same as the PERL_CORE parameter. The parameter overrides this. =back =head1 SEE ALSO L is a pure-Perl alternative to MakeMaker which does not rely on make or any other external utility. It is easier to extend to suit your needs. L is a wrapper around MakeMaker which adds features not normally available. L and L are both modules to help you setup your distribution. L and L explain CPAN Meta files in detail. =head1 AUTHORS Andy Dougherty C, Andreas KEnig C, Tim Bunce C. VMS support by Charles Bailey C. OS/2 support by Ilya Zakharevich C. Currently maintained by Michael G Schwern C Send patches and ideas to C. Send bug reports via http://rt.cpan.org/. Please send your generated Makefile along with your report. For more up-to-date information, see L. Repository available at L. =head1 LICENSE This program is free software; you can redistribute it and/or modify it under the same terms as Perl itself. See L =cut
|
Bahrani people
From Wikipedia, the free encyclopedia
(Redirected from Bahrani)
Jump to: navigation, search
Bahrani people
الشعب البحراني
Isaac the Syrian.jpg
الشيخ عبدالامير الجمري - البحرين.jpg
Personal picture for Sheikh Isa Qassim.jpg
Ali Salman giving a speech during 2010 parliamentary elections.jpg
Ali Jawad al-Sheikh by Ahmad Nady.jpg
Abdulhadi Alkhawaja.jpg
Ramin Bahrani (cropped).jpg
Ayat Al-Ghermezi.jpg
Ebrahim Al-Arrayedh.jpg
Nabeel Rajab cropped - 2.jpg
Personal picture for Mahdi Abu Deeb.JPG
Hasan Mushaima à la Place de la Perle, 26 févier 2011.png
Tareq Al-Farsani.jpg
Zainab Alkhawaja in Nabeel Rajab's house crop.jpg
Roqaya Al-Gassra.JPG
Mohamed al-Maskati in Nabeel Rajab's house front door cropped.jpg
Jasem Al Huwaidi.jpg
A'ala Hubail.jpg
Total population
Over 600,000
Regions with significant populations
Bahrain 600,000 (2011 estimate)
Saudi Arabia 455,811 (Population of Qatif, 2010 census)[1][2]
Oman 10,000 (1995 estimate, based on number of speakers of Bahrani Arabic)[3]
Bahrani Arabic
Twelver Shia Islam
The Bahrani people or Baharna (singular Bahrani, Arabic: بحراني ، بحارنة) are the indigenous inhabitants of the archipelago of Bahrain and some parts of Qatif. They are overwhelmingly adherents of Shia Islam. Most Shia Bahraini citizens are ethnic Bahranis.
The Baharna are descendants of the original pre-Islamic inhabitants of Bahrain. The people of pre-Islamic Bahrain were mainly Aramaic speakers and to some degree Persian speakers, while Syriac functioned as a liturgical language.[4] In pre-Islamic times, the population of Bahrain consisted of Abd al-Qays Arabs, Aramean Christians, Persian-speaking Zoroastrians[5] and Jewish agriculturalists.[6][4] According to several scholars, the Baharna are Arabized "descendants of converts from the original population of Christians (Aramaeans), Jews and ancient Persians (Majus) inhabiting the island and cultivated coastal provinces of eastern Arabia at the time of the Arab conquest".[6]
The Bahrani people speak a variety of Arabic known as Bahrani Arabic, which is very different from the dialect of Sunni Bahrainis. The Bahrani Arabic dialect has been significantly influenced by the ancient Akkadian and Aramaic languages.[7] The Persian language has had the most pervasive foreign linguistic influence on Bahrani Arabic dialect.[7] The dialect spoken in Bahraini rural villages has many ancient Akkadian and Aramaic influences.[8]
The term Bahrani serves to distinguish the Bahrani people from other Shias in Bahrain, such as the ethnic Persian Bahrainis who fall under the term Ajam, as well as from the Sunni Arab Najdi immigrants in Bahrain who are called Al Arab ("Arabs").[9]
The native inhabitants of the Eastern Province of Saudi Arabia ("Hasawis" of Al Hasa) are ethnically distinct from Bahranis.[10][11] However, the ethnic minority of indigenous "Qatifis" in Qatif are mostly Bahranis.
In Arabic, bahrayn is the dual form of bahr ("sea"), so al-Bahrayn means "the Two Seas". However, which two seas were originally intended remains in dispute.[12] The term appears five times in the Qur'an, but does not refer to the modern island—originally known to the Arabs as "Awal"—but rather to the oases of al-Katif and Hadjar (modern al-Hasa).[12] It is unclear when the term began to refer exclusively to the Awal islands, but it was probably after the 15th century.[citation needed]
Today, Bahrain's "two seas" are instead generally taken to be the bay east and west of the island,[13] the seas north and south of the island,[citation needed] or the salt and fresh water present above and below the ground.[14] In addition to wells, there are places in the sea north of Bahrain where fresh water bubbles up in the middle of the salt water, noted by visitors since antiquity.[15]
An alternate theory offered by al-Ahsa was that the two seas were the Great Green Ocean and a peaceful lake on the mainland;[which?] still another provided by al-Jawahari is that the more formal name Bahri (lit. "belonging to the sea") would have been misunderstood and so was opted against.[14]
Baharna were Nestorian Christians until the 7th century[16]
Notable people[edit]
The Baharna produced many well-known religious scholars, including Shaykh Ahmad al-Ahsai (1753–1826) (founder of the Shaikhí school), Shaykh Maitham al-Bahrani (1238–1299), Shaykh Yusuf al-Bahrani (1695–1722) (one of the foremost Akhbari scholars), Abdullah al Samahiji (1675–1723), and Salih Al-Karzakani. Many religious scholars immigrated to Iran after the Bahrain islands were conquered by the Safavids in 1602 - for instance 17th century theologian and scholar, Sheikh Salih Al-Karzakani was appointed by the Shah as court judge in Shiraz, although he initially left Bahrain to work in the Shi'a Indian kingdom of Golkonda. Many students and scholars settled, and still do today, in centers of Shi'ite scholarship, especially Najaf, Karbala, and Qom.[citation needed]
See also[edit]
Language and culture
Bahrani People
1. ^
2. ^
3. ^
4. ^ a b "Tradition and Modernity in Arabic Language And Literature". J R Smart, J. R. Smart. 2013.
5. ^ "E.J. Brill's First Encyclopaedia of Islam, 1913-1936, Volume 5". M. Th. Houtsma. p. 1993.
6. ^ a b "Dialect, Culture, and Society in Eastern Arabia: Glossary". Clive Holes. 2001. pp. XXIV–XXVI.
7. ^ a b "Dialect, Culture, and Society in Eastern Arabia: Glossary". Clive Holes. 2001. pp. XXIX–XXX.
8. ^ "Dialect, Culture, and Society in Eastern Arabia: Glossary". Clive Holes. 2001. pp. XL–XLI.
9. ^ Lorimer, John Gordon, Gazetteer of the Persian Gulf, Oman and Central Arabia, republished by Gregg International Publishers Limited Westemead. Farnborough, Hants., England and Irish University Press, Shannon, Irelend. Printed in Holland, 1970, Vol. II A, entries on "Bahrain" and "Baharna"
10. ^ "Iranians in Bahrain and the United Arab Emirates: Migration, minorities, and identities in the Persian Gulf Arab States". Himanshu Prabha Ray. 2008. pp. 68–69.
11. ^ "Reaching for Power: The Shi'a in the Modern Arab World". Yitzhak Nakash. 2006. p. 23.
12. ^ a b Encyclopedia of Islam, Vol. I. "Bahrayn", p. 941. E.J. Brill (Leiden), 1960.
13. ^ Room, Adrian. Origins and Meanings of the Names for 6,600 Countries, Cities, Territories, Natural Features and Historic Sites. 2006. ISBN 978-0-7864-2248-7.
14. ^ a b Faroughy, Abbas. The Bahrein Islands (750–1951): A Contribution to the Study of Power Politics in the Persian Gulf. Verry, Fisher & Co. (New York), 1951.
15. ^ Rice, Michael. The Archaeology of the Arabian Gulf, c. 5000-323 BC. Routledge, 1994. ISBN 0415032687.
16. ^ Peter Hellyer. Nestorian Christianity in the Pre-Islamic UAE and Southeastern Arabia, Journal of Social Affairs, volume 18, number 72, winter 2011
External links[edit]
|
Take the 2-minute tour ×
This question is the outcome of a few naive thoughts, without reading the proof of Gelfand-Neumark theorem.
Given a compact Hausdorff space $X$, the algebra of complex continuous functions on it is enough to capture everything on its space. In fact, by the Gelfand-Neumark theorem, it is enough to consider the commutative C*-algebras instead of considering compact Hausdorff spaces.
The important thing here is that $C*$-algebras have a complex structure. The real structure is not enough. Given the algebra $C(X, \mathbb R) \oplus C(X, \mathbb R)$ of real continuous functions on $X$, the algebra $C(X, \mathbb{C})$ is simply the direct sum $C(X, \mathbb R) \oplus C(X, \mathbb R)$, as a Banach algebra(and this can be given a complex structure, (seeing it as the complexification...)). But to obtain a C*-algebra, we need an additional C*-algebra, and the obvious way, ie, defining $(f + ig)$* $= (f - ig)$ does not work out. More precisely, the C* identity does not hold.
So one cannot weaken (as it stands) the condition in the Gelfand-Neumark theorem that we need the algebra of complex continuous functions on the space $X$, since we do need the C* structure. Of course, this is without an explicit counterexample. Which brings us to:
Qn 1. Please given an example of two non-homeomorphic compact Hausdorff spaces $X$ and $Y$ such that the function algebras $C(X, \mathbb R)$ and $C(Y, \mathbb R)$ are isomorphic(as real Banach algebras)?
(Here I am hoping that such an example exists).
Then again,
Qn 2. From the above it appears that the structure of complex numbers is involved when the algebra of complex functions captures the topology on the space. So how exactly is this happening?
(The vague notions concerning this are something like: the complex plane minus a point contains nontrivial $1$-cycles, so perhaps the continuous maps to the complex plane might perhaps capture all the information in the first homology, etc..)..
Note : Edited in response to the answers. Fixed the concerns of Andrew Stacey, and changed Gelfand-Naimark to Gelfand-Neumark, as suggested by Dmitri Pavlov.
share|improve this question
If you know a little algebraic geometry, an exercise toward the end of chapter 1 in Atiyah-Macdonald walks you through an attractive proof that a CH space is determined by its ring of real valued functions. What the C* algebra formalism gets you in this context is the "image" of the functor $X \mapsto C(X, \mathbb{C})$ from CH spaces to $\mathbb{C}$-algebras. It is possible to formulate an analogous condition for $\mathbb{R}$-algebras, but the entire theory is more awkward (though more powerful in some ways!). – Paul Siegel May 25 '10 at 23:48
Let me try to justify my last remark. Aside from the awkwardness of the definition, the Bott periodicity theorem for the K-theory of real C* algebras has period 8 rather than period 2 in the complex case, and thus many arguments are much more arduous. But there is also room for more subtlety. For example, the complex structure of C* algebras is at some level responsible for the fact that the Atiyah Singer index theorem is most naturally formulated for even dimensional manifolds. One way to formulate an odd dimensional analogue is to use real C* algebras. This is not without applications. – Paul Siegel May 25 '10 at 23:57
@Paul: That is a nice exercise, but I am confused by "If you know a little algebraic geometry". I guess you mean because of the topology placed on the maximal ideal space? Also, thanks for addressing some differences between the real and complex case. @Akela: In spite of Paul's comments, I must say I'm a little confused by the noncommutative-geometry tag in light of the fact that there is nothing noncommutative in your question. – Jonas Meyer May 26 '10 at 2:40
@Jonas: In AM, $X$ is recovered from $C(X)$ as the subspace of $Spec(C(X))$ (with the Zariski topology) consisting of maximal ideals. So the exercise requires a casual familiarity with $Spec$, which one usually accumulates via AG. For what it's worth, I support the NCG tag for this question. I don't always work directly with NC C*-algebras in a substantial way, but I usually tell people I work in NCG because I often use $C(X)$ as a proxy for $X$. Maybe I am "mistagging" myself. :) – Paul Siegel May 26 '10 at 14:03
Makes sense. This isn't the first time I've heard of someone working in commutative NCG, but I still appreciate the novelty. – Jonas Meyer May 26 '10 at 19:34
add comment
3 Answers
up vote 4 down vote accepted
Here is a slightly different, perhaps simpler take on showing that $C(X,\mathbb{R})$ determines $X$ if $X$ is compact Hausdorff. For each closed subset $K$ of $X$, define $\mathcal{I}_K$ to be the set of elements of $C(X,\mathbb{R})$ that vanish on $K$. The map $K\mapsto\mathcal{I}_K$ is a bijection from the set of closed subsets of $X$ to the set of closed ideals of $C(X,\mathbb{R})$. Urysohn's lemma and partitions of unity are enough to see this, with no complexification, Gelfand-Neumark, or (explicitly) topologized ideal spaces required. I remember doing this as an exercise in Douglas's Banach algebra techniques in operator theory in the complex setting, but the same proof works in the real setting.
Here are some details in response to a prompt in the comments. (Added later: See Theorem 3.4.1 in Kadison and Ringrose for another proof. Again, the functions are assumed complex-valued there, but you can just ignore that, read $\overline z$ as $z$ and $|z|^2$ as $z^2$, to get the real case.)
I will take it for granted that each $\mathcal{I}_K$ is a closed ideal. This doesn't require that the space is Hausdorff (nor that $K$ is closed). Suppose that $K_1$ and $K_2$ are unequal closed subsets of $X$, and without loss of generality let $x\in K_2\setminus K_1$. Because $X$ is compact Hausdorff and thus normal, Urysohn's lemma yields an $f\in C(X,\mathbb{R})$ such that $f$ vanishes on $K_1$ but $f(x)=1.$ Thus, $f$ is in $\mathcal{I}_{K_1}\setminus\mathcal{I}_{K_2}$, and this shows that $K\mapsto \mathcal{I}_K$ is injective. The work is in showing that it is surjective.
Let $\mathcal{I}$ be a closed ideal in $C(X,\mathbb{R})$, and define $K_\mathcal{I}=\cap_{f\in\mathcal{I}}f^{-1}(0)$, so that $K_\mathcal{I}$ is a closed subset of $X$. Claim: $\mathcal{I}=\mathcal{I}_{K_\mathcal{I}}$.
It is immediate from the definition of $K_\mathcal{I}$ that each element of $\mathcal{I}$ vanishes on $K_\mathcal{I}$, so that $\mathcal{I}\subseteq\mathcal{I}_{K_\mathcal{I}}.$ Let $f$ be an element of $\mathcal{I}_{K_\mathcal{I}}$. Because $\mathcal{I}$ is closed, to show that $f$ is in $\mathcal{I}$ it will suffice to find for each $\epsilon>0$ a $g\in\mathcal{I}$ with $\|f-g\|_\infty<3\epsilon$. Define $U_0=f^{-1}(-\epsilon,\epsilon)$, so $U_0$ is an open set containing $K_\mathcal{I}$. For each $y\in X\setminus U_0$, because $y\notin K_\mathcal{I}$ there is an $f_y\in \mathcal{I}$ such that $f_y(y)\neq0$. Define $$g_y=\frac{f(y)}{f_y(y)}f_y$$ and $U_y=\{x\in X:|g_y(x)-f(x)|<\epsilon\}$. Then $U_y$ is an open set containing $y$. The closed set $X\setminus U_0$ is compact, so there are finitely many points $y_1,\dots,y_n\in X\setminus U_0$ such that $U_{y_1},\ldots,U_{y_n}$ cover $X\setminus U_0$. Relabel: $U_k = U_{y_k}$ and $g_k=g_{y_k}$. Let $\varphi_0,\varphi_1,\ldots,\varphi_n$ be a partition of unity subordinate to the open cover $U_0,U_1,\ldots,U_n$. Finally, define $g=\varphi_1 g_1+\cdots+\varphi_n g_n$. That should do it.
In particular, a closed ideal is maximal if and only if the corresponding closed set is minimal, and because points are closed this means that maximal ideals correspond to points. (Maximal ideals are actually always closed in a Banach algebra, real or complex.)
share|improve this answer
To wrap things up, I might as well purchase and wear a donkey costume.. – Akela May 25 '10 at 22:09
I'm not sure how to respond to that, but I hope you don't think I am disparaging your question. – Jonas Meyer May 25 '10 at 22:25
No I didn't mean that. I got thinking into all absurd directions with the wrong premises. I like your answer. This is a complete solution modulo the solution of the exercise. Would you please include a sketch of the proof? Also it may be a good idea to include explicitly that the maximal ideals in C(X,R) are precisely the points of the space. – Akela May 25 '10 at 22:30
I mean I accepted your answer. Since it's an accepted answer, it would be more helpful to any readers when it's complete with more details .. – Akela May 25 '10 at 22:30
Sure, I'll add some details. – Jonas Meyer May 25 '10 at 22:36
add comment
Qn 1 is trivial because you said "topological spaces" rather than "compact Hausdorff spaces" (or "locally compact Hausdorff" would be okay, I guess). Simply $\lbrace 0,1\rbrace$ with the order topology and $\lbrace 0\rbrace$ will do.
If we refine to "compact Hausdorff spaces" then I take $C(X,\mathbb{R})$ and $C(Y,\mathbb{R})$, complexify, and apply GN to recover $X$ and $Y$, thus I claim that no counterexample exists.
I think that the issue stems from a confusion between the complexification of a real algebra and the underlying real algebra of a complex one. Since I can recover $C(X,\mathbb{C})$ from $C(X,\mathbb{R})$, all the information about the former is captured in the latter. However, since I can find several complex structures on the same real algebra, $C(X,\mathbb{C})_{\mathbb{R}}$ does not contain all the information that is contained in $C(X,\mathbb{C})$. There is a reason why they are called forgetful functors!
So $C(X,\mathbb{R})$ is not the underlying real algebra of $C(X,\mathbb{C})$, but $C(X,\mathbb{C})$ is the complexification of $C(X,\mathbb{R})$.
share|improve this answer
Sorry, I unconsciously typed "topological" instead of "compact Hausdorff". How do you get the *-structure after complexification? – Akela May 25 '10 at 14:42
The next-to-last R should be a C. – S. Carnahan May 25 '10 at 15:01
@Scott: Thanks, fixed. @Akela: since C(X,R)oC = C(X,C), you get it from the same place as normally. – Andrew Stacey May 25 '10 at 20:14
I understand that C(X,R)oC is a complex Banach algebra. What I do not understand is how you gave it the structure of a C*-algebra, as "normal". As I understand Gelfand-Naimark theorem, you need commutative C*-algebras, not commutative Banach algebras. – Akela May 25 '10 at 20:21
Dear Akela, $C(X,\mathbb R)\otimes_{\mathbb R} \mathbb C$ is isomorphic to $C(X,\mathbb C)$ as a $\mathbb C$-algebra. This is all that is needed to then recover $X$ from the usual Gelfand--Neumark theorem: one takes all maximal ideals, topologizes them via the weak topology, and this is $X$, by Gelfand--Neumark. – Emerton May 25 '10 at 20:55
show 5 more comments
The noncommutative Gelfand-Neumark theorem can be stated and proved for real C*-algebras. See Corollary 4.10 in Johnstone's book “Stone Spaces”.
P.S. “Gelfand-Naimark” theorem is a misnomer. Take a look at the original paper and note how Gelfand and Neumark spell their names. In fact, they consistently use these spellings throughout all of their non-Russian papers.
share|improve this answer
I don't think 'oxymoron' means what you think it means. – HJRW May 25 '10 at 22:04
"Misnomer" instead of "oxymoron" seems apt. However, it is confusing to us ignorant of Russian and the subtleties of its transliteration to Latin characters, because the name is written as "Naĭmark" in some of his other work. (For example, springerlink.com/content/v71158h17p227p39) I believe some choose "Gelfand-Naimark" for simplicity and consistency, but I appreciate your point. – Jonas Meyer May 25 '10 at 22:15
@Henry: Inconceivable! – Yemon Choi May 25 '10 at 22:19
@Henry: By an oxymoron I meant “a combination of contradictory or incongruous words”. – Dmitri Pavlov May 26 '10 at 4:46
@Jonas: It's either Gelfand-Neumark if you cite their non-Russian papers, or Gelʹfand-Naĭmark if you cite one of their Russian papers and use the AMS transliteration system. The spelling Naimark is incorrect and should never be used. As for the cited errata, note that the original paper springerlink.com/content/n3m5656p81712676 lists both spellings. – Dmitri Pavlov May 26 '10 at 5:23
show 1 more comment
Your Answer
|
Take the 2-minute tour ×
Fairly new to Jquery here.... but one thing I have been told and being doing, is add my Javascript at the bottom of my page after the html is read.
Now, I see people adding the $(document).ready(function() even when the code is at the bottom of the page. Isn't the DOM being progressively built as the HTML is read? By the end of reading the HTML, shouldn't the DOM be automatically be ready and therefore, what is the point of adding this check?
For example, small demo:
<li id="draggable" class="ui-state-highlight">Drag me down</li>
<ul id="sortable">
<li class="ui-state-default">Item 1</li>
<li class="ui-state-default">Item 2</li>
<li class="ui-state-default">Item 3</li>
<li class="ui-state-default">Item 4</li>
<li class="ui-state-default">Item 5</li>
alert("In Page");
$(function() {
alert("Dom is READY");
$( "#sortable" ).sortable({
revert: true
$( "#accordion" ).accordion();
The "In Page" always appear first... is it because the HTML is not "big" enough?
share|improve this question
Isn't it kind of like asking "why do I need to wear a belt if I go around holding my pants up all the time?" Maybe a better question is "why do I put all the code at the bottom if it runs based on DOM events?" – le dorfier May 26 '12 at 3:42
related (but not a dup IMO) stackoverflow.com/questions/8717401/… – ajax333221 May 26 '12 at 5:55
@ledorfier - I almost fell out of my chair when I read that ;) That's hilarious. – jmort253 May 26 '12 at 6:35
add comment
2 Answers
up vote 2 down vote accepted
Truth is that document.ready and bottom of document are pretty much the same thing, since by the end of document all controls are there. Personally I will still prefer document.ready since it's the way JQuery framework identifies document end (and ideally we should stick to framework's recommended ways) and secondly it will take care of anyone moving the code by mistake.
share|improve this answer
+1 sticking with framework recommendations! – jasonflaherty May 26 '12 at 4:06
+1 - It also communicates in no uncertain terms that the code doesn't run until the page loads. This is something we might not see right away of we're concentrating on solving a different problem. – jmort253 May 26 '12 at 6:38
add comment
When you write your code inline that way, assuming you load jQuery in the head, having the document onReady may not be necessary.
It starts to make a difference when your page code is loaded via an external JavaScript resource in the document (which may not be at the bottom). Reasons to do so are mainly so that the code can be cached by your browser and so reduces network overhead.
share|improve this answer
add comment
Your Answer
|
Take the 2-minute tour ×
I can connect to my WiFi out of the shell by doing:
nano wireless-wpa.conf
and doing:
ifconfig eth1 down
iwconfig eth1 mode Managed
ifconfig eth1 up
killall wpa_supplicant
wpa_supplicant -B -Dwext -i eth1 -c ./wireless-wpa.conf -dd
dhclient eth1
Pretty complicated.. Is there a possibility to connect to a WiFI via shell without the need of a wireless-wpa.conf?
share|improve this question
Would having a script that wrote the .conf on the fly and established the network connection suffice? – Paul Sep 29 '11 at 5:58
Actually I was looking for a complete different solution, because I could write a bash script myself. – Ian Sep 29 '11 at 8:47
add comment
2 Answers
You can control a running wpa_supplicant using it's control interface, which you already specify in your .conf file. While this still needs a .conf file, you don't have to put any wireless networks in it, and don't have to change it. You can then configure it with wpa_cli.
wpa_cli may need to be told which wpa_supplicant instance and interface to configure:
wpa_cli -p /var/run/wpa_supplicant -i wlan0 command ...
For clarity, I'll use just wpa_cli here. Basically, you need to create a network, set its variables, and enable it:
# wpa_cli add_network
4 <--- note the network ID!
# wpa_cli set_network 4 ssid '"Your SSID"'
# wpa_cli set_network 4 scan_ssid 1
# wpa_cli set_network 4 key_mgmt WPA-PSK
# wpa_cli set_network 4 psk '"1234567890"' <--- note the single quotes around
# wpa_cli enable_network 4
share|improve this answer
add comment
You want a cli command that manages your wpa_suplicant-config? Have you tried ifup, ifdown and ifcfg? They handle connection scripts and work for wifi too but may need some tinkering with.
share|improve this answer
add comment
Your Answer
|
Take the 2-minute tour ×
I'm trying to convert some of my lecture slides to LaTeX. What's the best way to convert a number of slides (similar to the one below) into nice notes? I am aware of mhchem and chemstyle, but I don't think either does what I want.
I also have ChemDraw, but creating each of these seems like an extremely slow process unless I'm just missing some features. Is ChemFig a good alternative?
Oxymercuration/demurcuration slide
share|improve this question
Joseph Wright's chemstyle documentation, section 8, has some thoughts on this. He ends up on ChemDraw, but your situation and needs may differ. – Mike Renfro Mar 6 '12 at 16:51
add comment
3 Answers
Yes chemifg is a great tool. But as well as almost every code to picture system the syntax is not trival. Please consider the following example. You can easily see, that chemfig syntax follows a logical and human readable syntax, but will become extremely complex for larger structures. And so far as i can see chemfig is the easiest system for chemical structures build (somehow) on TeX. I remember my early days when xymtex made me cry several times.
\chemrel[\chemfig{NaBH_4}][]{->}\chemname{\chemfig{C(-[2]CH_3)(-[4]H_3C)(-[6]OH)-C(-[2]H)(-[6]CH_3)-H}}{MORE substituted alcohol} \hspace*{.5\textwidth}$\underbrace{\hspace{.4\textwidth}}_{\text{demercuration}}$
the result
Please forgive me that i improvised the brackets. I think there must be a better way to do that.
As it had been said, ChemDraw is the standard all over the chemical world. For me who has to draw a few structures per document chemfig fits perfect. So it won´t fit for me if i had to draw very much of this structures (if i were a real chemist)
share|improve this answer
add comment
ChemFig is a great package but I don't believe that you'll gain much in time if you create your schemes with it rather than with ChemDraw.
Once you know you're way around ChemFig you're just as fast or slow with it than with ChemDraw (supposing you know your way around that, too), at least that's my experience.
There are other points you should consider:
• In order to produce really nice schemes with ChemFig one has to master several steps, though:
• the syntax for the creation of the formulae; this is both very intuitive and easy to learn and difficult to read for larger compounds
• the scheme creating part; that's basically the knowledge of the \arrow command which has a rather complex syntax but thus is a very flexible command
• it helps a lot if one has basic skills in TikZ
• ChemFig is great as long as your formulae stay 2-dimensional and organic. Trying to set something like Ferrocene is possible but tedious, let alone larger 3-dimensional substances like Fe6(CO)12.
If you have many descriptions to your schemes one property of ChemFig could come in handy, though: in its schemes each compound is a TikZ node with a name that you can refer to, which easily allows you to add arrows between a compound in the scheme and some descriptive text, for instance:
\usepackage{chemstyle} % provides the `scheme` environment
\usepackage{chemmacros} % for the small formulae
inner sep=0,
remember picture]{\node (#1) at (0,0) {#2};}}
\schemedebug{false}% set this to `true' to get information about node names ...
\ch{H2O} \arrow{<<->} \ch{H+} \+ \subscheme{\ch{OH-}}
% the \subscheme creates an extra node
Look, I refer to the \referto{hydroxide}!
\draw[red,thick,->,shorten >= 3pt]
(ref.90) .. controls +(0,1) and +(0,-1) .. (c3.-90);
enter image description here
At last I'd like to give an example of how you could use ChemFig and its scheming commands to set the scheme of your example. These commands (\schemestart, \schemestop, \arrow) are more powerful than the \chemrel command with respect of relative positioning of compounds, the length of the arrows etc.
I also use \chemup. and \chemdown\} for the braces. (There is \chemleft and \chemright, too.) These commands serve the same purpose as \left and \right do for maths.
\renewcommand*\printatom[1]{\ensuremath{\mathsf{#1}}} % the style of the atom groups
\setcompoundsep{7em} % (not quite) the length of the arrows
\setatomsep{2em} % (not quite) the bond length
% that was the first reaction step, we now can refer to the
% second compound named `snd`
\arrow(--[blue]){0}[-90,0] % invisible arrow of length 0 to the text below
% skip back to the second compound and add next reaction step:
\arrow(--[blue]){0}[-90,.1] MORE substituted alcohol
% empty compounds to get the right spacing for the second brace:
\large Markovnikov addition
\arrow{->[1) \ch{H2O}, \ch{Hg(OAc)2}][2) \ch{NaBH4}]}[,2]
enter image description here
share|improve this answer
add comment
I haven't had to typeset a lot of chemicals, but perhaps the following may be useful. I have used TikZ to typeset the first formula in the slide to give you a feel for how it works.
% First chemical.
\node (CarbonL) {C};
\node[right of=CarbonL] (CarbonR) {C};
\node[above left of=CarbonL] (TopL) {CH$_3$};
\node[below left of=CarbonL] (BotL) {CH$_3$};
\node[above right of=CarbonR] (TopR) {H};
\node[below right of=CarbonR] (BotR) {CH$_3$};
\draw[double] (CarbonL) -- (CarbonR);
\draw (CarbonL) -- (TopL);
\draw (CarbonL) -- (BotL);
\draw (CarbonR) -- (TopR);
\draw (CarbonR) -- (BotR);
enter image description here
I used relative positioning in this example, but absolute positioning, positioning in matrices and positioning on chains are also possible. This is an easy approach for simple formulae like those in your example, but for anything more elaborate I wouldn't recommend it.
share|improve this answer
add comment
Your Answer
|
Please choose your territory and language
Germany, English
team news
Danilo Wyss and the rest of the BMC team once more find themselves in the wilds of northern Europe (foto by Tim de Waele)
Danilo Wyss grabs 12th in crazy Franco Belge stage one sprint
1. October 2009
The Circuit Franco Belge kicks off October racing for the professional peloton. The four day stage race will challenge the rider's tired legs with long stages and the ever-present threat of strong cross-winds.
Thursday's stage one ended in a mass sprint with red-hot Tyler Farrar of Garmin snatching another late-season victory. Though there were moments where the pack threatened to split off into dangerous echelons, calmness generally ruled the day with only a doomed three man breakaway to animate it. BMC's Danilo Wyss managed to take 12th in the hectic sprint which had 200 riders vying for the stage victory and overall lead.
A day for the sprinters
"Today was a long stage where a small break of three managed to escape," Directeur Sportif John Lelangue explained. "I told our team that there was no hope for a break with fewer than five riders since there are so many strong sprinters here." The breakaway numbers never added up correctly which meant that the BMC riders decided to save their energy instead of making useless efforts. "Though there are no real climbs or cobbles, the stage was very difficult since the guys are constantly fighting for position on the narrow roads," Lelangue said. "Considering all the strong teams that are here, we must be very particular how we use our resources." The team's best finisher on the day, Danilo Wyss spent a quiet day in the group, saving up for the battles still to come. "We were able to pass the day pretty calmly," Wyss said. "Though a small group did get away, it became clear very quickly that the day would end in a mass sprint."
Four days of fighting for position
"With so many top sprinters here like Boonen, Farrar, Napolitano, and Haedo, there were a lot of sprinters with a chance to win today," Wyss said. "Considering the competition and that nothing went wrong in the sprint, I can be pretty satisfied with my finish." Aside from a few bonification seconds which were awarded out on the course and at the finish line, the majority of the peloton is still on the same time. "Though a couple of our guys were gapped near the end, we are all still well placed in the main pack," Lelangue said. "Since today was so calm there was little chance of separation, but we know that a couple of the stages to come should have important splits in the field." With the group BMC brought to this race, they certainly have some riders fast enough to take top places from small bunch sprints. "We hope that there will be a stage where only 20 or so are left at the finish," Lelangue said. "If we can have several riders in there, then we will be well placed for the race."
|
The research was funded by the National Science Foundation.
Source: NCSU [press release]
Comments Threshold
RE: How Is This Different?
By Etsp on 11/16/2012 12:38:57 PM , Rating: 3
I read the source link, and I read the daily tech article, and I find that I'm coming to a completely different understanding than Jason did when he wrote the article.
What the source link describes is when you have one access point serving a large number of users, there are significant performance issues, and NC State's proposed solution to some of those issues.
It's not some sort of coordination between access points, but rather it's a means of dynamically giving priority to the access point to transmit a backlog of data over the users within a given WiFi channel.
Interestingly, the abstract in the source link specifies that the 400% increase was in "downlink goodput", not overall throughput, but that caveat wasn't listed anywhere else...
RE: How Is This Different?
By name99 on 11/16/2012 2:40:44 PM , Rating: 3
Goodput IS what you want to measure. Throughput refers to, essentially "number of bit transitions" including bits that are used to run the protocol, as headers, as packets that are dropped at the router for lack of buffer space, etc.
Goodput refers to the throughput of REAL data --- how many bytes per sec of MY data do I see leaving my PC.
ALL network measurements anywhere that are of interest to the public should be of goodput. The only time throughput should ever be mentioned is in technical papers dealing with modulation and protocols, where the target audience knows the difference and understands the relationship between the two.
RE: How Is This Different?
By Etsp on 11/16/2012 3:38:27 PM , Rating: 2
I wasn't sure what goodput is, so I included it. However, the "downlink" portion of that was the caveat I was referring to. Thank you for your explanation goodput though.
Related Articles
WiGig Specifications Completed
December 10, 2009, 11:16 AM
|
History Timeline Template
Document Sample
History Timeline Template Powered By Docstoc
Computer History Timeline
Purpose: To produce a timeline of computer history that identifies the evolution of computers
1. Click on the PowerPoint template provided on the calendar. Choose to SAVE the
powerpoint to your folder. Save as Timeline. REMEMBER…SAVE not OPEN.
2. Using the Internet, research the history of computers. Locate a minimum of 20 events
in the evolution of computers.
3. Use the provided PowerPoint template, create a timeline of events that display the
evolution of computers. Begin with Charles Babbage in 1823 and continue until
present day.
4. Identify each date with the date and a description of the event tied to that date.
5. Include 10 pictures on your timeline.
6. Add a textbox in the upper right corner of your timeline that includes your name, date,
and period.
7. Add a title using Word Art!
8. Additional elements may be added to your timeline to add visual appeal and originality.
9. Save your project as timeline. Print Preview to make sure that all information fits on the
screen. Check your document for spelling and grammar errors.
Description: History Timeline Template document sample
|
Fernando Alonso had to the quickest practice lap in his Ferrari on Friday ahead of the Canadian Grand Prix.
The Spanish driver clocked 1 minute, 14:818 seconds on a damp day at the 2-mile Circuit Gilles Villeneuve.
Lewis Hamilton was second fastest in his Mercedes at 1:14.831. Romain Grosjean's Lotus was third in 1:15.083, followed by Mark Webber's Red Bull (1:15.212) and Nico Rosberg's Mercedes (1:15.249).
Times were about 7 seconds faster than in the morning practice, when Paul Di Resta of the Force India team led in 1:21.020.
The day started on a wet track from overnight rain, but by the afternoon it was dry until a few drops fell with 15 minutes left. That allowed Alonso's time to hold up just when drivers usually post their fastest times.
The conditions created some slipping and sliding, including a near crash between Webber and Grosjean. Kimi Raikkonen's Lotus also went for a slide.
Teams will have a practice Saturday morning before the qualifying session. The race is Sunday.
|
Security // Risk Management
10:38 AM
Connect Directly
Repost This
Google Wardriving: How Engineering Trumped Privacy
Blame the Street View data collection practices on a "more is more" engineering mindset. And rethink your notions about privacy for unencrypted Wi-Fi data.
During a two-year period, Google captured oodles of Wi-Fi data worldwide as part of its Street View program. But why?
Blame the engineering ethos that's prevalent at high-technology companies like Google. You know the "more is more" mindset: more bells and whistles equals greater goodness.
Of course some technology giants, including Apple and Google, have produced products or services that succeed by distilling that approach. Rather than cramming every last feature into their products, these companies include only the best ones. For example, compare the 2003-era iPod to its rivals, or Google Search to its predecessors.
But an unfiltered engineering mindset would help explain the apparent thinking behind the Street View wardriving program: "Well, if this Wi-Fi data is flying around and no one is encrypting it, what reasonable expectation do they have that it won't be sniffed and stored?"
The "Engineer Doe" responsible for adding full payload data capture to the Street View program invoked his Fifth Amendment right against self-incrimination, and refused to be deposed by government lawyers. The FCC, meanwhile, only learned his identity--redacted from all documents Google had initially provided to the agency--because Google had disclosed it to state investigators. While the state in question wasn't named, a former state investigator who worked on the Google case has identified the engineer as Marius Milner, a former Lucent Technologies employee who joined Google in 2003.
Despite that revelation, we're still left to guess at his exact thoughts and motivations. Notably, however, he wasn't the only Google employee interested in the data. True, at first, Google blamed the entire episode on a "rogue engineer" who was hungry for the product possibilities such data might afford. But Google design documents later provided to the Federal Communications Commission demonstrated that managers had commissioned the wardriving program, to help them build Wi-Fi maps.
"As Street View testing progressed, Google engineers decided that the Company should also use the Street View for 'wardriving,' which is the practice of driving streets and using equipment to locate LANs using Wi-Fi, such as wireless hotspots at coffee shops and home wireless networks," according to the FCC's report. "By collecting information about Wi-Fi networks (such as the MAC address, SSID, and strength of signal received from the wireless access point) and associating it with global positioning system (GPS) information, companies can develop maps of wireless access points for use in location-based services."
Milner, the previously unnamed engineer that Google tapped to add the wardriving capabilities, went further by adding code to also record all unencrypted packets--or what's known as payload data--within range of Google's Street View cars, which he "thought might prove useful for other Google service," according to the FCC's report. Managers also signed off on these design documents, and at least one senior manager later asked the engineer to review the wardriving data set for interesting Web navigation statistics.
New Privacy Questions, Old Laws
Why didn't the initial payload-data-capture decision face legal review? Likely because Google is a company built by engineers, and run by engineers. The code rules. And in fact, Google employees told the FCC that anyone working full-time on the Street View project was allowed to modify the code--no approval needed--if they thought they could improve it.
But capturing payload data raises numerous privacy questions. Indeed, investigators in other countries found that the data captured by Google's Street View software--the same software was likely employed in the United States--could be highly sensitive. A 2010 report from Canada's Office of the Privacy Commissioner, for example, noted that it was "troubled to have found instances of particularly sensitive information, including computer login credentials (i.e., usernames and passwords), the details of legal infractions, and certain medical listings."
In 2011, meanwhile, France's Commission Nationale de l'Informatique et des Libertes examined a sample of payload data collected by Google in France, and found 656 MB of information, "including passwords for Internet sites and data related to Internet navigation, including passwords for Internet sites and data relating to online dating and pornographic sites," according to the FCC report. The French report suggests that combining the location data, together with the 6 MB of email data recovered--including details of at least one extramarital affair--would have allowed data miners to learn people's names, addresses, sexual preferences, and more.
If "more is more" rules for engineers, the privacy default is traditionally "more is less." People have the expectation that not everything they do or say should be a matter of public record. Accordingly, if you surreptitiously collect too much data, then you may be infringing people's right to privacy. Cue punishment.
But not here. The Justice Department and Federal Trade Commission both investigated Street View, and chose to not prosecute. The FCC in its report likewise said that collecting Wi-Fi data, at least in this case, didn't seem to fall under its ability to regulate the Communications Act of 1934. Furthermore, because Milner refused to testify, the FCC couldn't fully understand why he did what he did, and if his intentions were at all malicious.
But there's one thing everyone has agreed he didn't do. On Milner's design document to-do list was this entry: "[D]iscuss privacy considerations with Product Counsel." According to the FCC, "that never occurred."
If you suspect that having someone intercept your unencrypted Wi-Fi data might be against the law, think again. The FCC in its report noted that Google may not have done anything illegal, either by intercepting information, or analyzing it, especially because it left encrypted data alone. "Although Google also collected and stored encrypted communications sent over unencrypted Wi-Fi networks, the Bureau [meaning, the FCC] has found no evidence that Google accessed or did anything with such encrypted communications," according to its report. Thankfully, the FCC said that the unencrypted payload data appeared to have been accessed only twice: once by Milner to see if there was anything useful for creating Google products, and then in 2010 when Google supervisors verified that payload data had in fact been collected.
Google said that while the payload data collection shouldn't have happened, it hadn't violated any laws. Notably, it argued that the Wiretap Act allows for the interception of radio signals that are "readily accessible to the general public," meaning they're not scrambled or encrypted. The FCC appeared to agree.
To be clear: the Google Street View episode illustrates that people shouldn't have any expectations that their unencrypted data won't be captured. Hopefully, that revelation will provoke sharp questions in Congress about whether, in this day and age, the Wiretap Act or other communications regulations still work.
Should someone be allowed to park outside your house and intercept your Wi-Fi signals? People never used shortwave radios to send their usernames and passwords to their bank, or to search Google. But as the French and Canadian investigators found, Wi-Fi data can reveal numerous secrets. Shouldn't the law help safeguard those?
Comment |
Print |
More Insights
Newest First | Oldest First | Threaded View
<< < Page 2 / 2
User Rank: Apprentice
5/1/2012 | 4:34:59 PM
re: Google Wardriving: How Engineering Trumped Privacy
Well Put... I had a similar response planned, but you summed it up nicely
User Rank: Apprentice
5/1/2012 | 4:06:41 PM
re: Google Wardriving: How Engineering Trumped Privacy
No they should not change the law. If you are using a non-encrypted WI-FI connection then you should expect everything you do to be readily accessible to anyone. You don't leave something valuable on the curb and not expect it to be taken. So why would you expect non-encrypted data to not be read? The only people at fault here are people who run non-encrypted WIFI routers. Every ISP (that I know of) requires you to have your Wi-Fi access point encrypted. So everyone who is running a non-encrypted access point is violating a EULA already. Laws don't stop criminals. Locks stop criminals. Encryption stops people from listening in. Lock down your access point by putting encryption on it and this issue will be over. Don't get congress involved in this, they are too stupid to understand these concepts and will make everyone's lives worse off with some stupid law. Remember SOPA?
<< < Page 2 / 2
Register for InformationWeek Newsletters
White Papers
Current Issue
Twitter Feed
Audio Interviews
Archived Audio Interviews
|
or Connect
Mothering › Mothering Forums › Childhood and Beyond › Education › Learning at School › Kindergarten seeming way too academic...
New Posts All Forums:Forum Nav:
Kindergarten seeming way too academic...
post #1 of 13
Thread Starter
I am having a hard time with how academic my sons kindergarten class is. He goes to a small Catholic school and his school started a new reading program this year: the Riggs method: http://www.riggsinst.org/ which is phonogram based.
They spend a lot of time on this every day to the point that although they have playtime, recess, gym, they aren't doing much art, math, science. Everything is going in to reading. My son only likes school because his friends are there and they play soccer at recess. I really believe kindergarten should be about playdough and blocks still.
They also have 2 'tests' a day on their phonograms. One in the morning on the single letters (basically the alphabet), and one in the afternoon on the 2 and 3 letter phonograms they've learned so far. DS is consistently getting about half right on the afternoon test. So then I'm torn between wanting him to do well (and drilling him with the flashcards we were given) at home and wanting to just let him play and unwind (which we do 95% of the time).
I know there isn't any hope of getting anything changed for this year but my younger children will be in this school eventually. The kindergarten teacher even confessed to me that she thinks they should wait and start this program in the first grade.
Not sure what to do :(
post #2 of 13
this will not be what you want to hear
we did a Catholic K and 1st at another Catholic and it was night and day different
even within the same dioceses one can do one program another not
I see your real issue is NEXT year- you have this program in place now, so I'm assuming here next year will be real academic based on what they expect now???
You can switch for your others but it still leaves you with next year for this one. I would sit down now and talk to the teacher for next year, find out the expectations and what they are doing based on a child having gone through this program and really think about what your goals are, what you child is able to do now and your long term goals- you may need to switch schools.
You might find another Catholic school that is more inline with your schooling perspective.
it's sad to be have way done with the year and feeling this way
post #3 of 13
Thread Starter
I should add that we love this school for every other reason. My husband went here. It is K-12 and very family oriented. We know everyone. Unless there was something seriously wrong my husband especially would not be willing to switch schools.
post #4 of 13
My guess is that the private schools are forced to keep the pace with the public schools, which are forced to keep up with standardized testing. They could risk losing students if they don't keep up with public schools.
post #5 of 13
I have to say our K does not use that program, but it is also academic. The Riggs method is not a bad alternative to some other options out there--- it is multi-sensory and low/no worksheets, both of which are good for young Elem. kids.
As a PP stated- most private schools are moving toward academic. To find a more play based program, you may have to look at independent private school.
My girls are in 1st, and they are expected to be reading and writing. Kiddos that are still working on letters/sounds/phonograms would be behind in 1st grade. They attend a standard 1st grade (with kids coming from 1/2 day K).
post #6 of 13
Respect your instincts and talk more with your child's teacher. Let her know how you feel and what your concerns are. I'll give you my two cents, but I'm not directly involved, so I don't know the entire story...
If the kids are getting time for non-directed play in centers and outdoors, then this program seems ok. I know the testing sounds intense, but at this age it's generally not high-pressure. The instructors need feedback from these "tests" to help them see their students' progress. It also sends the message to the students that they are responsible for their own learning. A good teacher will administer these assessments in a gentle, low-stress manner , and pair them with activities that let all students feel success.
There are two things that do bother me:
1. You say there is little time for science, art, music, math, etc. This is very troublesome. I see these as important subjects, esp. math. Kindergarten math performance is surprisingly predictive of later achievement. There are many recent studies that show this. Here's an example... http://www.ipr.northwestern.edu/publications/workingpapers/2004/duncan/SchoolReadiness.pdf
2. The teacher's attitude about the program doesn't seem to be good. Enthusiastic implementation is important.
I hope you get some answers from the teacher that will make you feel better. Good luck!
post #7 of 13
Unless there was something seriously wrong
a think not being a "good fit" is still an OK reason to not be there and that does not mean "seriously wrong"-
you really need to know what next year holds and going into it with an attitude of only "serious" you may not be doing what is academically correct for this or your other children and focusing more on the loves without seeing the long term here-IMO
post #8 of 13
Private schools have a lot of pressures. Some feel like they have to "more" academic to win parents and some feel like they have to be less academic than public schools. Sounds like your school feels like they have to be really ahead of the public school track.
The program might be intense all around or it might be your child's experience with it. Is he young for the class? Did he attend preschool before the school year? Did he know the alphabet before starting school? How is attention during the class? Can you talk to the teacher about his experience and how it compares to other kids? Can you observe?
post #9 of 13
It look like the Riggs method is based on The Writing Road to Writing by Spalding, which is what I used to teach my kids to read back when we were homeschooling. It's a very solid program. I did wait until my kids were a little older because I was on the mellow side, but having looked at and tried a lot of programs (one of my DDs had some problems learning to de-code) I think this is some of the most solid instruction around.
It is tough, though. And a bit tedious. Both my kids ended up reading really, really well and loving reading, so I do feel like it paid off for us.
It's too bad the teacher is having trouble balancing the program with other activities. Personally, I might go over a couple of cards before bedtime, but since he is spending so much time on it at school, I wouldn't spend more than 5-10 minutes. Just pick a couple of cards and stick with them for the whole week. It may be that in going over so many at a time, they are just a blur for him. I'd focus on actually learning just a few rather than reviewing them all. Remember that it really doesn't matter exactly how many phonograms he gets right each day. It's just practice.
Teaching my kids to read with this program helped my spelling! I wish I had been taught this way as a child. Try taking a long view of this, rather than the day to day. It sounds like you like the school otherwise, and this will give your children a very solid basis for reading and spelling. There is a payoff.
There are very few schools where K is about playing. Heck, a lot of preschools aren't even about playing. I agree with you that it would be nice, but if you like the school otherwise, I'd try to look on the bright side.
post #10 of 13
From the website:
Instruction begins at a 6-year-old's listening and/or spoken comprehensible vocabulary levels which researchers Chall, Seashore and Flesch determined to be between 4,000 and 24,000 words.
So, the teacher is right. They are pushing it in neglect of everything else, possibly so the kids will have a head start next year. If that is ok with you, then stay with it. I personally am more along the lines of your wishing what a kinder should be (which is what it used to be and isn't really anymore, with maybe the exception of Waldorf and some independent schools ascribing to various theories). I wouldn't like this for my kids...a year does make a difference when it comes to emotional and mental development, and it sounds like a great program-for a different grade. I'd go with a different program since it does seem like there isn't much room for anything else in their curriculum. Buuuuut....you know the school better than I of course, so just take my own thoughts for what they are.
post #11 of 13
I think it made be a good thing that they are this academic from the start. There is a very big jump in expectations from kindergarten to first grade. At my dd's school they went from letter sounds at the end of kindergarten to reading several pages of work a day at the beginning of first grade. It was a jump my DD made because she was already reading but some kids got left behind and sent to remedial instruction from the reading specialist in the first few weeks. They may have noticed kids getting left behind and decided to try to address that at your child's school. If you don't like the curriculum and want to see a change though you should definitely bring it up with the principal or whoever decides on the curriculum.
post #12 of 13
I have a kindergartener in public school. She entered school as a good reader, but if she hadn't been, I would expect her to learn the alphabet and some letter/sound combinations in K. That doesn't sound too academic to me. And I would love that it's a research-based successful program. (I haven't researched the program to see if it is, but as the mom of an older child with dyslexia, I think all reading programs should be research-based.)
How much time are they spending on it? If it's an hour a time, that's ridiculous. But a couple of half-hour blocks seems fine. I'm not bothered by a daily test. But the children should be getting other time to do centers, social studies/science, writing, art, music, PE and recess. I wouldn't be happy if any other areas would be neglected. Can you talk to the teacher about how it's being used, to find out if they're using it correctly?
post #13 of 13
I have had 3 kids go through Catholic elementary school- one that is very traditional and academic (the same principal for 45 years). All were expected to be reading in 1st grade- reading to the point that they could take a weekly test without any assistance. I think K in general is much more academic than most of us remember.
I teach in a public high school. The push is not only on state testing, but constant formative assessments. This is most likely what is happening each day. These aren't really tests per se. They are simply a way for the teacher to assess how each student is responding to the instructional strategies being used. It is also a way to determine whether certain students need interventions, etc. By the time students get to me, most disabilities have been found, interventions are in place, but we still work on seeing which students are struggling. I teach 10th grade; there are 46 GLEs my students are expected to master by the end of the semester (we are a 4x4 school, so students have only 4 classes for one semester, then a different 4 the next- like college). If I didn't do daily/weekly formative assessments, I would spend valuable time covering material theyhave already mastered. These don't count for grades and they are not all paper and pencil. A good teacher knows how to take what is being required and make it fit into the classroom routine seamlessly. If this teacher has a negative attitude, it is definately affecting the students' reponse.
New Posts All Forums:Forum Nav:
Return Home
Back to Forum: Learning at School
|
Skip to main content
Greedy Lying Bastards
Rated PG-13 for brief strong language.
PG-13 90min.
Share this movie on
Greedy Lying Bastards Movie Poster
Released on
Review this movie Write a Review
Watch It TODAY
Watch Online
January 20, 2014
The unsubstantiated propaganda in this doc gets thick. They never explain why money is answer to a problem that may or may not be real. Also the data they use to substantiate their theory has been found fraudulent many times over. If the crisis is real then it should be easier to prove.
December 25, 2013
Who doesn't believe there are people making truck loads of money on both sides of this issue and every other pending disaster, natural or man made? Save your money for something a good airconditioner.
Netflix - Try for Free
Similar Movies
• An Inconvenient Truth
Former vice president Al Gore shares his concerns on the pressing issue of global warming in this documentary. A long-time environmental activist, Gore first became aware of evidence on global warming in the 1970s, and since leaving public office he ...…Read More
Critic Score
Stay Connected with Moviefone
My Settings
You are currently subscribed as: {email}
Weekly Newsletter
Daily alerts
You're not following any movies.
These are the movies you’re currently following.
Update settings
|
U.S. patents available from 1976 to present.
U.S. patent applications available from 2005 to present.
Icon_funbox Quotables
Simon Newcomb, astronomer ; 1888
Newsletter PatentStorm News
Make the Most of Our Site
See this month's Top Inventors and Most Cited Patents.
Registered users: Manage your profile.
Class 345/506 - Pipeline processors
Subclass of Class 345 - Computer graphics processing and selective visual display systems
Definition: Subject matter wherein the plural processors are operated
No. of patents: 555
Last issue date: 01/07/2014
NumberTitleIssue Date
6975320Method and apparatus for level-of-detail computations
A method and apparatus for computing a level-of detail (LOD) value for the of texels of a texture map to pixels of a graphics image adapted to receive signals representing texel coordinates for texels of a texture map and pixel coordinates for pixels of a graphics i...
6975321System and method for generating multiple outputs in a single shader processing pass in a hardware graphics pipeline
A system and method are provided for generating multiple output packets in a single processing pass of a shader in a hardware graphics pipeline. Initially, graphics data is received, after which it is processed utilizing the shader of the hardware graphics pipeline ...
6975322Dynamically adjusting a number of rendering passes in a graphics system
A graphics system includes a hardware accelerator and a frame buffer. The frame buffer includes a sample storage area and a double-buffered display pixel area. The hardware accelerator is operable to (a) render a stream of primitives into samples, (b) store the samp...
6975323Video data transfer system
A video data transfer system which increases the rate of capturing video data into a system memory without being affected by a data bus and which prevents the display of data on a display unit from being affected even when data is being captured. Video data from a v...
6971066System and method for deploying a graphical program on an image acquisition device
A computer-implemented system and method for deploying a graphical program onto an image acquisition (IMAQ) device. The method may operate to configure an image acquisition (IMAQ) device to perform image processing or machine vision functions, wherein the device inc...
6967664Method and apparatus for primitive processing in a graphics system
A method and apparatus for processing graphics primitives that includes a trivial discard guard band. Such a trivial discard guard band is used for comparison operations with the vertices of graphics primitives to determine whether the graphics primitives can be tri...
6967659Circuitry and systems for performing two-dimensional motion compensation using a three-dimensional pipeline and methods of operating the same
The present invention introduces circuitry and systems for performing two-dimensional motion compensation using a three-dimensional pipeline, as well as methods of operating the same. According to an exemplary embodiment, image processing circuitry is provided and i...
6963345API communications for vertex and pixel shaders
A three-dimensional API for communicating with hardware implementations of vertex shaders and pixel shaders having local registers. With respect to vertex shaders, API communications are provided that may make use of an on-chip register index and API communications ...
6963342Arbitration scheme for efficient parallel processing
A system and method for assigning operations to multiple pipelines in a graphics system is disclosed. The graphics system may include an arbitration unit coupled to a plurality of calculation pipelines. The arbitration unit is operable to provide graphics operations...
6961469Sort middle, screen space, graphics geometry compression through redundancy elimination
A geometry compression method for sort middle, screen space, graphics of the standard graphics pipeline. The pipeline processes a 3D database having geometric objects such as triangles and textures into a display image which may be shown to the user on a display mon...
6961063Method and apparatus for improved memory management of video images
A novel storage format enabling a method for improved memory management of video images is described. The method includes receiving an image consisting of a plurality of color components. Once received, the plurality of color components is converted to a mixed forma...
6956562Method for controlling a handheld computer by entering commands onto a displayed feature of the handheld computer
A method for software control using a user-interactive display screen feature is disclosed that reduces stylus or other manipulations necessary to invoke software functionality from the display screen. According to the method, a graphical feature having a surface ar...
6954204Programmable graphics system and method using flexible, high-precision data formats
A programmable graphics system and method for processing high precision graphics data represented in one or more data formats in one or more passes. Graphics program instructions executed by the system control the processing and format conversion of the data. The pr...
6952214Method for context switching a graphics accelerator comprising multiple rendering pipelines
A graphics system comprising a plurality of rendering pipelines and a scheduling network. Each rendering pipeline couples to the scheduling network, and includes a media processor, a rendering unit and a memory. A communication bus may couple the scheduling network ...
6952213Data communication system and method, computer program, and recording medium
An apparatus comprises two or more image processing units and a main merger unit. Each image processing unit comprises four information processing units and a sub merger unit for merging data output from the four information processing units. The main merger unit me...
69501063-dimensional graphic plotting apparatus
A clock control unit (7) detects completion of data processing based on a busy signal BSY1 output by a geometry processing unit (4) and a busy signal BSY2 output by a rendering processing unit (5). The clock control unit (7)...
6950930Multistandard video decoder and decompression system for processing encoded bit streams including pipeline processing and methods relating thereto
A pipeline video decoder and decompression system handles a plurality of separately encoded bit streams arranged as a single serial bit stream of digital bits and having separately encoded pairs of control codes and corresponding data carried in the serial bit strea...
6947053Texture engine state variable synchronizer
A mechanism for synchronizing state variables used by texture pipelines in a multi-pipeline graphics texture engine. The mechanism ensures that, as polygons are processed by a texture engine, the state variables associated with each polygon are distributed in parall...
6947047Method and system for programmable pipelined graphics processing with branching instructions
A programmable, pipelined graphics processor (e.g., a vertex processor) having at least two processing pipelines, a graphics processing system including such a processor, and a pipelined graphics data processing method allowing parallel processing and also handling ...
6943797Early primitive assembly and screen-space culling for multiple chip graphics system
A multi-chip system and method are disclosed for incorporating a primitive assembler in each of one or more geometry chips and one or more rasterization chips. This system may allow per-primitive operations to be performed in the geometry chips, and also allow use o...
6943796Method of maintaining continuity of sample jitter pattern across clustered graphics accelerators
A system and method are disclosed to allow the tiling of sample jitter patterns to be independent of the tiling of clustered graphics accelerators. Each accelerator uses an x,y “bias” offset to shift the origin of the jitter pattern within the sample space regio...
6943800Method and apparatus for updating state data
In a graphics processing circuit, up to N sets of state data are stored in a buffer such that a total length of the N sets of state data does not exceed the total length of the buffer. When a length of additional state data would exceed a length of available space i...
6941412Symbol frequency leveling in a storage system
Methods and apparatus for transforming data into a format which may be efficiently stored in a non-volatile memory are disclosed. According to one aspect of the present invention, a method for storing information of a first data format in a memory system includes ge...
6940512Image processing apparatus and method of same
An image processing apparatus able to efficiently utilize a large amount of operation processing elements, having a high degree of freedom of algorithms, and having a high flexibility, provided with a rasterizer for generating pixel data or addresses; a graphics uni...
6940514Parallel initialization path for rasterization engine
A system and method are disclosed for a rasterization pipeline with a parallel initialization path that may provide an increased rate of triangle processing. The edge walker, span walker, and sample generator modules of a rasterization pipeline may be modified to en...
6940519Graphics processor, graphics card and graphics processing system
A graphics processor includes a shading processing section which subjects pixel data to a shading process, a first path which permits map data and texture data output from a video memory to be input to the shading processing section, a second path which permits pixe...
6940525Method and apparatus for performing a perspective projection in a graphics device of a computer graphics display system
A method and apparatus for processing primitives in a computer graphics display system. The apparatus comprises a graphics device which receives commands and data from a host computer of the computer graphics display system. The data includes clip coordinates which ...
6941236Apparatus and methods for analyzing graphs
A plurality of hardware cells are defined, wherein at least a given one of the hardware cells corresponds to sets of vertices from a graph having vertices and edges interconnecting the vertices, and each of the sets are from a corresponding one of a number of portio...
6940513Data aware clustered architecture for an image generator
A data aware clustered system architecture is described for an image generation system. The architecture leverages commodity personal computers to provide the processing capability of the image generator such as may be used in a flight simulator. The architecture su...
6933941Scene representation method and system
One aspect of the invention is a method for representing a scene (S). The method includes providing a higher-level appearance description of an appearance of geometry in a retained-mode representation (13a, 300). The method also includes travers...
6933943Distributed resource architecture and system
A distributed resource system comprises a plurality of compute resource units operable to execute graphics applications and generate graphics data, and a plurality of visualization resource units communicatively coupled to the plurality of compute resource units and...
6933945Design for a non-blocking cache for texture mapping
A non-blocking cache for texture mapping is implemented by separating Cache Tags from Cache Data. Multiple requests for data may be processed in parallel without strict ordering or synchronization. Separating Cache Tags and Cache Data results in a texture memory cac...
6927783Graphics display system with anti-aliased text and graphics feature
A graphics integrated circuit chip is used in a set-top box for controlling a television display. The graphics chip processes analog video input, digital video input, a graphics input and an audio input simultaneously. The system may use anti-aliased text and graphi...
6924808Area pattern processing of pixels
A circuit for outputting area pattern bits from an area pattern array. The circuit includes a first stage, second stage and third stage. The first stage is configured to output N adjacent scan lines from a 2N×2N area pattern array based on a first address. N is a p...
6924799Method, node, and network for compositing a three-dimensional stereo image from a non-stereo application
A method of assembling a composite image comprising generating three-dimensional data defining a non-stereo image, assigning a first screen portion to a first rendering node, assigning a second screen portion to a second rendering node, rendering, by the first rende...
6924807Image processing apparatus and method
An apparatus for processing image data to produce an image for covering an image area of a display includes a plurality of graphics processors, each graphics processor being operable to render the image data into frame image data and to store the frame image data in...
6924820Over-evaluating samples during rasterization for improved datapath utilization
A system and method for rasterizing and rendering graphics data is disclosed. Vertices may be grouped to form primitives such as triangles, which are rasterized using two-dimensional arrays of samples bins. To overcome fragmentation problems, the system's sample eva...
6919897System and method for pre-processing a video signal
A method and apparatus for pre-processing video signals comprises a video input module, a first video pipeline, and a second video pipeline. The video input module receives and forwards one or more live video signals, producing a forwarded video signal for each rece...
6919896System and method of optimizing graphics processing
A method and system for optimizing the processing of graphics is disclosed. The system may comprise at least one geometry processor and at least one graphics processor. A communication channel permits communication between the geometry and graphics processors. A con...
6919894Unified memory distributed across multiple nodes in a computer graphics system
A system is described that is broadly directed to a system of integrated circuit components. The system comprises a plurality of nodes that are interconnected by communication links. A random access memory (RAM) is connected to each node. At least one functional uni...
Sign InRegister
forgot password?
|
U.S. patents available from 1976 to present.
U.S. patent applications available from 2005 to present.
Icon_funbox Bizarre Patents
Patent No. 5926857
Armor With Rollers
An armor with rollers is provided that enables a user to move in all positions by rolling on a hard and smooth surface while constantly varying his bearing points on the ground.
Newsletter PatentStorm News
Make the Most of Our Site
See this month's Top Inventors and Most Cited Patents.
Registered users: Manage your profile.
Class 327/514 - Light
Definition: Subject matter wherein the external effect involves energy
No. of patents: 592
Last issue date: 11/19/2013
NumberTitleIssue Date
8587364Receiving circuit having a light receiving element which receives a light signal
According to one embodiment, a receiving circuit is provided. The receiving circuit has a first light receiving element, a signal voltage generator, a second light receiving element, a delay element and a comparator. The first light receiving element receives a ligh...
8525577Photoelectric conversion device, photoelectric conversion device material, photosensor and imaging device
A photoelectric conversion device comprising an electrically conductive film, an organic photoelectric conversion film, and a transparent electrically conductive film, wherein the organic photoelectric conversion film contains a compound represented by the following...
8358167Photo sensing unit and photo sensor thereof
A photo sensing unit used in a photo sensor includes a photo sensing transistor, a storage capacitor, and a switching transistor. The photo sensing transistor receives a light signal for inducing a photo current correspondingly, and a source and a gate thereof are r...
8188783Device and system for implementing optically sourced isolated switch elements
A power amplifier comprising a distributed signal pre-driver, an AM Modulation Driver and a Switch Power Supply driving optically-powered and optically-switched GaN-based switches which are stacked and operated in a complementary fashion and are amplitude modulated ...
8013660System and method for charge integration
An arrangement for charge integration comprises a charge-generating circuit (2) that provides a charge-dependent signal, and a coupling circuit (20) comprising a first and a second transistor (T1, T2). The first transistor (T1) can...
7420406Method and circuit arrangement for setting an initial value on a charge-storage element
A method is provided for setting an initial value on a charge-storage element. A circuit includes at least one charge-storage element with at least one signal node coupled to at least one reset circuit that is associated with the charge-storage element. A diode can ...
7402788Detector diodes with bias control loop
Methods and devices provide for a dynamic bias voltage control in detector photodiodes. The methods and systems use a bias control loop to make continuous detections of changes in the effective breakdown current of the detector photodiodes, thereby enabling the devi...
7376359Digital regulated light receive module and regulation method
The invention discloses a digital adjusting method for an optical receiver module, and the method implements real-time monitor of parameters, on-line adjustment and non-linear compensation. The digital optical receiver module includes elements as follow: a voltage o...
7369590Laser diode driving circuit
A disclosed laser diode driving circuit causes a laser diode to emit light by varying a current value of a current source in accordance with a control signal input externally and supplying a current that is the same as or proportional to the current value to the las...
7365718Light emitting element drive apparatus and portable apparatus using the same
A light emitting element drive apparatus capable of always outputting the lowest voltage satisfying the drive conditions and having a high light emitting efficiency and a low power loss, and a portable apparatus using the same, comprising a LED drive apparatus 10...
7365302Output impedance varying circuit
A photo detector IC (PDIC) is connected with a flexible printed circuit board (FPC). A signal converted into a voltage through light-to-voltage conversion in the PDIC is connected with the drain of a field effect transistor (FET), while the source of the FET is conn...
7362010Currents-sensing switching circuit
A current-sensing switching circuit includes a first terminal clamp for the current feed for a first unit, based on the state of a second unit the state of which is detected at a second terminal clamp. The first terminal clamp may be switched, based on the current t...
7359640Optical coupling device and method for bidirectional data communication over a common signal line
Optical coupling device operates over a bidirectional data link between at least first and second communicators, each communicating data along a common wire of the data link. The device includes at least first and second optical couplers, each including a photon flu...
7358475Solid-state imaging device and camera
A solid-state imaging device includes pixels 2 arranged two-dimensionally on a semiconductor substrate 1. In a predetermined area in each pixel is formed a light-sensitive area 3 for receiving incident light 11, and each pixel includes a ...
7351972Infrared radiation image having sub-pixelization and detector interdigitation
An infrared radiation (“IR”) focal plane array (“FPA”) imager includes a detector array chip containing pixels having substantially one-hundred percent operability. Each of the pixels contains a plurality of interdigitated sub-detectors, where the sub-detect...
7348826Composite field effect transistor
A composite field effect transistor, in accordance with one embodiment, includes a zener diode, a junction field effect transistor and a metal-oxide-semiconductor field effect transistor. A gate of the junction field effect transistor is coupled to an anode of the z...
7332971Multi-gigabit/s transimpedance amplifier for optical networks
A Gigabit/s transimpedance amplifier system includes a forward-path amplifier section with a very large bandwidth and an overall frequency-selective feedback section which is active only from DC to low frequencies. The forward-path of the amplifier comprises a regul...
7326947Current transfer ratio temperature coefficient compensation method and apparatus
An optocoupler system includes a buffer, isolation, and a detector. The system includes a current transfer ratio (CTR) with a temperature coefficient. The buffer includes a light source that generates light that passes through the isolation. A detector receives ligh...
7321735Optical down-converter using universal frequency translation technology
A method and system for converting an optical signal to electrical information signals, including demodulated baseband information signals and modulated baseband signals at multiple harmonics. In an embodiment, the optical information signal is amplitude modulated w...
7319232Apparatus and method for high-bandwidth opto-coupler interface
An opto-coupler interface is provided. The opto-coupler interface includes a current mirror and a resistor. The opto-coupler interface is arranged such that a relatively fixed voltage is provided across the photodetector. At one end of the photodetector, the voltage...
7319220Trans-impedance amplifier with offset current
A trans-impedance amplifier receives an input current and is operable to generate an output voltage responsive to the input current. The amplifier is responsive to an increased range of input currents and has a wide bandwidth. The amplifier includes an input stage h...
7304418Light source apparatus with light-emitting chip which generates light and heat
A light source apparatus includes a light emitting chip which generates light and heat when energized via a first electrode and a second electrode, wherein the first electrode is a base on which the light emitting chip is directly packaged. ...
7282692Light receiving method of an avalanche photodiode and a bias control circuit of the same
The present invention provides a method to maintain a multiplication factor of an avalanche photodiode independent on temperatures without additional devices. The light-receiving apparatus of the invention includes an avalanche photodiode (APD), a dividing circuit, ...
7276684High gain photo cell with improved pulsed light operation
A photocell system includes a current control circuit that provides an offset voltage. Each photocell in a photocell array includes an opto-electrical converter receives the offset voltage such that the opto-electrical converter establishes a DC operating point. In ...
7271642Charge pump drive circuit for a light emitting diode
Through operated alternately between a charging phase and a discharging phase, a charge pump converts an input voltage source into a drive voltage for being supplied to a light emitting diode. A current setting unit determines a reference current. A current regulati...
7259363Circuit arrangement and methods for a remote control receiver having a photodiode
A control unit (2) of a remote control receiver sets the forward or reverse direction operating mode of the photodiode (1) as a function of the useful signal level of its output signal, and to be precise, during standby, the photovoltaic operating mode...
7253391Optical sensor device and electronic apparatus
In an optical sensor device employing an amorphous silicon photodiode, an external amplifier IC and the like are required due to low current capacity of the sensor element in order to improve the load driving capacity. It leads to increase in cost and mounting space...
7253393Control of a photosensitive cell
A method for controlling a photosensitive cell including a photodiode connected to a read node via a MOS transfer transistor, the read node being connected to a source of a reference voltage via a MOS reset transistor, cyclically including a waiting phase at the end...
7227120Area monitoring multi-beam photoelectric sensor
A multi-beam photoelectric sensor is disclosed which can be fabricated by selecting the length of a light projection/light-receiving columnar member and the number and pitches of optical axes in accordance with the width of a hazardous area of an object or the diame...
7217982Photodiode having voltage tunable spectral response
A photodetector (10) includes a substrate (12) having a surface; a first layer (14) of semiconductor material that is disposed above the surface, the first layer containing a first dopant at a first concentration for having a first type of elect...
7215369Compact pixel reset circuits using reversed current readout
Compact CMOS pixel sensors containing three or four total transistors and four or five control lines provide a high percentage of sensor area for the photodiode that measures light intensity. The CMOS pixel sensors thus have good light sensitivity. The CMOS pixel se...
7214924Light-receiving method of an avalanche photodiode and a bias control circuit of the same
7206521Signal level detecting device for a burst-mode optical receiver
In an optical receiver having a pre-amplifier for converting a current signal outputted from an optical detector to a voltage signal, a signal level detecting device is provided to provide an LOS (loss of signal) signal and a reset signal from the output of the pre-...
7196307Optical sensor, method of reading optical sensor, matrix-type optical sensor circuit, and electronic apparatus
An optical sensor is provided corresponding to a scanning line and a reading line. The optical sensor includes a light-receiving element, a current flowing between both terminals thereof being changed according to the amount of incident light and a transistor whose ...
7190454Automatic power controller
An automatic power controller includes a photo detector for detecting the output power of the laser light source and generating a detection signal, a comparator for comparing the detection signal with a reference signal and outputting a comparison signal, a signal s...
7176755Transistor-based interface circuitry
Among the embodiments of the present invention is an apparatus that includes a transistor, a servo device, and a current source. The servo device is operable to provide a common base mode of operation of the transistor by maintaining an approximately constant voltag...
7164114Digital pixel sensor with clock count output and operating method thereof
A digital pixel sensor, comprising a first switch coupled between a first voltage and a first node, turned on or off by a rest signal to provide a first voltage to the first node when turned on; a light sensing unit coupled to the first node generating a transformat...
7158729Optical receiving device
Provided is an optical receiving device which can achieve a wide dynamic range while keeping a constant extinction ratio against the changes in the input amplitude. A signal current of a light receiving element is converted to a signal voltage by an amplifier and th...
7141814Input circuit
An input circuit has a first current-limiting resistor, a second current-limiting resistor, and an AC-input photocoupler. The photocoupler has an input terminal connected to a first external terminal and another input terminal connected to a positive electrode throu...
7135669Low-level light detector and low-level light imaging apparatus
A low-level light detector includes an avalanche photodiode (APD) to which is applied a bias voltage adjusted to produce a multiplication factor of not more than 30, and a capacitor for accumulating carriers produced by light in the APD and multiplied using the APD ...
Sign InRegister
forgot password?
|
Question for Metal Gear Solid 3: Snake Eater
.:SnAkE:. asks: Added Apr 1st 2005, ID #24838
Question for Metal Gear Solid 3: Snake Eater
I have defeated ALL the bosses with the tranquilizer gun and got all their camos but can anyone tell me how you use the stealth on the fears camo(the spider camo that drains your stamina) and get
Add your answer
Answers for this Question
Z Warrior answered: Added 1st Apr 2005, ID #43667
To get the Stealth Camo, kill all 64 frogs and get no enemy alerts.
never_play_easy answered: Added 21st Apr 2005, ID #48389
Ok, people/players not this is THE CORRECT ANSWER!!! use the stealth camo and correct face paint (matching your surroundings) you should have 85+ camo.
Note that is during pushed against walls or laying on the gound/proned.
You might have 70+ standing and make sure no gaurds are in the area (walking in your direction) keep running a fair distance so if they see you just keep running and they won't bother (uses up stamina and doesnt work with no stamina left.
Add your answer
BB Codes Guide
Accept submission terms View Terms
You are not registered / logged in.
Who's Playing
Game Guide
Game Talk
Have a question?
|
Naming of Kentucky Hoops Dorm Creates Stir
Donors want the word "coal" included somewhere in the dorm's title.
A group of wealthy donors wants to give the University of Kentucky $7 million to build a dorm for the school's basketball team, which is widely considered one of the top teams entering the 2009-2010 college basketball season. But there's one caveat: The dorm's name must include the word "coal" somewhere in its title.
That stipulation by the group called Difference Makers has caused controversy on the Lexington campus, the Kentucky Kernel reports.
"My opinion is pretty much that coal has been a foundation of Kentucky's economy for many decades, and it's going to be the foundation for many decades to come," says Stephen Gardner, chairman of the UK Mining and Energy Foundation. "Coal research is very important to UK. All of the colleges do a lot of research into coal, and coal supplies a lot of the money for the research."
Opponents of including "coal" in the dormitory's title say that the school would be selling out to the coal industry. Martin Mudd, a UK student and member of Kentuckians for the Commonwealth, tells the Kernel that the university shouldn't allow a free advertisement for the coal industry on its campus.
"My personal opinion is that the University of Kentucky has to choose whether it's going to be a friend of big coal or a friend of Kentucky and Kentuckians," Mudd tells the Kernel. "With this announcement, it's clear what the administration feels about that, but I don't think that that view represents everybody on this campus."
• Searching for a college? Get our complete rankings of America's Best Colleges.
|
Death knight abilities
99,921pages on
this wiki
Death Knight abilities use either runes (as part of the rune system) or runic power and are divided into the trees of Frost, Blood, and Unholy.
Core abilities Edit
Blood Strike TCG
Blood Strike
Death Coil
Death Grip TCG
Death Grip
*Quest rewarded abilities.
Icon Ability Min Level
Spell deathknight deathstrike [Blood Strike] Starts with
Spell shadow deathcoil [Death Coil] Starts with
Spell deathknight strangulate [Death Grip] Starts with
Spell deathknight frostpresence [Frost Presence] Starts with
Spell deathknight icetouch [Icy Touch] Starts with
Spell deathknight empowerruneblade [Plague Strike] Starts with
Spell deathknight summondeathcharger [Acherus Deathcharger] 55*
Spell arcane teleportundercity [Death Gate] 55*
Spell deathknight butcher2 [Death Strike] 56
Spell deathknight bloodboil [Blood Boil] 56
Spell shadow plaguecloud [Pestilence] 56
Spell shadow animatedead [Raise Dead] 56
Spell deathknight bloodpresence [Blood Presence] 57
Spell deathknight mindfreeze [Mind Freeze] 57
Spell frost chainsofice [Chains of Ice] 58
Icon Ability Min Level
Spell shadow soulleech 3 [Strangulate] 58
Spell shadow deathanddecay [Death and Decay] 60
Ability mount undeadhorse [On a Pale Horse] 61
Spell deathknight iceboundfortitude [Icebound Fortitude] 62
Inv misc horn 02 [Horn of Winter] 65
Spell deathknight pathoffrost [Path of Frost] 66
Spell shadow antimagicshell [Anti-Magic Shell] 68
Inv misc bone skull 01 [Control Undead] 69
Spell deathknight unholypresence [Unholy Presence] 70
Spell shadow deadofnight [Raise Ally] 72
Inv sword 62 [Empower Rune Weapon] 76
Spell deathknight armyofthedead [Army of the Dead] 80
Spell deathvortex [Outbreak] 81
Inv axe 96 [Necrotic Strike] 83
Spell holy consumemagic [Dark Simulacrum] 85
Ability deathknight soulreaper [Soul Reaper] 87
Glyph-taught Edit
Corpse Explosion
Icon Ability Source
Spell shadow corpseexplode [Corpse Explosion] Glyph of Corpse Explosion
Abilities by cost Edit
Note that talents are no longer tied to specializations.
Free abilities (no rune or runic power cost)
Untalented Talented Blood Unholy
Single rune abilities
Rune Blood Blood Frost Frost Unholy Unholy
Core abilities
Multi-rune abilities
FrostUnholy Frost + Unholy BloodFrostUnholy Blood + Frost + Unholy BloodFrost Blood + Frost
Runic Power abilities
Untalented Talented Blood Frost Unholy
Abilities from previous games Edit
These are death knight abilities seen in previous Warcraft games. Some may not have yet appeared on the hero class, and some may appear but with a new name or different effect.
• Alabaster Skin (RPG) - the death knight’s skin hardens and grows pale, resembling marble or alabaster. (His hair also develops streaks of white, and some death knights’ hair goes completely white as they progress in power. The new skin is slightly tougher than previous flesh.
• Contagion (RPG) - the death knight gains the ability to inflict disease upon a touched target. May have similar effect as Death and Decay but on a single target.
• Dark Grace (RPG) - Death knight gets out of dangerious situations more often. Too vague, might be represented by more spesific abilities like Lichborne, Icebound Fortitude and Unbreakable Armor
• Death and Decay (death knight) (WC2, WC3, & Wrath) - deals area of effect damage and is channeled (WC2). Ability found on lich (WC3).
• Death Coil (Death Knight) (WC2, WC3, RPG, & Wrath) - kills target unit, damages a neighboring unit and/or heals the caster (WC2). Damage an enemy non-undead unit, or heal a friendly undead unit (WC3 and Wrath). Does damage to living and heals undead (RPG).
• Death Pact (WC3, RPG, & Wrath)- Kill a friendly undead unit to restore the Death Knight's health (WC3).
• Unholy Armor (WC2) - lowers target unit's HP and grants it temporary invincibility. Similar to Hysteria.
• Raise Dead (WC2 & Wrath) - raises skeletons from corpses (WC2).
• Haste (WC2) - temporarily increases movement speed of target
• Whirlwind (WC2) -summons a whirlwind that moves around randomly to deal AoE damage
• Unholy Aura (WC3 & RPG) - Increase the movement speed and health regeneration of nearby friendly units (passive).(WC3) a death knight may project an aura in a 10-foot radius that will heal damage to any undead controlled by the death knight and/or to those of evil alignment allied to the death knight, divided among those in the area of the aura’s effect as chosen by the death knight. The death knight can also heal himself. Those of good alignment take damage instead (RPG)... May be similar to Unholy Presence.
• Animate Dead (WC3) - Raise up to six nearby dead units to fight for the Death Knight for forty seconds. Similar to Army of the Dead.
• True Evil (RPG) - Death knights are immune to attempts to alter their alignment magically. Holy weapons and spells that specifically target those of evil alignment (such as holy smite), however, do 1.5 times their normal damage to death knights.
• Undead Minions (RPG) - the death knight may summon the dead to fight alongside him in combat. Similar to Raise Dead and Army of the Dead, and the RPG's animate dead or create undead. It allows the death knight to cast either animated undead or create undead.
• Crumbling Vessel (Hysteria) (RPG) - As he continues to embrace the darkness, the life force of the death knight ebbs as it is focused into strengthening and maintaining his physical form. His Constitution modifier is now added as a profane bonus to his Armor Class.
• Life Stealing (Vendetta/Butchery) (RPG) - a death knight discovers how to leech the life force of those he slays in combat. For each living creature he kills, the death knight recovers energy.
• Greater Death Coil (RPG) - Greater Death Coil does more damage than regular Death Coil & heals undead for more health.
• Undying (RPG) - the death knight becomes immune to all death spells and magical death effects. This immunity does not protect the death knight from other sorts of attacks such as hit point loss, poison, petrification or other effects even if they might be lethal.
Advertisement | Your ad here
Around Wikia's network
Random Wiki
|
Prologue: First Blood
Killin 's easy.
It's been a part of my life for so long, I can't remember a time when my hands weren't dirty from it. Then again I got a problem rememberin' much in the first place.
But ya always remember that first one. That first time yer soul's been tainted. A little bit of ya becomes alive for the first time as well as a piece of ya, that little sliver of innocence ya tried to hold on to that dies.
At first ya become disillusioned; believing there has to be another way. That maybe this jerk in front of ya probably has a wife and kids somewhere and who are you to play god?
That's the fear talking, the inexperience... And it's a sure fuckin' way to get killed.
The only true way I've found is simple. That it ain't you who's playing god, but God who placed him in yer path. There ain't no good or evil, just shitty luck that placed the two of ya in the same room.
It gets easier after that. Or maybe it just was for me.
Sometimes I'd wonder why it's so easy fer me, that the strikes seemed almost natural, like I've done nothing but it. But that becomes dangerous. To think, to allow a brief hesitation still yer hand. They always coin the phrase, 'mindless killer,' but if ya ask me, not thinkin' 'bout it is what gets you through the night.
Like I said, killin' 's easy. It can be almost second nature if ya let it. But livin'…
Now living, that's the real bitch…
|
Lesson 24: “Be Not Deceived, but Continue in Steadfastness”
Doctrine and Covenants and Church History: Gospel Doctrine Teacher’s Manual, (1999), 134–39
To help class members understand how they can avoid deception and apostasy.
1. 1.
Prayerfully study Doctrine and Covenants 26; 28; 43:1–7; 50; 52:14–19; and the other scriptures in this lesson.
2. 2.
3. 3.
Obtain a chart of the current General Authorities from a recent conference issue of a Church magazine.
4. 4.
You may want to assign class members to present the stories in the first section of the lesson. Give them copies of the stories in advance.
Suggestions for Lesson Development
Attention Activity
Write the following phrases on the chalkboard:
• A pint of cream
• A misspelled name
• No available seating at the Kirtland Temple dedication
Tell class members that these phrases all have something in common. They are all reasons given by early Church members for their apostasy from the Church.
Explain that today’s lesson discusses how to avoid individual apostasy. These phrases and the stories that go with them will be explained later in the lesson.
Discussion and Application
Prayerfully select the lesson material that will best meet class members’ needs. Discuss how the selected material applies to daily life.
1. We should recognize the deceptions of Satan that can lead us into apostasy.
Explain that during the early years of the Church, some members were deceived by Satan and led into apostasy, or rebellion against God. A few members who apostatized became enemies of the Church and contributed to the persecutions of the Saints in Ohio and Missouri. As members of the Church today, we must be faithful and watchful so we are not deceived.
• Read D&C 50:2–3 and 2 Nephi 2:18, 27 with class members. Why does Satan want to deceive us? What are some of the ways in which Satan tries to deceive us and lead us into apostasy? (Use the following information to discuss or add to class members’ responses. Write the headings on the chalkboard.)
Not recognizing the prophet as the source of revelation for the Church
Some members are deceived by false prophets. The following account shows how several early Saints were temporarily deceived by false revelations.
In 1830, Hiram Page, one of the Eight Witnesses to the Book of Mormon, possessed a stone through which he claimed to receive revelations about the building of Zion and the order of the Church. Oliver Cowdery, the Whitmers, and others believed these claims. However, the Prophet Joseph Smith said the claims “were entirely at variance with the order of God’s house, as laid down in the New Testament, as well as in our late revelations” (History of the Church, 1:110).
The Prophet prayed about the matter and received a revelation in which the Lord made clear that only the President of the Church has the right to receive revelations for the Church (D&C 28). The Lord instructed Oliver Cowdery to tell Hiram Page that the revelations that came through the stone were from Satan (D&C 28:11). After hearing the Lord’s instructions, “Brother Page, as well as the whole Church who were present, renounced the said stone, and all things connected therewith” (History of the Church, 1:115).
Some members are deceived because of their pride. The following story illustrates how pride led Thomas B. Marsh, who was President of the Quorum of the Twelve, and his wife, Elizabeth, into apostasy.
After 19 years of darkness and bitterness, Thomas B. Marsh painfully made his way to the Salt Lake Valley and asked Brigham Young to forgive him and permit his rebaptism into the Church. He wrote to Heber C. Kimball, First Counselor in the First Presidency: “I began to awake to a sense of my situation; … I know that I have sinned against Heaven and in thy sight.” He then described the lesson he had learned: “The Lord could get along very well without me and He has lost nothing by my falling out of the ranks; But O what have I lost?! Riches, greater riches than all this world or many planets like this could afford” (quoted by James E. Faust, in Conference Report, Apr. 1996, 6; or Ensign, May 1996, 7).
• What can we learn from this story? How have you seen pride lead people into deception and apostasy? What does the Lord promise to those who humble themselves before Him? (See D&C 112:2–3, 10; Ether 12:27. Note that D&C 112 is a revelation given to Thomas B. Marsh through the Prophet Joseph Smith.)
Being critical of leaders’ imperfections
Some members are deceived because they become critical of Church leaders’ imperfections. The following story illustrates how Simonds Ryder was deceived in this way.
Simonds Ryder was converted to the Church in 1831. Later he received a letter signed by the Prophet Joseph Smith and Sidney Rigdon, informing him that it was the Lord’s will, made manifest by the Spirit, that he preach the gospel. Both in the letter he received and in the official commission to preach, his name was spelled Rider instead of Ryder. Simonds Ryder “thought if the ‘Spirit’ through which he had been called to preach could err in the matter of spelling his name, it might have erred in calling him to the ministry as well; or, in other words, he was led to doubt if he were called at all by the Spirit of God, because of the error in spelling his name!” (History of the Church, 1:261). Simonds Ryder later apostatized from the Church.
• What can we learn from this story? How does being critical of our Church leaders make us more susceptible to deception?
Being offended
Some Church members become offended by the actions of other members and allow an offense to fester until they are led into apostasy. An example of this is illustrated in the following incident.
When the Kirtland Temple was completed, many Saints gathered for the dedication. The seats in the temple filled quickly, and many people were allowed to stand, but still not everyone could be accommodated inside the building. Elder Frazier Eaton, who had given $700 for the building of the temple, arrived after it had been filled, so he was not allowed inside for the dedication. The dedication was repeated the next day for those who could not be accommodated the first day, but this did not satisfy Frazier Eaton, and he apostatized. (See George A. Smith, in Journal of Discourses, 11:9.)
• What can we learn from this story? How do we today allow ourselves to be offended by others? How can being offended lead to apostasy? How can we overcome feelings of being offended?
• Read D&C 64:8–11 and D&C 82:1 with class members. Whom does the Lord require us to forgive? Why is it sometimes difficult to be forgiving? What are some of the consequences of not forgiving someone? What can we do to help us forgive someone whom we have not yet forgiven?
Rationalizing disobedience
Rationalizing is excusing or defending unacceptable behavior. It is looking for a way to ease our consciences for doing something we know is wrong.
• How is rationalization a form of deception? How do we sometimes try to rationalize our behavior? Why is this dangerous? How can we recognize and overcome rationalization?
Accepting the false teachings of the world
• What are some of the false teachings of the world that can deceive members and lead them into apostasy? (Examples could include the false ideas that the commandments of God are too restrictive, that immorality is acceptable, and that material possessions are more important than spiritual things.)
Presiding Bishop H. David Burton taught: “One of [Satan’s] insidious strategies is to progressively soften our senses regarding what is right and wrong. Satan would have us convinced that it is fashionable to lie and cheat. He encourages us to view pornography by suggesting that it prepares us for the real world. He would have us believe that immorality is an attractive way of life and that obedience to the commandments of our Father in Heaven is old-fashioned. Satan constantly bombards us with deceptive propaganda desirably packaged and carefully disguised” (in Conference Report, Apr. 1993, 60; or Ensign, May 1993, 46).
2. We can remain valiant in our testimonies and avoid deception.
Explain that the Lord has given us many blessings and commandments to help us remain valiant in our testimonies and avoid being deceived.
• What can we do to keep ourselves from being deceived and led into apostasy? (Use the following information to develop this discussion.)
We can know clearly whom the Lord has called to lead the Church
• During the early years of the Church, many people claimed to receive revelations to guide the Church or correct the Prophet Joseph Smith. What did the Lord reveal in response to these claims? (See D&C 28:2, 6–7; 43:1–3. Point out that D&C 28 was revealed when Hiram Page claimed to receive revelations for the entire Church, and D&C 43 was revealed when others made similar claims.)
• Who receives revelations and commandments for the entire Church today?
President Joseph F. Smith and his counselors in the First Presidency taught: “The Lord has … appointed one man at a time on the earth to hold the keys of revelation to the entire body of the Church in all its organizations, authorities, ordinances and doctrines. The spirit of revelation is bestowed upon all its members for the benefit and enlightenment of each individual receiving its inspiration, and according to the sphere in which he or she is called to labor. But for the entire Church, he who stands at the head is alone appointed to receive revelations by way of commandment and as the end of controversy” (in James R. Clark, comp., Messages of the First Presidency of The Church of Jesus Christ of Latter-day Saints, 6 vols. [1965–75], 4:270).
• How can we avoid being deceived by those who claim falsely to have received revelation for the Church? (See D&C 43:4–7.)
• Read D&C 26:2 and D&C 28:13 with class members. What is the principle of common consent? (See D&C 20:65; 42:11. It is the practice of showing that we are willing to sustain those who are called to serve in the Church, usually by raising our right hands.) How can the principle of common consent protect us from being deceived? (It allows us to know who has been called to preside and administer in the Church, thus keeping us from being deceived by the claims of those who have not been properly called.)
Display a chart of current General Authorities (see “Preparation,” item 3). Emphasize the blessing we have of sustaining these leaders and following their counsel.
We should study the scriptures and the doctrines of the Church
• Read D&C 1:37 and D&C 33:16 with class members. Explain that throughout the Doctrine and Covenants, the Lord teaches the importance of studying the scriptures. How can studying the scriptures and the words of latter-day prophets help us avoid being deceived? (Answers could include those listed below.)
1. a.
We can better discern the truthfulness of ideas by comparing them with the truths we learn from the scriptures and our current leaders.
President Harold B. Lee taught: “If [someone] writes something or speaks something that goes beyond anything that you can find in the standard Church works, unless that one be the prophet, seer, and revelator—please note that one exception—you may immediately say, ‘Well, that is his own idea.’ And if he says something that contradicts what is found in the standard Church works, you may know by that same token that it is false” (The Teachings of Harold B. Lee, ed. Clyde J. Williams [1996], 540–41).
2. b.
Scripture study strengthens our testimonies so we are less likely to become complacent in righteousness or to be influenced by false doctrine.
President Lee taught, “If we’re not reading the scriptures daily, our testimonies are growing thinner, our spirituality isn’t increasing in depth” (The Teachings of Harold B. Lee, 152).
• How has studying the scriptures protected you from being deceived?
We should recognize that the things of God will always edify us
The Prophet Joseph Smith explained that soon after the Saints were settled in Kirtland, “many false spirits were introduced, many strange visions were seen, and wild, enthusiastic notions were entertained; men ran out of doors under the influence of this spirit, and some of them got upon the stumps of trees and shouted, and all kinds of extravagances were entered into by them; … many ridiculous things were entered into, calculated to bring disgrace upon the Church of God, to cause the Spirit of God to be withdrawn” (History of the Church, 4:580). Concerned by these excessive spiritual displays, the Prophet inquired of the Lord. The revelation in D&C 50 is the Lord’s response.
• Read D&C 50:17–24 with class members. What do these verses teach about how we can discern the things of God from the things of Satan? (The things of God will edify us by enlightening our minds and helping us grow spiritually. They make us want to follow the Savior and improve our lives. The things of Satan will do the opposite.)
President Joseph Fielding Smith taught: “There is no saying of greater truth than ‘that which doth not edify is not of God.’ And that which is not of God is darkness, it matters not whether it comes in the guise of religion, ethics, philosophy or revelation. No revelation from God will fail to edify” (Church History and Modern Revelation, 2 vols. [1953], 1:201–2).
We should apply the Lord’s pattern for protecting ourselves from being deceived
The Lord revealed D&C 52 the day after a conference in Kirtland. In this revelation He provides a pattern by which we can avoid being deceived.
• Read D&C 52:14–19 with class members. According to these verses, what are the characteristics of teachers who are “of God”? How can the pattern that is given in this passage help us avoid being deceived?
Review the deceptions of Satan that can lead to apostasy. Review the counsel the Lord has given for protecting ourselves from deception. Emphasize that as we follow this counsel, the Spirit of the Lord will keep us in the way of truth. As prompted by the Spirit, testify of the truths discussed during the lesson.
Additional Teaching Ideas
1. Activity to introduce the first section of the lesson
Prepare a note for each class member. Each note could contain a short message of appreciation or an assignment to read a scripture in class or to participate in some other way. However, spell each person’s name wrong in some small way. Distribute the notes at the beginning of the first section of the lesson to introduce the story of Simonds Ryder and the other stories in that section.
2. Additional counsel about how to strengthen ourselves against apostasy
Elder Carlos E. Asay of the Seventy specified the following things we can do to strengthen ourselves against apostasy:
1. “1.
Avoid those who would tear down your faith. …
2. “2.
Keep the commandments. …
3. “3.
Follow the living prophets. …
4. “4.
Do not contend or debate over points of doctrine. [See 3 Nephi 11:29.]
5. “5.
Search the scriptures. …
6. “6.
Do not be swayed or diverted from the mission of the Church. …
7. “7.
Pray for your enemies. …
8. “8.
Practice ‘pure religion.’ [See James 1:27 and Alma 1:30. …
9. “9.
Remember that there may be many questions for which we have no answers and that some things have to be accepted simply on faith” (in Conference Report, Oct. 1981, 93–94; or Ensign, Nov. 1981, 67–68).
|
Overbooking Function Space
If the function space authorization level has been reached, the user can choose to overbook the function space, overriding the authorization level. The function space can be overbooked as many times as allowed by the overbook limit. The overbook limit is entered as part of the inventory control setup.
If the function space is available because of a cancellation, then the function space is reserved. However, if the function space is still not available, then the inventory status is changed to Overbooked. A new availability check is launched each time the user clicks Overbook. If the function space becomes available, then the overbooked function automatically becomes reserved.
NOTE: If an optioned and overbooked function exist and function space become available, the overbooked function receives first priority.
|
Temperance (Scotland) Act 1913
From Wikipedia, the free encyclopedia
Jump to: navigation, search
The Temperance (Scotland) Act 1913 is an Act of the Parliament of the United Kingdom under which voters in small local areas in Scotland were enabled to hold a poll to vote on whether their area remained "wet" or went "dry" (that is, whether alcoholic drinks should be permitted or prohibited). The decision was made on a simple majority of votes cast.
The Act was a result of the strong temperance movement in Scotland before the First World War. Brewers and publicans formed defence committees to fight temperance propaganda, and publicans became unwilling to spend money on improvements to their premises in case the district went "dry". The Act was superseded by the Licensing (Scotland) Act 1959 which incorporated the same provisions as the 1913 Act and consolidated Scottish licensing law. These provisions and the local polls were abolished by the Licensing (Scotland) Act 1976.
There was resistance from the House of Lords to the passing of the Act, leading to threats to use the (relatively new) Parliament Act 1911 to pass it. In the end, these threats pressured the Lords to pass the act.
1920 Referendum[edit]
The first opportunity to petition for a poll on local prohibition was in June 1920. In order for a poll to be called, there had to be a petition signed by 10% of the registered voters in a burgh, parish or ward.[1] The first batch of polls were then held alongside municipal elections in November and December, the first being in Glasgow on 2 November.[2]
The conditions required to prohibit the sale of alcohol in an area were strict. Three options appeared on the poll: no change, a 25% reduction in licenses to sell alcohol, and the abolition of all existing licenses. In order for prohibition to be implemented, that option required the support of at least 55% support of voters, and at least 35% of everyone registered to vote in the constituency. However, if this option was not successful, all votes for "no license" would be counted towards the 25% reduction tally.[1] The prohibition was also limited. There was no proscription of the manufacture of alcoholic beverages, nor of their wholesale, or their consumption in private. Local authorities were still permitted to license hotels and restaurants, providing that alcohol was only consumed with a meal.[1]
Although temperance campaigners initially hoped to hold polls in at least 1,000 of the 1,200 licensing districts of Scotland,[1] ultimately there were 584 successful petitions.[3] By the end of polling, in late December, 60% of votes had been cast for "no change", 38% for "no license", and 2% for the reduction of licenses.[4] About 40 districts voted in favour of prohibition, including Airdrie, Cambuslang, Kilsyth, Kirkintilloch, Parkinch, Stewarton and Whitehead.[5] Glasgow was a particular target for the prohibitionists. At the 1920 poll, a majority of voters plumped for "no license" in eleven wards, but due to the turnout and supermajority requirements, it was only successful in four.[2]
Repeal attempts[edit]
In many newly dry districts, new polls were sponsored by licensees at the earliest possibility, three years later.[5] 257 polls were held, in total, the majority being a second attempt at prohibition. The next big wave came in 1927, when 113 were held,[3] following which, prohibition remained in place in only seventeen wards.[5] Among these was Lerwick, where alcohol remained prohibited until 1947.[6]
Between 1913 and 1965 1,131 polls were held under the Act and the same provisions in the 1959 Act, with the vast majority (1,079) held before 1930.[7] The holding of votes continued to tail off during the 1930s and 40s. By 1970, there were still sixteen districts with prohibition, but just one or two new polls held annually.[3]
1. ^ a b c d "Temperance Reform: Local Poll in Scotland", The Age, 6 November 1920
2. ^ a b "Worldwide Movement: Comprehensive Address", Ashburton Guardian, 12 March 1921
3. ^ a b c "Veto polls: the constant threat to licensees", Glasgow Herald, 7 December 1970
4. ^ "Local option: how Scotland voted", Sydney Morning Herald
5. ^ a b c Callum G. Brown, Religion and society in Scotland since 1707, p.146
6. ^ Callum G. Brown, Up-helly-aa: custom, culture, and community in Shetland, p.169
7. ^ http://hansard.millbanksystems.com/written_answers/1965/dec/15/temperance-polls#S5CV0722P0_19651215_CWA_127
|
Take the 2-minute tour ×
Possible Duplicate:
I fought a gold colored zombie dubbed 'Nightmarish' in its qualities bar.
What does Nightmarish mean? What other qualities excist and what do they mean?
share|improve this question
Def a dupe. I will vote to delete when the minimum time is up. – Ender May 15 '12 at 11:43
add comment
marked as duplicate by Oak May 15 '12 at 11:31
1 Answer
up vote 0 down vote accepted
It is abilities the monsters can have, the harder the difficulty the more it can have and some are only available on harder difficulties. A list can be found here.
Nightmarish is a boss modifier in Diablo III. This is another utility modifier that allows the boss to cast the Witch Doctor's Horrify spell, which sends the player running around in random directions for a short duration under the fear effect. While, like the fast modifier, it isn't very dangerous on its own, it has the potential to scale in effectiveness with other boss mods such as molten.
share|improve this answer
add comment
|
Gallery: Fukushima Nuclear Reactor Soars to 45 Degrees Celsius as Crisi...
Japan’s Fukushima nuclear power plant crisis was one of the most severe environmental disasters of the past year – and now it appears that it’s far from over, as the temperature at reactor number 2 just soared up 26.7 degrees Celsius in the past few hours. The news comes soon after Japan announced an official “cold shutdown” of the damaged plant, and authorities have announced that they no idea why the temperature is increasing.
In the wake of the devastating tsunami that swept over the north-east of the Japan, the Fukushima nuclear plant experienced a meltdown with radiation levels that eclipsed Chernobyl. The reactor was stabilized in December at 113 degrees Fahrenheit (45 degrees Celsius) after a titanic ten month struggle by emergency services, but over the last few hours, this has soared to 64 degrees Fahrenheit (17 degrees Celsius). In a statement from Tepco, the company that own the plant, the situation is that: “Temperature indicates approx. 71.0 °C (as of 11:00 am on February 6). We will monitor it continuously.”
Tepco has admitted that they don’t have a clue about what is going on, but they have increased the amount of water pumped into the reactor by 10%. What is clear is that the aftermath of the epic magnitude 9 earthquake is still being felt almost a year later. The plant’s soaring temperature means that the population’s health is still at risk, and the disaster zone could become even worse.
+ Tepco
Via Gizmodo
Photos © jetaloneAnosmia
or your inhabitat account below
Let's make sure you're a real person:
get the free Inhabitat newsletter
Submit this form
popular today
all time
most commented
more popular stories >
more popular stories >
more popular stories >
Where are you located?
|
Seeking Alpha
Seeking Alpha Portfolio App for iPad
Long only, value, special situations, newsletter provider
Profile| Send Message| (148)
In March of 2011 CommerceTel Corporation, now Mobivity (OTC:MFON), acquired what may be a key patent in the telecommunications and internet sector. The patent covers a system for using telephone numbers as a key to address email and online content without the use of a lookup database. The system uses a phone number to access a website, or an email address, in exactly the same way it is used to dial a telephone. As phone numbers, via texting, have become a key element of mobile marketing and customer loyalty programs with database retention involved, U.S. Patent number 6,788,769 B1 may position the Arizona firm with a piece of highly relevant intellectual property (IP).
Along with the telephone number keyed addressing, the patent details the use of application-based directory systems utilizing telephone-keyed addressing to bridge between the existing numbers and addresses of any of the owner's communications devices.
A look at how major technology firms such as Apple (AAPL), Microsoft (MSFT), and Google (GOOG) are using this type of technology, brings to light a very significant possibility that Mobvity may be sitting on a very relevant, powerful, and valuable piece of intellectual property. How this plays out in terms of benefiting the Arizona firm depends on how management exercises its options in the future. Regardless, the company is building an impressive list of clients in niche industries and adding strong revenue numbers as the quarters move along. Mobivity is a $6 to $7 million dollar Market Cap firm, barely trading one and a half times the revenue, a good definition of a ground floor opportunity for investors.
A look at how other powerful industry firms are using like technology provides an indication of some value. Google Voice provides users with one number for all phones; essentially a phone number that is tied to an individual, not a device or a specific location as with previous telecom-like systems. Google PR would tell you it's a simple way for consumers and business to use phones, access voicemail, email, customize calls, etc. To be clear, Google's voice is not a specific phone service, but more of a management system that runs on all types of phones, mobile and desk type, VoIP etc. It is conceivable that this management system uses proprietary routing technology, not developed by Google, in order to function and reach all devices. Specifically, the product uses smart technology to route these calls to the multiple devices users opt into their network of devices. Taking a look at Apple's recent iOS release, the system enables the user to now have their text messages routed. Messages route over iMessenger so if someone sends another user a text, and that user is on iMessenger, and has a phone number registered with a iMessenger account, that text message will show up on any Apple client device that is using iMessenger such as a laptop, iPad, and iPhone. Users can receive these text messages to all of the devices, as well as, being able to send text messages out to phone numbers from any of those devices.
Microsoft is reportedly using this same type of technology in Windows Mobile versions and has cited the patent frequently in its IP filings.
Some evidence of how important this patent may be could be how others in the industry cite it in subsequent patent filings according to CEO Dennis Becker. Patent number 6,788,769 B1 reportedly has upwards of 60 some odd subsequent patents that cite it. Some of the firms include Microsoft (over 20) Facebook (FB) (19), AOL (AOL)(7), Verizon (VZ) and on and on.
The convergence of phone number information in an internet address is essential in how systems like this work and are managed. When an individual sends a text message to another person's phone number and it routes to a destination such as a computer, which does not have a phone number, but rather an internet address , smart technology has to intercede to assist that phone number to load up the internet address or vice versa. That patented smart technology provides for the novel directory system and that directory system is essential with any telecommunications transaction because a phone number does not provide for where the destination is or that contact end point.
Reportedly companies like Apple, Google, and much of the telecommunications industry as a whole, route information in this manner using patented technology to do so. Keeping an eye on, and developing an understanding of what large players in industry are producing with key technology, can provide insights into small cap opportunities as often their IP assets will surface in time.
Mobivity's 52wk Range is $0.20--$1.50, almost nowhere to go but the obvious as a trickle of goods news about partnerships and new contracts continues to flow. It seems clear that management is opting the route of building on their IP assets rather than chasing others with litigation who appear to using their technology. The constant citing of their patent may build into a great value later. Management is building a business one contract and strategic agreement at a time and expanding their user base and reach in multiple industries. While this does not represent a quick path to riches, it does represent a solid path to a good company and a long game.
Mobivity CEO Dennis Becker was interviewed in January of 2013, and he reflects on the IP issue, and long term plans of company building.
Source: Google, Microsoft, And Apple Are Likely Using Technology Held By Mobivity Holdings
|
Seeking Alpha
Seeking Alpha Portfolio App for iPad
Long/short equity, deep value, value, research analyst
Profile| Send Message| (310)
Thor Industries (THO) is the leading producer of Recreation vehicles in America. It operates in 3 main segments: towables (fifth wheels and trailers) motorized vehicles (traditional RVs) and buses (airports, hotels). For those markets they have market shares of 39%, 22%, 38% as of September 2011. Their revenue for 2011 was $2.75B and their market cap is currently $1.4B.
Before beginning on the company itself it's worth understanding the RV/towable industry quickly as this accounts for approximately 85% of the company's sales. The industry peaked in around 2006 shipping almost 400,000 units in America and Canada. The industry was in a bubble for the same reasons the housing market was in a bubble and crashed in a similar manner with industry sales falling to 165,000 within 3 years. Earnings collapsed for most companies: EPS for Thor went from $1.67 in 2008 to $0.31 in 2009. However, Thor was lucky as many companies went under leaving the industry with fewer competitors. This has led to gain of market share by the other companies including Thor.
Additionally there are a few other industry wide catalysts. First, RV's remain a very economic alternative for many vacations. As long as this continues, the industry will as well. Second, and more importantly the demographics are favorable for the industry. Currently, the 35-54 year olds own the most RVs; however, the group that owns most RVs as a percentage of the group is the 55-65 year old group. With the baby boomers aging, the 55-65 year old age bracket is expected to increase 45% over the next ten years, as opposed to overall population growth of 8%. The industry has been doing well: volume rebounded almost 50% in 2010, and shipments are currently up 8.6% for 2012 yoy.
These industry shifts overall are a positive for Thor. Towables make over 80% of RV revenue and almost 70% of company revenue. The move to more fuel efficient and smaller units fits with Thor's strategy. Additionally, Thor has been able to capture a larger percentage of the market due to the exit of competitors. Market share in the RV market jumped from 29.4% in 2009 to 38.6% in 2010. It fell to 37.9% in 2011. The company has slightly been losing market share over the past year, as industry shipments have increased slightly more than the company's towable shipments. Their net sales improved at a faster pace as they were also able to increase the price of their offerings. These numbers are deceiving though: they have achieved these higher sales through discounting and more advertising; in particular they do not include the effect of discounting in their net sales. This has resulted in gross profit only growing 4.8% 9 months yoy. They have, however, been able to reduce corporate costs in SG&A allowing them to growth their net income at around 10% yoy.
This leads to the crux of Thor as an investment which I think can be summarized with two questions. Can Thor reduce the compression of gross margin and achieve their net revenue growth through normal means? Additionally, are Thor's products actually better than competitors', allowing them to take future market share? I do not have the answers currently to these questions, as information in this industry is relatively scarce. In my opinion an affirmative to both of these questions would make Thor a definite buy because they would be in a growing industry where they are the dominant force due to size and quality. The lack of information would open the door up for profitable independent research.
The company as mentioned does operate in the bus segment. Buses have grown at 9% yoy (9 months). This is a nice change from the slump witnessed in the area due to the removal of federal funding, as their principal consumers were municipalities. Although buses are important, the driver of this stock remains the RV market.
There are other important features of Thor as an investment. They have 0 debt have almost $200MM in cash as the company likes to operate conservatively. They have increased their dividend 100% over the past 3 years and currently yield 2.14%. They also have retired stock recently; however this has been the result of buying back stock from the estate of a dead founder of the company so I do not see the company continuing buybacks. This has been funded by a strong cash flow of 5.5% for fiscal 2011. I believe this ratio will grow when the company reports fiscal 12. However, getting a prorated FCF yield is extremely difficult because the company historically back loads their cash flow by significantly increasing their working capital in Q3 causing cash flow to go down. I thought this was accounting shenanigans, but the company did this last year at the same time, when you examine the huge growth in receivables and inventory at this time in the cycle. In fact, upon inspection, this situation may be a positive because inventory has declined significantly from the same time as of last year. Along those same lines, the amount of RVs that the company has had to repurchase from dealers in default has dropped to almost 0 (75+% drop) yoy indicating the strength of the industry. Overall, these figures indicate strength and the ability to continue its cash flow.
The company is currently trading at the low end of its P/E range (12.8 to 18.8) at 13.39. This also compares favorably to competitors' valuation ratios which can be summarized as follows.
Drew Industries (DW)209.041.99%
Fleetwood Corp13.37.912.23%
Winnebago Industries (WGO)39.813.21NA
As mentioned, two major risk ideas are compression of gross margin and lack of distinguishing features making it a better product. Right now the company can only say their competitive advantage is size allowing them to produce RVs at a low cost. Yet they still have to discount their models raising question marks about the quality of their products. Another major risk is the cyclicality and volatility of the industry. The industry can rise and fall very quickly and inventory levels are not low. Yes demand is rising, but it is something to keep an eye on because their sales have had a strong negative correlation with inventory levels. Another major risk to the company is rising gas prices. Although RVs may remain an economic alternative, rising gas prices inevitably hit Thor because they're directly related to travel. More people staying home is bad business for Thor.
Honestly, this company is intriguing. I'm neither recommending a buy nor a sell. There are a lot of micro and macro factors going Thor's way. This is in stark contrast to a competitor such as Winnebago which could be a prime short target. Yet in spite of all these strengths, I can not invest in a company that is a) having difficulty achieving pricing power b) doesn't have true competitive advantages and c) there is no evidence of a superior product. The real power in the industry may actually be Forest River which has consistently grown market share over the past 4 years. Unfortunately for the individual investor, this company is owned by Berkshire Hathaway (BRK.A). Honestly, this company appears ripe for a private equity takeover to help improve its efficiency. However, supermajority charter laws and Delaware laws actually make this difficult so this may not happen.
Source: Thor Industries: Major Player In Rebounding And Underanalyzed Industry
|
New York City subway chief makes resignation official
Bloomberg has maintained a high national profile during his tenure as New York mayor. He is leaving office next year after serving a twelve-year term.
Lhota potential bid to replace him follows him winning widespread acclaim for swiftly restarting subway service in New York City after the system sustained widespread damage during Hurricane Sandy.
The New York subway system is the most extensive and heavily used transit system in the U.S. It carries more than 2 billion each year on 24 subway lines that cover 659 miles of track and service 468 stations.
By comparison, the second largest public transit system in the U.S. is Washington, D.C.'s Metrorail system, which carries more than 200 million passengers per year. The DC Metro system has 103 miles and 86 stations.
|
In response to:
Patriot155 Wrote: Jan 24, 2013 1:56 PM
"Feinstein: Goal is to Dry Up the Supply Of Weapons Over Time" Why don't we dry up the population of lunatics and those that would have these people walk the streets again out of fear that we might violate their rights? Why don't we dry up the mentality of putting the criminals rights above those of the innocent victims that they traumatize? In short, why don't we dry up our dis-regard for justice and common sense?
Quintus_T_Cicero Wrote: Jan 24, 2013 2:03 PM
Why can't we put up a 30' high wall that runs from the Canadian border along the eastern borders of Oregon, Washington and California, surround Illinois and Michigan with a 30' high wall, and put another 30' wall separating New York and New England from the rest of the nation? That way the libs can have their "utopias," so we can retain our rights.
|
I want to ask why my orchids' leaves turn to yellow after a couple of times from very good bearing flowers and after turning yellow eventually my orchids die?
Submitted by BHGPhotoContest
Thanks for writing. Without being able to see your orchids, I'm sorry to say I can't say for sure what the problem is.
How much do you water them? Orchids are very sensitive to overwatering, especially if they're growing in moss. It's best to let the moss dry out a bit before watering them again.
Do your orchids get exposed to hot or cold drafts? That can also make the leaves go yellow.
Also: Orchid leaves do start to grow old and die. Most of the time, an individual leaf will stay green for a couple of years before it succumbs to old age and is replaced by new leaves.
Lastly, make sure your orchids don't need repotting. Many common orchid mixes last a couple of years before they start to break down. When they do and they start to look like soil, they're bad for your orchid. If this is the case, repotting it in fresh bark should help a lot.
Thanks for writing. I hope this helps!
---Justin, Senior Garden Editor, BHG.com
Answered by BHGgardenEditors
|
Phantasy Star Zero Review
Phantasy Star Zero gives DS owners a taste of everything that made Phantasy Star Online great nine years ago--and also what makes it seem dated today.
Remember playing Phantasy Star Online back in the Dreamcast era when Sega brought addictive loot-mongering with friends across the country to consoles? Remember finally getting that rare loot drop after an epic battle, cultivating your mag, and wrestling with the camera? No? Well Phantasy Star Zero for the Nintendo DS, a hack-and-slash action role-playing game with loot drops galore, offers a remarkably faithful representation of what you missed out on--warts and all.
Animated and voice-acted cutscenes augment key events in the game, such as the thrashing you're about to receive from this dragon.
Phantasy Star Zero places you in the role of a "hunter," a for-hire warrior carrying out missions for the city in which you reside and generally protecting its denizens. You choose from one of three main races: humans, the elflike newmans, and the androidlike CASTs. Each race boasts proficiencies in different offensive and defensive areas. Once you confirm your race, you select further specialization in melee combat, ranged combat, and spell casting. With the town acting as your central hub where you can access different combat environments, you build up your character's abilities and inventory through the single-player story mode in preparation for good old-fashioned multiplayer loot runs.
In fact, you might be tempted to skip single-player altogether and jump right online because when you're playing alone, some of the game's problems are more noticeable. Missions take you across seven different environments, with some missions requiring you to revisit areas you've already seen. This isn't a problem in and of itself. However, even though the missions ask you to do different things--hunt down monsters, find plants, and escort citizens--the progression is the same every time. You'll call your band of merry hunters to arms, slog through randomly generated combat areas, collect randomly placed keycards to open gates, and ultimately fight a boss battle consisting of one huge enemy or several lesser enemies. If a mission dictates that you have to revisit an area, you end up fighting--you guessed it--the same boss monster(s) you already beat. Even when one late mission teases a little variety by asking you to track down imposters, you never actually interact with them; the only time you see them is during talking-head dialogue scenes.
Combat is decent for the most part, but if you're a discerning Phantasy Star veteran, you'll immediately notice--even with quicker weapons, such as daggers and short swords---that it feels more sluggish than in the past. You can pull off three-hit combinations with a mixture of weak and heavy attacks, but more often than not, even weak strikes come with a slight but noticeable windup. You also have to time your button presses within a very small window to successfully pull off a combo, though in general, the lesser enemies aren't too difficult to take down. The end result is approachable combat that does feel satisfying when you connect, but it lacks the fluidity of every action-oriented Phantasy Star before it, up to and including the recently released Phantasy Star Portable for the PSP.
If you're lucky, you'll snag a big sword like this. Or you can settle for a parasol.
Navigation doesn't feel as elegant as it could either, for a number of reasons. Most of the time, the camera is zoomed in a bit too closely to provide you an effective view of the battlefield: Enemies in your periphery are almost impossible to see. Turning to see enemies and objects of interest requires constant massaging of the L shoulder button to re-center your viewpoint. There's the option to hold down the X face button, which allows you to swivel the camera independent of your movement, but this is only really useful once you've cleared an area of enemies because your right thumb isn't available for combat commands. The camera does zoom out and up a little to make some boss battles easily manageable, but had this angle been used throughout the game, the clunky camera mechanics would be far less of an annoyance.
Boneheaded AI makes the camera and the combat even more contentious because it's nigh impossible to actually ask your partners to form some kind of strategy. You're offered tactical commands, such as, "Safety first!" or "Attack all-out," but even when you tell them to stay close to you during a boss fight, they'll sometimes firmly plant themselves opposite of where you stand and forget that you ever issued that command. At other times, party members will follow you to hell and back or, at least, right through spiked floors and laser traps without performing an evade roll to avoid taking damage or triggering the traps. If a gun turret in the distance is taking potshots at your crew members, they'll stand there and continue taking the hits until you start moving.
Multiplayer is the way to play because you can compensate for the mechanical shortcomings with teamwork and communication and focus on snagging loot. Every time you clear a room of enemies, a treasure chest drops that yields money, items, weapons, and armor. Phantasy Star Zero offers a cavalcade of different weapons--well over 300 in fact, including a pair of ketchup dispensers for pistols--that drop with an appropriate amount of frequency. Your bag will quickly fill with generic driftwood; the occasional useful weapon; and if you're lucky, a rare, ultrabeefy sword or scepter. Because weapons drop so frequently, you always feel that there's some chance that you'll come across something great, and this fuels the addictive nature of Phantasy Star's loot collection.
The art of conversation is not dead.
Augmenting the weaponry is a plethora of monster parts, stat buff items, and element drops with which you can enhance your weapons to stun, poison, and inflict elemental damage to your enemies. Curiously, armor seems to be missing out on the party: There are only a handful of different robes and frames you can wear in comparison to all of the other items and weapons you find. However odd this seems at first, it's mitigated by how customizable each piece is provided it has open slots into which you insert upgrade gems. These upgrades can reduce elemental damage, activate health regeneration, and more. Finally, everything you pick up can be fed to your Mag--an artificial life form that augments your base stats and can unleash a screen-filling special attack. Choosing what to feed to your mag becomes a minigame all on its own because items will both increase and decrease its attributes and change its elemental affinities.
After getting past the ever-cumbersome friend code system, you can play online with up to three other hunters. You use the touch screen to write and communicate with friends, but should you choose to forgo the friend code system to team with random folks across the globe, you're limited to only a few preset phrases. Network connectivity is iffy: It frequently takes between two and three minutes to get into a game, and on one occasion five minutes of waiting yielded a lone partner whose connection dropped the instant we teleported from the town into the field. If you're lucky to maintain a party for a full run, however, the approachable combat and abundance of loot drops provide for an enjoyable romp. There are even environments exclusive to the online mode, which you can visit solo to level up your character even though they're designed primarily for multiplayer.
The amount of enjoyment you'll get out of Phantasy Star Zero hinges largely on how readily you can get together with your friends--either online or locally--to go searching for loot. Even then, you'll still have to contend with a temperamental camera and clumsy combat. On the bright side, if you can get past its issues and come to grips with the fact that it feels a little old, it's the only worthwhile game on the DS that has the accessible gameplay, simple action, and vast catalog of items that made Phantasy Star Online a hit in the first place.
The Good
Plenty of loot to collect
Bright and mostly impressive visuals
Familiar, accessible action
The Bad
Clumsy camera requires constant attention
Uninspired story mode mission design
Combat lacks the fluidity of its forebears
Lousy friendly AI
About GameSpot's Reviews
About the Author
Phantasy Star Zero
• DS
Phantasy Star takes place on an alternate Earth 200 years after the "Great Blank," a massive war that has reduced the once-prosperous civilization to almost nothing.
Everyone 10+
All Platforms
Fantasy Violence, Mild Suggestive Themes
Check out even more info at the Phantasy Star Zero Wiki on
|
Ulster Since 1600 <p>Surveys the history of the province from the plantations of the early seventeenth century to partition and the formation of Northern Ireland in the early 1920s, and onwards to the 'Troubles' of recent decades. A major contribution to the history of Ireland and to Ulster's contested place in the British and the wider world.</p> 2012-10-01T10:13:25Z 2012-10-02T09:47:59Z Ulster Since 1600 Politics, Economy, and Society Politics, Economy, and Society Kennedy, Liam Ollerenshaw, Philip Kennedy, Liam Ollerenshaw, Philip 9780199583119 Hardback
|
Re: Software for Biblical Studies
Gary S. Shogren (
Tue, 26 Nov 1996 09:02:54 -0500 (EST)
Dear Ken,
You asked about teaching Greek overseas. It's a question I've dealt with
for a few years now.
I teach twice a year at Institutul Biblica Timotheus in Bucharest Romania.
There are about 200 students, and they have three units of Greek, for which
I've designed materials (mainly my own Chapman-Shogren NT Greek Insert,
translated into Romanian. BTW - they're free for the asking, if anyone out
there does work in Romania). Over five years of modules and work
in-between, they earn a Masters.
What's interesting is that Timotheus is run by the Romanian equivalent of
the Plymouth Brethren, and so whomever we train will be considered "lay
leadership". We have people of all ages: SS teachers, elders and deacons,
etc., about half are women.
I have to have limited goals, and these are on the level of "Tools" rather
than real competence. However, the students do very fine work considering
the circumstances.
I give them a couple of stern lectures about "a little knowledge" being a
dangerous thing, and remind them (gently!) how little they know about Greek,
so don't lord it over the flock, etc. They take this very well. Their
subculture certainly knows of people who are the self-proclaimed Bible
experts, and part of the reason these people are taking formal education is
because they are sensible of their own ignorance.
Bottom line: the reason they need Greek seems to be the same reason my
American students need it. Romania needs competent exegetes, because of the
swirl of weird teachings in the region (conspiracy theories, etc.) but also
because they can be swamped with North American books and ideas.
Problems include: no BAGD in Romanian!! In fact, no nothing in Romanian!
This has led - and I think prudently, at this time in history - to Timotheus
offering English classes to their students. Even then, BAGD, for example,
might take the better part of a month's wages. So I bring them as much
material as I can reasonably carry in two huge suitcases, including p-part
lists and our own Greek-Romanian version of Metzger's Lexical Aids, down to
100+ words.
Also - it's pretty difficult teaching a third language to a group whose
receptor language you cannot understand well. So...this is why I think
through illustrations and examples BEFORE class and have them written out.
Their major translation (Cornilescu) is very pleasing, so far as I can tell,
sometimes bringing out nuances that would require a paraphrase in English.
Any other thoughts out there?
PS - Remember! America was once thought to be "overseas", and someone
decided to bring Greek to the settlers here. We're just returning the favor.
Gary S. Shogren
Biblical Theological Seminary
Hatfield, PA
|
Egypt Today; The Muslim Brotherhood; The Jobs Numbers and Obama in
Mon, 02/07/2011 - 8:45am
Chris MatthewsAssociated Press
xfdls HARDBALL-01
<Date: February 4, 2011>
<Time: 17:00>
<Tran: 020401cb.461>
<Type: Show>
<Head: Egypt Today; The Muslim Brotherhood; The Jobs Numbers and Obama in
2012; Working Guys Super Bowl, MSNBC - Part 1>
<Sect: News; International>
<Byline: Chris Matthews, Ron Allen, David Corn, Michelle Caruso-Cabrera,
Lindsay Czarniak, Ed Rendell>
<Guest: Edward Walker, Peter Bergen, Abderrahim Foukara, Todd Harris>
<High: Thousands of anti-government protesters were back in the streets of
supporters who stormed them the last two days. What are we to make of the
Muslim Brotherhood? This Sunday's Super Bowl and the two teams, the
Pittsburgh Steelers and the Green Bay Packers, represent what the election
is going to be about.>
<Spec: World Affairs; Middle East; Egypt; Government; Politics; Policies;
Employment and Unemployment; Economy; Elections; Sports; Profiles;
Also, bad news, good news. The economy only created 36,000 new jobs, but the unemployment rate in this country dropped from 9.4 percent down to 9 percent last month. That number may be more important for President Obama because that's the number public pays attention to. I think he needs to get the number down to 8 in order to win reelection.
And I've been saying that this is the Scranton to Oshkosh election, Scranton Wis -- Pennsylvania, actually, to Wisconsin. Well, Sunday's Super Bowl has the same theme, Pittsburgh versus Green Bay. Politics and the Super Bowl later in the show.
And Let Me Finish tonight with a major American president who was born 100 years ago this Sunday.
We start with Egypt. Joining me right now from Cairo is NBC News's Ron Allen. Ron, I guess the best question is what happened today in this ongoing saga?
On the other hand, the government is remaining steadfast. The prime minister again tonight said that there is no intention by President Mubarak to leave. It's very unlikely that's going to happen, he said. And that remains their position. Hosni Mubarak is digging in. He keeps making concessions, making gestures that he hopes, I guess, will give him more time because, again, at the end of the day today, there's no indication that he is going to step down -- Chris.
MATTHEWS: Well, the latest offer, as I understand it, from the president's palace is that he won't run for reelection in September. His son, Gamal, will not run. They're going to have dialogue with the Muslim Brotherhood. What is the demand from the streets? This is what I have never figured out. Are they willing to accept the army taking over, putting Suleiman or somebody in the place of Mubarak and holding free elections, real elections this September? Is that good enough?
ALLEN: Well, this gets complicated, Chris, because the opposition demand has always been that Mubarak step down, pure and simple, bottom line, you got to do that. And that, apparently, is not going happen. It hasn't happened yet. That's not to say it won't happen, but there's every indication from the government that they're trying to play the situation in a way that Mubarak does not have to do that. He may do it in a way that where he does -- becomes a ceremonial leader. But we start getting into semantics.
MATTHEWS: That's right.
ALLEN: You know, we're talking about a seven-month period. And some people will say to the opposition, Look, you know, you've gotten enough. You know, chill out. It's only seven months. And they would say the same thing to Mubarak. It's only seven months. Why can't you step down? It's been 32 years.
MATTHEWS: Thank you. Great reporting. Thank you, Ron Allen. Have a nice weekend -- although that seems like an absurd thing to say in Cairo. But hope you get through everything all right this weekend -- Ron Allen in the streets of Cairo.
MATTHEWS: Well, Ed Walker served as ambassador to Egypt and Israel during the Clinton administration. He's also the former assistant secretary of state for near eastern affairs. Can't have a better guest than you, sir. So you're watching the streets are all week long. What do you see it heading toward?
MATTHEWS: If the military comes out in full uniform on a place platform somewhere and declares to the street, with all the television power they have over there, and says, Mr. Mubarak is going to Sharm-el- Sheikh on permanent leave -- he's not going to be our active president, he's not leaving the country, he's under our protection, we are going to rule until the open elections are held in September, Mr. Suleiman, the designated VP, will be the head of government -- will that stop the rioting? Will that stop, I should say, the protesting?
MATTHEWS: What about this country and our decision-making process? I don't think I've ever heard of this happening before. The U.N. ambassador, Susan Rice, apparently openly says, We got to get rid of Mubarak. Meanwhile, Tom Donilon, the head of the National Security Council, director, and the secretary of state, Hillary Clinton, both say, No, slow down on this. Stop pushing this guy so publicly. Let him make the move. How did that leak? How can you leak out the Situation Room? Isn't that supposed to be the high-security room?
WALKER: Well, yes, it is and it isn't. It's only high security until the participants walk out the door and then purvey -- let their stories be known.
WALKER: Susan is correct. Mubarak -- I mean, there's no way you can solve this thing with Mubarak in place. What the secretary of state is saying is that, Let's try and make this so it's a rational transition and you're not going to turn the place over to chaos. I don't believe it will go into chaos, but they've got to be a little bit more forceful in the kinds of states that they take now to prove to the people of Egypt that Mubarak is not coming back. This is not -- this is the end of this particular regime.
MATTHEWS: You know, my concern, trying to figure out what's best for us, best for Egypt, best for our relationship with that part of the world, like most Americans, I'm thinking, could it be that Mubarak has one point - - You don't let a mob pick a government?
WALKER: That's right.
MATTHEWS: This is no environment -- when he says, You don't know the culture of this -- don't let the mob -- this isn't the French revolution. Let's make this the American revolution, where we actually have a constitutional process, we actually prove to have a better government than the one we've dumped in London. OK, that's the goal, have better than what you had before, not worse.
WALKER: Right.
MATTHEWS: Most revolutions, it seems, in third world countries --
WALKER: Turns out worse.
MATTHEWS: -- go to worse.
WALKER: Right. That's true.
MATTHEWS: So -- right? So let's not cheer for the mob to make the decision. Let's cheer for the mob to maybe get the government to make the right decision.
WALKER: But isn't --
MATTHEWS: That's different.
WALKER: Isn't that what the president was saying? You're not cheering for the mob, he's cheering for transition. He's cheering for the military to have -- step in to --
MATTHEWS: Yes, it seems to me cooling it down, get the people off the street --
WALKER: Right.
MATTHEWS: -- have a military sort of hammer that says, We're going to have calm for six months --
WALKER: Right.
MATTHEWS: -- that's the protector of the peace, and then a clearly open door to a new kind of government.
WALKER: Open door and a few -- a number of immediate steps that are taken that gives credibility to what the military (INAUDIBLE)
WALKER: Appreciate it.
Coming up, we'll talk to a lot -- we talked a lot about the Muslim Brotherhood were ready to -- well, are they willing to walk into this power vacuum? Of course they are. The question is, is that good for us? They say they've renounced violence. OK. That's what they've said. But once they get some power, would the Brotherhood really support democracy in Egypt or simply turn it into an Islamic state like Iran?
You're watching HARDBALL, only on MSNBC.
MATTHEWS: How's President Obama doing? Well, it depends who you ask. According to the Gallup poll, the president's approval ratings are the most polarized of any president two years into his presidency. Democrats think he's great -- 81 percent approve of the job the president's doing. But only 13 percent of Republicans approve of the job he's doing. That's a wide gap, 68-point gap, actually.
It's the biggest of any president at this point in his term and the fourth largest in history. Only the fourth, fifth and six years of the George W. Bush presidency had bigger gaps between the parties. We're getting used to this gap, ladies and gentlemen, between Democrats and Republicans and what they think of a president.
We'll be right back.
MATTHEWS: Welcome back to HARDBALL. In the post-Mubarak Egypt, the country's largest opposition force, the Muslim Brotherhood, would have new power. Although the group now renounces violence, some of the world's most dangerous terrorists, including Osama bin Laden's second in command, were once members of the Muslim Brotherhood in Egypt. What would an empowered Brotherhood mean for the United States if it got into power?
With me now is Peter Bergen, the great author of The Longest War: Inside the Enduring Conflict -- there it is -- Between America and al Qaeda, and Abderrahim Foukara, who's Washington bureau chief -- and he's been great for us -- for Al Jazeera, as well. That's his main work. In fact, it's your employment.
Here we are. Let me go -- here's what -- your reporting, first of all. Muslim Brotherhood -- bad news for the United States if they get a chunk of the power over there?
PETER BERGEN, AUTHOR, THE LONGEST WAR : Indifferent news. Certainly not bad news. I think these are -- you know, this is a group that's engaged in conventional politics in Egypt for decades now. Their attitude to Israel is going to be different probably than Mubarak's. But I think, you know, writ large, they have participated in elections in a peaceful way for a long time, something they've been criticized for by al Qaeda. And they're going to be part of Egypt's future because they're part of its present.
MATTHEWS: Do they route for al Qaeda?
BERGEN: No. In, al Qaeda's number two, Ayman al Zawahiri, who was, as you pointed out in the introduction, a member of the Muslim Brotherhood, has written a book-length denunciation of the Muslim Brotherhood --
MATTHEWS: OK, here's my problem with your argument, and I think you're accurate because you know your material. But who killed Anwar Sadat?
MATTHEWS: Did they root for that? Were they part of that? When they got gunned down in that parade by the people who dressed in military costumes, were the -- in uniforms, were they cheering for that? Were they happy for that, the death of Anwar Sadat?
BERGEN: I think there were a lot of people who were unhappy with the fact that Sadat had made peace with Israel, but they weren't involved in the attack and --
MATTHEWS: Did they cheer his death?
BERGEN: I actually don't know, Chris.
MATTHEWS: That's the kind of thing I want to know. I know where your heart is, where your sentiment is, because in the end, that's who you end up backing, who you're rooting for.
BERGEN: Don't forget this is -- this group also has played ball with Mubarak for a very long time. So I mean, it's not like they're looking for some sort of revolution in Egypt. And I would just make the point that anybody who bombs an abortion clinic in this country is a Christian fundamentalist, but very few Christian fundamentalists bomb abortion clinics. So the Muslim Brotherhood may have spawned some people that are militant, but this is a very, very large group, and the militant groups are very, very small. So -- and the Muslim Brotherhood --
MATTHEWS: No. Let me draw a distinction there. I would say the Republican forces in Ireland who support -- in the old days, supported the actions of the IRA, the provisional IRA. You don't want to have people that will give cover, give protection, give secret hiding places to a terrorist group. And my question is, does the Muslim Brotherhood -- would they be out there giving refuge, support, economically, support morally, to terrorists?
BERGEN: I don't think so. I mean, we also have to look at the nature of Egyptian society. Don't forget that these militants completely destroyed themselves with their actions in the '90s. They killed more than a thousand Egyptians.
BERGEN: They -- with the Luxor massacre in '97 --
MATTHEWS: OK. Your view? Muslim Brotherhood in Egypt.
MATTHEWS: Are they a danger to the United States?
FOUKARA: I -- when I look at -- first of all, when I look at what's happening in Tahrir Square, it's not about the Muslim Brotherhood. It's about -- what started it off was young people who were disaffected, socially, economically and politically. They just want political freedom. They're done with this regime.
The other political movements, including the Muslim Brotherhood -- in a way, it's a good thing that they didn't get involved right there because this thing would have been over a long time ago. They finally jumped on the bandwagon. It was expected they would jump on the bandwagon. If there's a new government in Egypt, as Peter said, Muslim Brotherhood would in one way or another be part of it. Would the Muslim Brotherhood be calling the shots in that government? A lot of people would think that it's insanity to think that. As far as the Israelis are concerned, yes there is a lot of concern inside of Egypt and even in the wider Arab world about the Muslim Brotherhood --
MATTHEWS: Aren't the Hamas group that took over the Gaza area of the Palestinian -- potential Palestinian state -- aren't they offspring of the Muslim Brotherhood?
MATTHEWS: So in other words, don't let the people in the street who are secular be stopped by fear of the Muslim Brotherhood.
FOUKARA: Well, one of the things -- one of the slogans we actually heard today from the demonstrators -- many of the demonstrators in Cairo is that, We're not Muslim Brotherhood. And I think people are aware that they may -- that line may be used, but --
MATTHEWS: Let's hear from someone who is. A Muslim Brotherhood spokesperson told NBC News, quote, We're not going for revenge. If he does leave and there are no more victims, he can step down peacefully. But if Mubarak continues to cling to office and there are more victims, then he could be put on trial by a new Egyptian government.
That I think was a clarification of a statement put out by someone associated formerly with the Muslim Brotherhood, who's living in exile, or an expatriate in the Alp8ine region of Italy, who put out a statement out of nowhere, I thought, saying, We're going to put this guy on trial, which to me is fighting words, one more reason for Mubarak not to give up, if he knows he's facing some Islamic court somewhere.
BERGEN: Well, no doubt. But I think -- yes, I mean, I think that statement spoke for itself. You know, I've interviewed quite a number of leaders of the Muslim Brotherhood. These are not Molotov cocktail-throwing revolutionaries. These tend to be doctors and lawyers, and you know, middle class people who've been -- you know, feel that the Mubarak regime hasn't performed. And one of the reasons the Muslim Brotherhood has risen up is precisely because the Mubarak regime didn't perform. So if there was some sort of natural catastrophe, the government did nothing about it, but the Muslim Brotherhood would be out doing charity.
FOUKARA: I think he will hang in there, prediction -- it could be right, could be wrong, predicated on the fact that anything could happen, as we have seen with this whole thing --
FOUKARA: I think -- if I were to make a prediction, I think he will hang in there for a few more days.
MATTHEWS: Peter, your thoughts?
BERGEN: He hasn't been able to employ total repression. And for dictators, that is problematic. If you can't do total repression, you're out.
MATTHEWS: Well, I get the sense he is hanging in there. I have been watching this guy 30 years. He is a strong man. He thinks he is a pharaoh. He thinks he is Egypt. I don't see how he sees anybody in the streets he wants to turn it over to. So it's a question whether he turns it over to Suleiman and he believes that will quell the rioting.
And if he doesn't believe that will quell the rioting, what does he gain by stepping out of office?
FOUKARA: Well, stepping down in one way or another.
MATTHEWS: I don't think he wants to go to Montenegro.
FOUKARA: But if --
MATTHEWS: That story was out today.
MATTHEWS: I mean --
MATTHEWS: OK, step down. It's getting -- I think we're finding people moving to something here in the center. We will see.
Peter Bergen, thank you for your expertise. Good luck with the book. It's called?
BERGEN: The Longest War.
MATTHEWS: The Longest War.
You're watching HARDBALL, only on MSNBC.
MATTHEWS: Back to HARDBALL. Time for the Sideshow.
SEN. RAND PAUL (R), KENTUCKY: I want to be a friend of Israel. I think it's -- they are an important ally. But I also think that their per capita income is greater than probably three-fourths of the rest of the world.
Should we be giving money to a -- free money or welfare to a rich nation? And I don't think so.
MATTHEWS: Well, cutting aid to Israel, the proposal will get more attention than support. Senator Paul has also made a stand during yesterday's vote to criminalize aiming a handheld laser at an aircraft. Straightforward, right? Not to Mr. Tea Party. Senate Paul was the one and only nay vote on that bill. His reasoning? The states ought to take care of it.
Is he saying airplanes are not interstate commerce?
Next, ever wonder what a Rick Santorum presidency would look like? Well, here's a preview. The all-but-declared candidate for president offered the following at a Tea Party event in South Carolina -- quote -- I would sign a bill tomorrow to eliminate the 9th Circuit Court of Appeals. That court is rogue. It's a pox on the Western pox of our country.
A pox? The 9th Circuit Court is the largest appeals court in the country. Santorum's real issue? The court is based in San Francisco and is known for issuing decisions that rile conservatives. Maybe you would like to eliminate the city of San Francisco.
Finally, Mike Bloomberg looks in the mirror and likes what he sees. This week, the New Yorker magazine cover featured Gotham's mayor in this not-so-flattering pose, unless you are Mike Bloomberg. His reaction to the caricature? Quote: I thought I was great, it was great. I have said this a thousand times. I like what I see in the mirror. I hope everybody here does. Hmm. Mirror, mirror on the wall, who is the richest mayor of them all?
Now for tonight's Number.
Sarah Palin's lawyer filed applications with the United States Patent Office to trademark the name Sarah Palin and that of her daughter, Bristol Palin. In short, they're looking to protect the Palin brand. And that's tonight's Number -- patent application number 85170226 -- Sarah Palin trademarks Sarah Palin, tonight's show me the money Big Number.
You're watching HARDBALL, only on MSNBC.
MICHELLE CARUSO-CABRERA, CNBC CORRESPONDENT: I'm Michelle Caruso- Cabrera with your CNBC Market Wrap.
Stocks closing out their best week in two months with modest gains, the Dow Jones industrials climbing 30 points, the S P 500 up three. The Nasdaq finished with a gain of 15 points.
That is from CNBC. We are first in business worldwide -- now back to HARDBALL.
MATTHEWS: Depends who you're talking to.
Welcome back on HARDBALL.
Share this Story
The password field is case sensitive.
|
A few days ago, someone smashed into my parked car on a street in Pacific Grove, causing considerable damage.
After the initial shock, I searched for the legally mandated note, which would have given me the insurance information of the at-fault driver. There was none.
I was astounded someone could cause this much destruction and not accept responsibility.
Because the Pacific Grove Police Department was within short walking distance, I made a brief statement there. A wonderfully compassionate officer, J. Tracy, informed me that this happens too frequently and that people seldom leave notes. One factor, apparently, is that in this economy, many people do not have auto insurance. However, I still can't accept this as a justifiable reason for disgraceful conduct.
So what has happened to honesty? This anonymous thief is going to create chaos, financial and emotional, for me. I am a senior on a tiny income and because of someone else's lack of integrity, I am going to have to pay the $500 deductible on my car insurance, a small fortune for me with many ramifications.
Yet at home that evening, I realized what was upsetting me most was not the money, but knowing someone somewhere could be so uncaring.
It made me reflect on my British upbringing and how honorable my country was in those days. We traveled a lot by train and a folded newspaper meant the seat was occupied, even if the person was nowhere in sight and the train was jammed during rush hour.
On the rare occasion when my paper was moved and the seat was claimed, we Welsh always shrugged it off and said, "It has to be an Englishman."
Yesterday, still hurting, I took a poll of 20 friends and asked if they would have left a note. They all said they would. Were they all telling the truth? I just don't know anymore. Is the only valid measure that powerful adage about the honor of a man being judged by actions that can't be seen by others?
When I came to America, I thought the story of George Washington and the cherry tree was ludicrous and I thought the American people were strange to go as far as to gobble cherry pie in honor of the legend. Years later, I realized cherries had little to do with the tale. I was a lovely way to reinforce good qualities and honesty into a child's soul.
I have been a local teacher for more than 40 years and I told my thousands of students the most important rules of life were to be honest and to be a good reader. I think that advice still applies.
In the meantime, I'm surviving with deep appreciation to Mike and Eva Rodrigues at Rose Auto and Storelli Brothers in Seaside. These virtuous people have gone out of their way to console me and make allowances for payment on repairs. (I know these people would always leave a note.)
But I just don't want to live with the recognition that our society and neighbors on this beautiful peninsula are less honorable than in past eras and that integrity is obsolete. I don't believe in revenge or sitting in judgment of others.
Right now, if I am totally honest, I must admit I definitely want to believe in karma.
Olivia Morgan lives in Pacific Grove.
|
U.S. patents available from 1976 to present.
U.S. patent applications available from 2005 to present.
Icon_funbox Quotables
Dave Barry
Newsletter PatentStorm News
Make the Most of Our Site
See this month's Top Inventors and Most Cited Patents.
Registered users: Manage your profile.
Class 348/506 - Burst gate
Subclass of Class 348 - Television
Definition: Subject matter including specific circuitry for separating
No. of patents: 139
Last issue date: 11/06/2012
NumberTitleIssue Date
4942314Peak holding circuit for a color television receiver
A peak holding circuit comprises a capacitor for holding signal charges corresponding to a peak level of an input signal, and a current amplifier circuit comprising transistors connected in a triple darlington manner for supplying an output current corres...
4893175Video signal transmission system with reduced number of signal lines
A video signal transmission system for transmitting a plurality of color video signals and horizontal/vertical sync signals from a transmitter part to a receiver part through a plurality of signal transmission lines is disclosed. The transmitter part incl...
4864399Television receiver having skew corrected clock
A digital TV receiver includes an apparatus for generating a skew corrected clock. The apparatus consists of a fixed frequency, free running oscillator for producing a signal having a frequency which is a fixed integer multiple K of the desired nominal fr...
4864387PAL video time base corrector inverts color difference signal (V) axis
A time base corrector converts an analog input PAL image signal including a certain time base error to digital form and then stores it in a memory by using a write clock signal derived from the input PAL image signal including the time base error. The sto...
4860120Low-frequency converter for carrier chrominance signal
A first PLL circuit receives a color burst signal of a carrier chrominance signal and outputs a first continuous wave signal which is identical in frequency and phase to the color burst signal. The first continuous wave signal is frequency converted by a ...
4843470Integrated synchronizing signal separating circuit for generating a burst gate pulse
An integrated circuit for improved burst gate pulse separation for use in a digital video system that receives a positive composite video signal wherein horizontal, vertical and composite synchronizing signals and a burst gate pulse signal are respectivel...
4803553Video timing system which has signal delay compensation and which is responsive to external synchronization
4788585Apparatus for measuring SC/H phase of composite video signal
A measuring instrument for SC/H phase of a composite video signal is provided in which a phase comparison is made between at least a portion of a color burst extracted from the video signal and a continuous subcarrier frequency signal that is phase-locked...
4782246Phase shift circuit for electrical signal
A phase shift circuit comprises a variable phase shifter responsive to an externally supplied voltage to change the amount of phase shift, and a phase detector operative to detect a phase difference between input and output signals of the variable phase s...
4714954Read start pulse generator for time base corrector
A read start pulse generator comprises circuit elements for automatically adjusting the phase of a read start pulse signal by cancelling phase offset caused when phase adjustments are made to a synchronizing signal, burst signal, and hue signal....
4706034Signal discriminating apparatus for extracting component signals from a composite signal
An apparatus for extracting a specific component signal from a composite signal composed of a first component signal and a second component signal. The apparatus includes two transistors which separate a received composite signal into two separate compone...
4688081Apparatus for correcting time base error of video signal
In order to correct a time base error of a video signal reproduced from a video signal recording/reproducing apparatus such as a VTR or the like, when the reproduced video signal is sequentially written into or read out from a memory, a signal which is ob...
4677459Reference signal generator
A reference signal generator used to compensate for a time base error of a color video signal reproduced from a video tape recorder having a memory into which the color video signals are written in response to a write clock and from which the color video ...
4675724Video signal phase and frequency correction using a digital off-tape clock generator
In a time base correction system, a composite color television analog signal derived from a prerecorded tape is converted by an analog-to-digital (A/D) converter to a digital signal having horizontal sync and color burst signal components. The digitized s...
4663659Video signal scrambling system employing full line reversal and double burst coding
A memory reverses the sequence of samples of selected lines of a composite video input signal without separating the color burst and chrominance components of the lines thereby preserving chroma-burst phase integrity of scrambled lines. A burst inserter a...
4652778I2 L delay circuit with phase comparator and temperature compensator for maintaining a constant delay time
A delay circuit for delaying an FM video signal is disclosed. The delay circuit includes an input for supplying the FM video signal, an output for producing a delayed FM video signal, and a delay line connected between the input and output for delaying FM...
4646136Television signal synchronizing apparatus with sync phase control for video signal
A television synchronizing apparatus for synchronizing an input television signal to a reference television signal. The input and output television signals are of the type which include several signal components including a video signal, a color subcarrie...
4635100Digital automatic video delay system
A digital automatic video delay system includes a device for digitalizing a television signal with sampling clock signals having a frequency of N (an integer) times as high as the frequency of the color subcarrier of the television signal, a device for wr...
4620219Apparatus for detecting a chrominance reference burst component to develop a burst gate pulse
Apparatus for generating a burst gate pulse from composite video includes a threshold detector for generating output pulses on consecutive positive and negative going burst signal cycles. Output signal from the threshold detector is applied to a digital c...
4613827Write clock pulse generator used for a time base corrector
A write clock pulse generator is disclosed, in which a horizontal synchronizing signal is separated from an input video signal and supplied to a PLL (phase locked loop) circuit to form a first clock with the frequency of nfH (n is an integer), ...
4611240Chrominance processor control system
In a color TV receiver, a color AFPC loop, responsive to line rate synchronizing bursts of subcarrier frequency derived from the output of a first of a pair of cascaded chrominance signal amplifiers, controls the frequency and phase of an output of a VCO....
4590510System for processing a composite color television signal obtained from a recording medium
An uncorrected composite color television signal, including frequency-modulated luminance and frequency-transposed chrominance components is recovered from a storage medium and separated by filters into its luminance and chrominance components. The chromi...
4581630Constant width burst gate keying pulse generator
4577216Method and apparatus for modifying the color burst to prohibit videotape recording
A method and apparatus which modifies a color video signal in such a manner that a conventional television receiver produces a normal color picture from the modified signal, whereas a videotape recording made from the modified signal exhibits annoying col...
4555722Tri-level sandcastle pulse decoder
Trilevel sandcastle pulse decoder includes a trio of voltage comparators for comparing incoming sandcastle pulses with reference potentials of respectively different levels. One of the voltage comparators, which is subject to change in operating state in ...
4555679Detection circuit for detecting synchronous and asynchronous states in a phase-locked loop circuit
The output of a phase comparator in the PLL of the data reproduction unit is filtered to remove low frequency components which may be due to record eccentricity. The filtered output is then rectified and integrated, with the level of the integrated signal...
4550338Detecting circuit
A detecting circuit comprises a synchronous detecting circuit (11, 12, 15 to 19, 22 and 27 to 29) and a switching transistor (35). The collector and the emitter of the transistor (35) are connected to junctions (A) and (B), respectively, of the synchronou...
4549202Trilevel sandcastle pulse encoding/decoding system
A color TV receiver is provided with an encoding/decoding system for a trilevel sandcastle pulse train, exhibiting a middle pulse level during recurring kinescope bias control intervals, and comprising excursions between a base level, a low pulse level, a...
4549225Color video signal processing circuit for performing level control and time axis deviation compensation
A reproduced color video signal processing circuit in a rotary recording medium reproducing apparatus reproduces a recorded signal from a rotary recording medium which is recorded with a composite color video signal in which a carrier chrominance signal i...
4514754Digital color television signal processing circuit
In a phase control loop (3, 15, 85, 87, 89, 90) for the A/D converter of a digital color television signal processing circuit an input (13) and an output (23) of a delay circuit (21) are connected to a comparator (19) to derive a control signal from the i...
4489348Video camera synchronizer
An apparatus for providing video signal synchronized operation between two or more video signal originating devices, such as video color cameras, one operating as a master, and the other one or more video cameras or devices operating as slaves or masters,...
4489343Television image receiver provided with vertical synchronizing circuit count system
In a television image receiver provided with a vertical synchronizing circuit of a count-down system, a down counter to be reset in the an even number of pulse section among the pulses to be partitioned off by the undercuts in the vertical synchronizing s...
4485353PLL Oscillator synchronizing system with matrix for phase correction
Color reference oscillator in a color television receiver comprises a non-inverting amplifier, with positive feedback from its output conveyed via a crystal filter to its input. A quadrature phase shift network, coupled to the filter output, develops phas...
4485354PLL Oscillator synchronizing system with DC control of free-running frequency
Color reference oscillator comprises a non-inverting amplifier, with positive feedback via a crystal filter linking its output and input. A quadrature phase shift network, coupled to the filter output, delivers phase shifted signals to a pair of independe...
4466022Color video signal reproducing apparatus which transforms the recorded signal of one signal format into signals of another format upon reproduction
A color video signal reproducing apparatus comprises a reproducing circuit for picking up and reproducing a recorded signal from a recording medium in which a carrier chrominance signal and a color burst signal within a PAL system color video signal are c...
4450474PAL System synchronizing signal generating apparatus
Synchronizing signals in a PAL system are generated without the need for an n fH oscillator by generating a reference signal having 568 cycles per line, adding a half cycle per line and then substracting one cycle per field. Pre-synchronizing s...
4445135Synchronizing system for television signals
A digital main store having a capacity of one field and a buffer store of much lower capacity upstream of the main store are so arranged that the buffer control controls the buffer store to compensate frequency differences between an input television sign...
4425576Picture stabilizing circuit in color television receiver
A picture stabilizing circuit in a color television receiver decodes a count value in a counter comprising a vertical synchronizing circuit of a pulse count system for generating an ineffective-rendering pulse covering a period including a vertical synchr...
4422103Device for reducing the effect of time base variations in video disc player
A device for eliminating time base variations in a video disc player in which a gate pulse controlled by the latest time base information is generated for preventing faulty operation during the absence of burst signals. The gate pulse is generated after a...
4419752Circuit arrangement for transmitting two signals over one line in opposite directions
A circuit for transmitting in opposite directions two pulse-shaped signals via one connecting terminal(K) of a semiconductor body. When one signal is transmitted the signal path for the other signal is inhibited, which is accomplished by means of switchin...
Sign InRegister
forgot password?
|
The Mexican rock band Los Jaguares doesn't often use opening acts. The Jaguares' fan base is notoriously hard on whatever luckless band takes the stage as a warm-up act to their heroes.
On the surface, Eugene Rodriguez and his band Los Cenzontles looked like ripe fodder for the Jaguares crowd. After all, Los Cenzontles played corridos, rancheras and other song forms of Mexican tradition, not something this crowd would have much interest in. Imagine Pete Seeger opening for Nine Inch Nails.
But Rodriguez found himself and his band in the position of opening for Los Jaguares at the Fillmore in San Francisco. And he was more than a little wary.
"These kids were rock and rollers. They were not activists. They were not folklorists. They were rockers who identified more with Mexico than the United States."
So, Los Cenzontles -- "The Mockingbirds" -- took the stage with their folk instruments and their beautifully dressed female singers and sang what has turned into the group's signature song, the anthem from the 1970s titled "Soy Mexico Americano," an unapologetic cry of cultural pride of being a Latino in the United States.
"You just looked at their faces," said Rodriguez, the founder and leader of the band. "And you could see a transformation. You could see they were listening to something for the first time, which is really exciting for me."
Los Cenzontles comes to the Mello Center in Watsonville on Feb. 9 in a benefit for local folklorico dance troupes Sueños Aztecas and Esperanza del Valle.
Rodriguez, 50, was a kid during the fertile Chicano pride movement of the '70s, and had known the song for decades.
"That's all part of our history now. And to see it so powerful to this whole new wave of people who need to hear this message. I mean, they were yelling and cheering, just loving it. To see that song still relevant 40 years later, that to me was my favorite moment of playing that song."
"Soy Mexico Americano" was originally written by Texas singer/songwriter Rumel Fuentes as a contemporary ranchera in the activist period that spawned Cesar Chavez and the UFW labor movement. To Los Cenzontles, the song fits nicely alongside any number of old Mexican corridos in the public domain or mariachi ballads from the 19th century.
"We see tradition as a trajectory rather than a pinpoint in history," said Rodriguez, who serves as a guitarist, songwriter and producer with the band. "All traditions are always evolving. And we are custodians of that evolution."
Los Cenzontles comes to the Mello Center in Watsonville on Feb. 9 on the heels of a new album titled "Regeneration," which features contributions from a number of notables including Jackson Browne, Elvin Bishop, Pete Sears, Raul Malo and David Hidalgo of Los Lobos, a longtime friend and collaborator of the band.
"It's really a celebration of this new Latino generation that we are seeing," said Rodriguez of the new album. "Latino kids are the fastest growing demographic we have in this country. And although many people in our country are fearful of that fact, we wanted to create a document that was an embrace of that."
The new recording is less folksy and rootsy than past Cenzontles albums. That fact that the group is bringing in a more contemporary sound to go along with their deeply seated traditional sound is testament to Rodriguez's efforts to reflect the complexity and diversity of Mexican musical culture.
The band is the living embodiment of the Los Cenzontles Mexican Art Center in the North Bay community of San Pablo. Rodriguez serves as the director of the center and each of the band members are employees. At 50, Rodriguez is the oldest member of the group by far. In fact, Los Cenzontles consists of young people who grew up attending the center as children.
The band started in 1989, in a pre-Internet age when many musical traditions were threatened with extinction. Rodriguez, who grew up in Southern California, attended UC Santa Cruz and then got a master's in classical music from the San Francisco Conservatory of Music.
In the 1980s, Rodriguez was part of a widespread movement of young people interested in uncovering musical traditions that generations before them had deemed antiquated. "I remember in college," he said, "people would pass around cassettes of this band called Los Lobos, these young guys playing this old music with a lot of energy."
In 1989, Rodriguez started Los Cenzontles as a means to give context to the Mexican-American experience through music, to remind people of the vast cultural heritage of Mexican music.
The band, for instance, has been steeped for years in mariachi music, but it pushes beyond the popular conceptions of the horn-heavy bands playing in sombreros at Mexican restaurants.
"That modern mariachi style came of age in the 1930s and '40s and came out of big-budget movies of that period," said Rodriguez. "It's a lot like the cowboy music of the same era, the Roy Rogers thing, very stylized. And in Mexico, the old style was eclipsed."
It looked like the original mariachi style was dying out, said Rodriguez, until about a decade ago, he found an older musician who had learned the old style of mariachi music in rural Mexico, relatively unchanged from the mid 1800s. The new style, sans the horns and fancy outfits, is a string-heavy style designed for dancing.
"He taught us note by note, bowing by bowing, dance step by dance step, word by world this old style which is very different than we know today as mariachi."
At the Feb. 9 event, the group will perform some of that original mariachi music, sung in the language of the Purepecha, the indigenous people of the Michoacan region of Mexico.
Political activism is also part of the mix for Los Cenzontles but, said Rodriguez, a small part. Though the band is most concerned with reviving and re-energizing past Mexican traditions, they also speak out on issues, particularly in a political moment when the future of the United States is often couched in terms of growing Latino demographics. In that context, the group has in its set list the original song "Arizona: State of Shame," a protest song against the infamous Arizona anti-immigration law SB 1070.
"We played that song once at a school in front of a lot of Latino kids," said Rodriguez, "and one of the kids said afterwards, 'Dang, that takes some guts to say that out loud.' That's what happens in our community. We tend to sublimate our issues and our concerns. And it's time we got past that and stand up and speak out. What's right is right."
{ feb. 9 7 p.m.; Henry B. Mello Center for the Performing Arts, 250 E. Beach St., Watsonville; $12; a benefit for Sueños Aztecas and Esperanza del Valle; }
|
Changes: Talk:Useful macros for hunters
Back to page
(4.0.1 Changes: Sandbox Environment, example of proposed changes.)
Revision as of 00:59, February 28, 2011
Hunter Macro
I was just wondering if it is possible (and if so, how?) to write a macro to only cast Hunter's Mark IF the target does not already have Hunter's Mark on it. —The preceding unsigned comment was added by Dooble (talk · contr). 05:50, 21 November 2007
Don't know if it's really possible. A problem I encountered often lately, you can find out whether the mark is on the target or not through /script (see UnitDebuff), but you cannot cast spells in that code, and you cannot give the info back to the normal part of the macro, or cancel the execution of the macro. IconSmall Druidŋɑϑ 12:32, 28 November 2007 (UTC)
If you cast a Hunter's Mark on something already marked, it simply refreshes the the original mark so that it doesnt run out. If your Mark is a buffed one it takes dominance, if the one already there is buffed yours renews it.
Revive pet, Mend pet, Call pet and Dismiss pet in one button
For some time i had revive pet, mend pet and call pet in different buttons (and used spell book to cast dismiss pet), but then i came up with a macro that combines all those:
/castsequence [nopet] reset=20 Call pet, Revive pet
/cast [modifier:shift] dismiss pet; [target=pet, dead] revive pet; [target=pet, nodead] mend pet
I was really surpriced not to find this on hunter macro -page.
Actually i noticed that the dismiss-part cant be at the end of the macro, rearranged the commands :)
Swithu 00:29, 23 February 2008 (UTC)
Petattack macro with dynamic tooltip?
I'm using the one button pet attack macro, and have been scratching my head trying to get it to display a dynamic tooltip (or atleast icon) of the attack and follow commands. The problem is ofc that the pet attack and follow commands are not in the spellbook... Is there a way to get around this?
I have been experimenting by using #show and the name of the icons themselves as defined in the macros-cache.txt file, like below, but it doesn't work either.
#show [target=pettarget,exists]Ability_TrackBeasts;[target=pettarget,noexists]Ability_GhoulFrenzy
/petfollow [target=pettarget,exists]
/petattack [target=pettarget,noexists]
Any ideas?
Harrumph 13:40, 2 April 2008 (UTC)
I don't know how to do the tooltip, but Just use the ? icon to have it pick the icon based on the spell that it will cast first.
Dabombnl 05:53, 9 April 2008 (UTC)
On a warlock macro I use with drain life and two ranks of drain soul on it, I used #showtooltip as the first line and the ? icon, and the icon and tooltip both look like whatever spell will go off when clicked. --Azaram (talk) 01:44, 2 June 2008 (UTC)
(Later, after rereading) Not sure how, or if it's possible, to have it show a different icon depending on if there's a target or not.. --Azaram (talk) 02:52, 4 June 2008 (UTC)
Removed Some Macros
I removed all macros that had hunters and pets attack at the same time. Anyone who understand aggro knows this is a bad idea. Send the pet in first, then once he has a hit or two then start shooting. I understand that PVP hunters might do things differently, but the macros were titled "Farming" etc. for the most part. Anyway one suggestion going forward is for people to tag their macros with a PVP warning if they intend it as such. —The preceding unsigned comment was added by Shotgirl (talk · contr).
Removing macros because you don't like them is a bit much. Different people have different styles, and what works for me may not work for you. Whether or not it's something you would use is irrelevant; someone uses it or it wouldn't be here.--Azaram (talk) 02:52, 4 June 2008 (UTC)
Also, this page doesn't belong to you so don't go around altering other people efforts. You deleted too much in the first place. You could simply have renamed the PVP macros, or put in a text explaining what you opinion of that macro is. —The preceding unsigned comment was added by Jiminimonka (talk · contr).
Managing Mounts and Cheetah/Pack
I made a macro that enables me to mount or throw on Aspect of the Cheetah or Pack with one click, and thought I might share it:
/use [indoors,nogroup,nopet][combat,nogroup,nopet][button:3,nogroup,nopet]Aspect of the Cheetah;[indoors][combat][button:3]Aspect of the Pack
/use [flyable,outdoors,button:1]1 1
/use [flyable,outdoors,button:2][noflyable,outdoors,button:1]1 2
If you're alone (not in a group and don't have your pet out) and indoors, or alone and click with the middle mouse button, you will use Aspect of the Cheetah. If you do the same thing but are in a group or have an active pet, you will use Aspect of the Pack. If you're in Outland, outdoors, and left click the button, you will use a flying mount. The 1 1 indicates that the mount is in the first slot of your second bag, and may be adjusted to fit where your mount is. If you're in Outland, outdoors, and right click, or if you're outdoors but not in Outland and left click, you will use a regular mount (again, assuming that it is in the second slot of your second bag, can again be adjusted).
It sounds kind of complicated, but in my experience it's very smooth and easy to use. - Arnen (talk) 23:35, 9 June 2008 (UTC)
What's the deal with /castrandom?
Lots of the examples (now, with all the pre-3.0 stuff cleaned up) utilize /castrandom in a bit of weird fashion. Can someone explain to me whats the idea eg. here:
#showtooltip Attack
/castsequence Wing Clip, Raptor Strike, Wing Clip
/castrandom [target=target, exists] Mongoose Bite
I mean I have, (and it still works!) used the version where you have /cast raptor and /cast wing on separate lines, in single macro (works due to the fact that wing clip is immediate and raptor strike is queued for your next attack with melee weapons). After patch 3.0 and change to mongoose bite I would like to have WC + RS + MB in same macro, and this seems like the way to do it - however, can someone explain WHY it does work?
I mean, /castrandom and a single spell after it kinda doesn't look how documentation intends it to be used...
Zarhan (talk) 09:23, 20 October 2008 (UTC)
Answer: I believe it has to do with the way castrandom will automatically bypass spells that are not available. For example, when you use it for a mount macro, it chooses the mount you have in your bag (previously, this no longer works since you always have all your mounts now). So by making the MB segment a castrandom, it automatically ignores that line of code if Mongoose Bite is not available.
Ok, makes sense. However, this lead me into theorizing... I tried to make a spam-dmg macro:
/castrandom steady shot, arcane shot, arcane shot, arcane shot, arcane shot, arcane shot, arcane shot, arcane shot, arcane shot
With the idea that whenever arcane shot is available, the randomness would pick it over steady (in this case with 8:1 odds), and otherwise shoot steadies - that way I could just spam the button (/castsequence reset=2/target arcane, steady,steady just fails occasionally).
Other variant I tried was
/castrandom arcane shot
/cast steady shot
With the idea that if arcane wouldn't be available it'd skip the line and shoot a steady instead. Anyway, neither of these approaches didn't work - the former keeps complaining "spell is not ready yet" and doesn't shoot steady unless I really spam the button (Tried script UIErrorsFrame:Hide())- and latter one doesn't get to firing steadies at all.
Zarhan (talk) 20:53, 12 November 2008 (UTC)
Conditional button replace?
Ok, I know the answer to this is probably no, but no ask, no gain... Is there a way to replace, for example, arcane shot with kill shot when kill shot is A) active and B) not on cooldown? Doesn't even have to be an auto fire macro, just one that when it's up and ready to go, is there to be hit. --Azaram (talk) 19:55, 5 December 2008 (UTC)
Another use for it would be something like 'If I have a tenacity pet, show taunt and Master's Call, if I have a ferocity, show lick your wounds and rabid'... anyone know of a way to do that, or a mod that can? Too many buttons for the pet bar now. :-p --Azaram (talk) 06:41, 9 December 2008 (UTC)
More cleanup
I have updated the page to reflect 3.08 changes. Also broken the macros down into BM, MM, SV, and All Hunter Categories.
Might be controversial, but I added "macro-spammer" recommended specs. These are largely based on EJ's calculations, combined with my knowledge of the hunter class for what I think will work best for new players. Open to comment. —The preceding unsigned comment was added by Shotgirl (talk · contr).
Encourage new players to learn to spam macros is not something anyone should recommend, and definitely not EJ forum posters.
These macros listed are absolutely horrible. The SV one doesn't even have Explosive Shot, but even adding ES still makes them all terrible. They should be completely removed or noted that they are horribly inefficient. Kronchev (talk) 12:28, 22 June 2009 (UTC)
Hi everybody.
I'm having some problems trying to configure a MACRO with these sequences.
snake trap disengage concursive shot aimed shot serpent sting
I realy hope some help becouse I'm prety newbie in this making-macro world. Can you help me?
simple and obv
Just removed the "I'm not sure if /assist pet works" because it, uh, it does
Most of these are absolute trash. What's the policy for removing all of the worthless/non-working/poorly-written macros? -Auron 10:18, April 26, 2010 (UTC)
Hunter pet moves linked to hunter shots
I have been looking over the hunter macro page and have found a few useful things that I can apply to reduce the icons on my action bar but what I am really looking for is a macro that links a pets move with a shot/sting. Example being I want to link gorilla "Pummel" (spell interupt 30sec CD) to something like "Aimed Shot" so I use the ability at a more appropriate time rather than every 30 seconds if I am fighting casters. Another one is linking a Wolves "Furious Howl" to pet attack which I have keyed to "f" so I cast both at the same time. —The preceding unsigned comment was added by Balera (talk · contr).
4.0.1 Changes
With 4.0.1 going live on US Servers this morning, I suggest that we wipe the page and only add in macros that are absolutely guaranteed to work with this latest patch. There are currently a lot of outdated and poorly written macros that will need to be modified and rewritten in order to be usable. Finally, why do we have by-lines for some of the Macros? That seems to, at the very least, go against what Wikis are about. You are generally credited in a pages History. ♥ sunsmoon (talk & cont) 09:39, October 12, 2010 (UTC)
Example of Proposed Changes in a Sandbox Environment (please read my sandbox before editing!) ♥ sunsmoon (talk & cont) 16:37, October 12, 2010 (UTC)
Around Wikia's network
Random Wiki
|
Shared publicly -
For the Galaxy Tab 10.1 WiFi (P7510) users
Artem Russakovskii's profile photoCarmina Cantare's profile photoAdam Richardson's profile photoRyan Baker's profile photo
:) is it possible to dual boot the stock os and the pre alpha?
Afraid not; but that is where the benefit of making full ROM backups comes into play :) Recovery = your friend.
yea figured...but i was tired of doing that...dont like backup and recovery :/ would be nice if i can dual/tri boot :)
Why is the camera always the last thing to work? Honest question.
because the source is not fully out yet, I suppose
The camera issues stem from multiple reasons, but are generally related to framework changes, lib issues, or framebuffer issues. They can be worked around, but take a lot of time to do correctly.
Damn I am really regretting buying the Verizon version.....
So if only camera doesn't work, why exactly do you wanna release it as alpha? why not beta level? anyway you are providing it to everyone
Our beta's and stables always require 100% working hardware. As we've said before, quality > speed of release. Others can use the source and become the 'first stable', but by waiting till its ready, we remain the best bet ;)
you should make a build for the photon 4g.
we have an unlocked bootloader.
Would this work on a p7500r ? I only use it on wifi so wouldn't care if the 3g didn't work
Not to sound like a total idiot for lack of better wording but would the 10.1 mods work with the 8.9 tab? Essentially isn't the hardware the same minus the screen size? I am sure I am not the only one carrying an 8.9 who has these questions.
Is there somebody who is able to tell me what fastboot is?!?
To add to Chris Paik's comment how is this different from CM9 Kang?
Depends on the Kang. Most Kangs use CM source then change something here or there; this is a true snapshot of CM code and from a CM dev.
(Note: This comment is meant as a generalization, I have not tested the other builds mentioned).
Thanks for the straight forward explanation. Currently running CM9 Kang on my tablet with no problems other than lack of MTP and camera functionality. What I can't figure out is that CM9 for the GS2 has camera support (bar no video).
No, it is not working. Using Airdroid instead.
The MTP option in mounts does nothing? Settings > storage > Menu > USB computer connection > MTP
Are we able to flash this in CW Recovery or only the recovery from the download list?
The recovery in the download is suggested so you don't get assert issues
Any feedback from anyone on this...Charging my tablet...seems very tempting. Don't ever use my camera anyway.
Been using the KANG CM-9 pre-alpha for a couple of weeks now. It's great. The camera doesn't work but everything else does, so I would say that's pretty similar to this ROM. One thing though... I get about a day and a half less battery life, so I have to shut it off instead of using standby mode. But, oh well. I'm a geek and I don't care. Performance is definitely increased!!
At the risk of sounding like a brat (not trying too) I am curious as to how the camera drivers are coming. I read somewhere they got it working, it's the frame rate that is an issue right now. (can't think off the top of my head, it wasn't official, that much I know) so basically I'm asking what are we looking at that's causing the problem? (Don't worry about speaking over my level, dumbing stuff down makes people lazy.)
The recovery image given is actually a "CWM-based recovery". Other than the different color/version number, it looks/acts just like CWM. Since I was unable to figure out how to get my tablet into fastboot mode, I converted the recovery.img file to an odin usable image (instructions here:,
I was able to flash the CM9 ROM with no issues and its working perfectly! I also flashed Google Apps for ICS. My tablet, without Samsung's bloatware (not that there was a lot of it) is blazing fast!
Regarding MTP, I checked the setting on my slate and had no problems moving files to and from the tablet. Since I hardly ever use the camera on my tablet, I won't miss the fact that its not currently working.
My personal thanks to the CyanogenMod team! Now I have something to do while I eagerly await CM9 for T-Mobile's Galaxy S II and Amaze 4G.
Hi! Would like to know if usb on the go works on that rom? because with the Kang rom it doesn't, and I really need it, not only for usb storage mounting (I say that because I know that there are some aps to mount usb storage devices).
I am running mabalito's KANG of CM9 for my GT-P7500 (on xda) and I saw the latest release from 20/2/2012 has a new CM9 boot animation. I thought I would post in this thread since it is about CM9 on GT.
Would you consider using this as your new CM9 logo? I think this would work well with the new darker color scheme of ICS and compliments the CM branding quite nicely.
In other news. Keep you the great work! ICS makes my tablet what it should have been from the beginning. :D
As +Tom W asked before, would it work with the p7500 (GSM) version? I'm also not using the mobile data much so I wouldn't mind for now. I can live without camera and mobile data but am eager to try out CM9.
I know I repeat myself, but is usb host supported? did someone test it?
I consider a build unusable when the camera doesnt work...but then again I dont think a pre-alpha version is doing anything more than showing there's honestly good progress for this device. Bets are that it's unstable
Plan on installing later when I get home today.
+Zazie Lavender - It is actually quite stable. The camera doesn't work. Big deal. Its a pre-alpha release. Steve and crew were good enough to share it with us. Try it. You'll be pleasantly surprised.
+Scott Steinhart Did you read my comment properly? Build is unusable without camera...pardon for being a bit OCD about demanding all my hardware be 100% functional. XD
Especially since I want to be able to use ICS features like Face Unlock which pretty much require the camera drivers not to be on the fritz. Not to mention...some apps tend to cause FCs or ANRs when the Camera isn't working.
Just need usb to work, if anybody have an idea? It was working before I installed this.
Figrued it out from the +CyanogenMod post...Settings > storage > Menu > USB computer connection > MTP
+Zazie Lavender - I did in fact read it properly. And my point is simply that it is pre-alpha. Not even alpha. No one is saying you should use it. If you don't want to, don't. Its all good. Fact still remains that I am not experiencing any major issues. In fact, I'm using CM9 to type this out.
As far as face unlock is concerned, I'm sure by the time CM9 goes to nightlies, everything will be working. But don't worry, Apple will soon be awarded a (read: "steal the") patent for it and Google will be forced to remove it. (Yes... sarcasm)
Zazie Lavender - I think Scott did read your post right. You stated "Bets are that it's unstable". Scott simply stated that the OS is quite stable and I agree. I've been using it for weeks and have not had 1 FC. In case you didn't read that correctly, NOT 1 FC since the install weeks ago. Every thing I use is much faster than stock. Not having the camera doesn't make the OS unusable or unstable. Just because you feel the need for the camera doesn't mean that everyone else does. I have no need for the camera, could care less about the camera and have NO desire to go back to stock. The OS build is EXTREMELY stable. Your making assumptions about something that you haven't tried. The people who have tried it are telling of our experience not our assumptions.
I have yet to try an external keyboard. I have a Blue Tooth keyboard that I will pair in a little while.
Galaxy tab p1010? Never? I can be a tester for anyone. ;)
Stupid question, but is there a howto on putting this new firmware on the tablet ? I have rooted mine, and it runs with the latest version of Samsung's firmware. I just don't to brick it. Also, is there a way to backup the existing firmware, so I can restore it back ?
+Jean-Francois Messier If you have root, it's basically the same process. You have to flash the recovery.img the same way you did in order to root your device, then just flash the rom.
Craig L
+Scott Steinhart , thanks for the Odin package. I have a locked bootloader, so it's much more convenient to flash with Odin.
I didn't think the galaxy tab (or any Samsung device) had a locked boot loader...
Some galaxy tabs 10.1 were locked. I was thankful to get an unlocked one.
Craig L
Pretty sure quite a few of the retail wi-fi tabs have locked bootloaders. Hasn't stopped me from using a custom kernel.
Well if mine was locked, it gave me no issues. Took 15 minutes to root nandroid, and slap a rom on it
+Scott Steinhart I don't currently have Linux system up and running can you hook me up with that ODIN package also?
Well use Odin to flash the CW based recovery then install Rom from Clockwork.
+Samuel Cortez flashing CWM is easy odin. Takes maybe 1 minute. Very easy. But as +Adam Richardson said earlier Odin is used to flash a recovery image (ie: CWM) and then you use the recovery to do a nandroid backup and then flash your ROM of choice.
Is it possible to use CWM to flash the rom or is the provided recovery image necessary?
Add a comment...
|
Note: IMDb lists Rhodey as a colonel, while Wikipedia ranks him as a lieutenant colonel. I can't remember who's right. If the latter, Pepper would still not refer to him as "Lieutenant Colonel" unless she were being extremely formal. Trust me, I work for one.
It was a good thing, Pepper thought with some exasperation, that she could take notes practically in her sleep.
The exasperation was for herself, for once, not her admittedly patience-stretching boss. Here it was barely two weeks since he'd been nearly pulled to pieces by one of his oldest mentors turned insane, and he was pacing around his living room spinning off plans for the company while she knew all the while that he was thinking about the next...mission.
She really hated the thought. And it distracted her. But she kept taking notes, holding her game face and pausing in her typing only to discreetly scratch the persistent itch on the back of her skull.
It wasn't that she was going to argue. Even if she doubted his purpose, which she didn't, there was no way anyone was going to convince him to stop being Iron Man. And Pepper understood his reasoning, she really did. But that didn't mean she liked it. At all.
If nothing else, couldn't the man at least take a little more time to recover? She'd managed to get in people to fix the holes in his house, and even replaced the piano--whose bench she now occupied--but the roof of Stark Industries' lobby was still covered with tarps and the engineers were just now beginning to sort through the ruins of the arc reactor. Tony still bore bruises like fading tattoos along his shoulders and arms, and while he'd stopped limping even when he was tired, there was the undeniable truth in the dead reactor returned to its housing on his desk. He had come this close to dying. Again.
At least the first thing he'd done was whip up a couple of replacement Mark II reactors, just in case...
Tony was bouncing a little on his toes and staring out the opposite window, going on about agricultural research and desert farming, and Pepper reached up to rub at her irritated skin again. I really hope I'm not getting a rash or something...
"Do you want PR in on that one too?" she asked, mentally shuffling departments like a deck of cards.
"Nah, not yet, but get on their asses anyway. It's been two weeks and we've still got the press howling at the door. Have them fix that--a prepared statement, a water cannon, I don't care." He wrinkled his nose. "It's that or I'm gonna start taking the chopper to work, and Air Traffic Control hates it when I do that."
"That's because you insist on flying it yourself," Pepper reminded him, forcing her hand to stay away from her head. It itched.
"Only 'cause Happy lets me." He wandered in her direction, looking past her out the window. "Tell them that if they don't get rid of the reporters I'll start taking the suit to work, and then they'll really have something to do."
Pepper pinched her eyes shut. She didn't think he was actually serious, but just in case it was better to treat him as though he were. "You'll have to reinforce the helipad first."
His snicker came from behind her--close behind her. "Hey, Potts, when did you start dying your hair? Aren't streaks a little wild for work?"
She straightened. "What? I--"
She felt him touch the back of her head, just to one side of her ponytail, and then his hand clamped down over her shoulder. "Pepper, this is blood."
A flush of embarrassment heated her cheeks. I actually scratched myself enough to bleed? Dammit-- "I--it's nothing," she offered. "I'm probably just sensitive to my new shampoo or something."
The hand moved from her shoulder to her elbow and she found herself on her feet with barely a chance to set her laptop aside. "Come on. The first aid kit is downstairs."
"No it's not," Pepper countered, trying to resist his drag towards the stairs. "It's in the main floor bathroom."
"Yes it is, Potts, and move it before I pick you up and carry you," Tony said, all the amusement fled from his voice. His grip on her elbow was unbreakable and his expression was grim. "I dinged myself on a wire last week and I never took it back upstairs."
Deciding it was easier to humor him, Pepper let herself be guided down to his workshop at a pace almost faster than she could handle. Tony made her sit on his stool while he rummaged through the clutter, and she twisted her hands together in her lap and tried to control her embarrassment. "It's nothing, Tony. Just an itch."
"Every time the skin's broken there's a chance for infection, isn't that what you told me the last time you patched me up?" he riposted, dumping the first aid kit--a modified tackle box--on the workbench in front of her and popping it open. "Turn about is fair play, Ms. Potts. It's your turn to hold still."
She eyed the contents of the kit as he poked through it. "At least use the alcohol pads then, Mr. Stark," she said as his hand hovered over the hydrogen peroxide. "I've never wanted to be a bottle blonde."
His mouth curved, but he didn't reply, instead turning her on the stool so she faced away from the bench. His fingers released her ponytail with a gentleness that made her suppress a shiver, and then parted her hair over the sore spot. She was prepared for the cold sting of the alcohol, but not for his sudden curse when he pressed the pad to her scalp, or the extra spike of pain that made her suck in a breath.
"What the hell, Potts, are you growing spines now?" Pepper reached up automatically, only to have her hand knocked away. She tried to look over her shoulder, but Tony grabbed her head in both hands. "Hold still."
She could hardly do anything else. The feel of his warm palms pressed into her neck, his fingers spread over her cheeks, made the strange pain recede and a paralyzing thrill run through her. He hadn't touched her so intimately since they'd danced at the benefit, and Pepper swore at herself for being so susceptible--
"Jarvis." His voice was cold, and perfectly calm. "Diagnostic scan of Ms. Potts' skull, right now."
She opened her mouth, then closed it again as the hands left her head and one clamped again over her shoulder. This was getting weird and a little scary, and she didn't move as the robot arm whined down out of the ceiling to point at her face.
Tony stepped out of its way, but didn't release her. "Close your eyes," he told her, still in that quiet chilly tone, and she obeyed. Light danced over her eyelids, and she heard the hum pass over her head and down, and then cease.
"Diagnostic up," Jarvis reported, and she opened her eyes.
It was kind of neat to see a ghostly image of her own head hovering in Tony's workspace--an electronic painting, as it were, in three dimensions. It was also a bit eerie. She stood by Tony's side as he frowned at it. "Well?"
"Ms. Potts, you have several pieces of tempered glass embedded in your scalp," the AI reported. Dots of red sprang up on the virtual surface of her head. "They range in size from 2.54 centimeters to mere micrometers, and will gradually work their way out."
Pepper blinked at the image, remembering the fight on the roof, and the hideous crash of glass overhead that had briefly drowned out the shouts and the clashing of metal. She'd found tiny cuts all over her body later, but they had healed within a day or so, and she'd never noticed any other specific pain amidst the exhaustion of too much adrenaline and too much to do. She'd thought nothing more of the glass than to be grateful that she'd managed to shield her eyes.
"Well, if that's all..." Relieved, she swung round to face Tony, only to stop cold. He was still staring at her virtual head, and his expression was akin to the one she'd seen only when she'd told him she was quitting. Angry, agonized...and panicked underneath.
Then he glanced at her, and the emotion was shut down so quickly that Pepper almost thought she'd imagined it.
"Sit down," he said, pointing at the stool, voice still cool. "We need to get the rest of it out."
She opened her mouth to protest, and then thought better of it. The idea of having shards of glass in her head really was creepy. And I'll spend the next month twitching every time my scalp itches.
As she sat, Tony moved behind her once more, and Pepper glanced back at him. "You're not going to let Jarvis handle it?"
"No." His flat tone left no room for questions. "Jarvis, show me where."
Pepper held still as the AI used a laser to pinpoint the pieces. Tony's touch was amazingly delicate, and she quickly got used to the antiseptic burn, but she still had to control her flinches as he wielded the tweezers. Some of the shards were still beneath the skin, and as Tony went after one she couldn't help gasping a little.
"Dammit," Tony muttered, and Pepper realized that the muscles in the lean body next to her were all wire-tight. "Sorry."
"'S okay," she managed through gritted teeth. "Keep going."
She tried to understand why he was doing this, now, instead of letting the AI perform the extractions or merely ordering her to see a doctor. It was easier to be annoyed at his high-handedness--a fairly normal state for her--than to concentrate on the pain, or how being this close to him made her feel.
Somehow, over the last few months, she had become much more than fond of her boss. It was less of a pleasure and more of a torment, even if he'd brought no one home since he'd freed himself; Pepper was acutely aware of how attractive Tony was and how he didn't even have to try to win most women over. She wasn't about to ruin a well-honed working relationship by making a fool of herself--like so many others already had.
If she set her mind to it, if she endured, it would pass. Just like the hurt he was causing her now.
Finally the last shard clicked into the jar lid that Tony was using as a basin, and he pressed an alcohol-soaked pad to the wound--this one halfway between her forehead and her ear. "There," he said, not sounding relieved. "Done."
Pepper reached up to hold the pad in place, and Tony tossed the tweezers down on his workbench, picking up a rag to wipe his hands. He was scowling horribly, as if confronted with a knotty problem, but Pepper let it go for the moment, rolling her head on her neck to loosen the tension of holding still against pain. The worst of the stings were fading. "Thank you."
With an oath, Tony balled the rag up and threw it. It plopped limply down a few yards away, very unsatisfying, and he rounded on her, plainly and suddenly furious. "Don't you dare thank me, Ms. Potts."
Pepper stared at him, baffled. "I beg your pardon? Is common courtesy somehow verboten now?"
He snarled at her. "This is my fault." His fist thumped down on the workbench, making the glass pieces tinkle faintly. "You told me you weren't hurt!"
She remembered that, a dizzy and half-unconscious Tony grabbing weakly at her hand as she and Rhodey crouched beside him on the wrecked roof, his eyes struggling to focus on her and his arc implant flickering ominously. Pepper bit back the obvious response of what did you expect me to say and tried to be soothing.
"I wasn't, Tony. Nothing more than a few cuts and bruises." And you nearly died right there--again-- The memory had given her more than her fair share of nightmares since. It had been touch and go as Rhodey scrambled down to retrieve the Mark II implant from Obadiah's ruined suit; Pepper had clutched Tony's limp fingers in hers and kept talking, babbling, saying anything out of sheer superstition, because it seemed like every time she fell silent his implant would falter.
"That is more than a few cuts." He gestured at her. "That could have been your eyes, Pepper, or your throat. I almost got you killed!"
"Tony." She spoke firmly, using the tone that she employed to make him sit down and sign things he'd been putting off for weeks. "You had no way of knowing what was going to happen. You're not--"
"Yes, I am." He squeezed his eyes shut briefly, rubbing at the bridge of his nose. "Fuck. Pepper, I can't lose you."
Okay, he's going to say something we'll both regret later. Pepper gritted her teeth again, determined to maintain at least a shred of professionalism in the presence of the maddening boss who had nearly kissed her a few weeks ago and who had barely let her out of his sight since that desperate battle at SI headquarters. "A good personal assistant is hard to find," she said, trying to inject a little levity, "but you'd manage."
His bark of laughter had nothing to do with humor. "That's not what I mean and you know it. You're the only person I trust. The one I need."
Her throat swelled, and Pepper pushed away those frantic few minutes in the dark, sirens drifting up from below, as Rhodey held the flashlight in shaking hands and she struggled to reconnect Tony's stolen implant before he stopped breathing entirely. "I'm sure you could teach Colonel Rhodes, at least, to plug you in."
It was a feeble line, and she knew it; Rhodey's hands were even bigger than Tony's. But I'm not--
Her boss took two steps forward, grabbed her by the elbows, and shook her, though not hard. "No. You're what I need. You always have been. Dammit, you made yourself indispensable from Day One, and now I don't have the slightest fucking idea what to do without you!" His eyes were angry and terrified at the same time, and Pepper, frozen, couldn't look away. "And I don't have anything to give you, I don't know how to make you stay--"
She managed to find her voice. "I don't break my promises, Mr. Stark."
Tony's mouth twisted, and he released her with a jerk, turning away and running a shaking hand through his hair. "I am not talking about your damned job."
Pepper swallowed. "I know," she said as calmly as she could manage. "But I think you're just--reacting to recent events. Do you really think you'll feel the same way in six months, or a year?"
His laugh broke this time, an oddly hopeless sound that made an ache settle under her breastbone. "I don't know. Maybe I won't need air in six months, either."
His shoulders drooped, and he turned his head as though to hide his face from her completely. Pepper hesitated a long, long moment, knowing that this risk was the biggest of all for her, afraid to take it for fear of losing everything that mattered. Then Tony spoke again without moving, and his voice was small and uncertain.
"At least tell me if I should keep hoping."
The ache spiked into a sweet, sharp pain, and Pepper chose. Her touch on his shoulder made him spin back around, and all she saw was his widening eyes as she held him still for her kiss.
Her aim was a bit off--she honestly wasn't used to kissing anyone any more, let alone someone a fraction shorter than her--but as her bottom lip dragged across his top one Tony made an odd gasping sound and snatched her close, and corrected the angle before her fingers had finished burying themselves in his hair.
And oh, her clumsy offering blossomed into something glorious and very definitely mutual. Pepper had never been one to believe in the mystical connection of souls or any such thing, but for one long dizzying moment it was as though Tony had surrounded her in some kind of glad, welcoming heat--as though he was making her feel what he felt through sheer will.
It made her shudder in painful relief, as if tangled strands of her self were unknotting all at once. Her hands, of their own volition, slid down to cup the back of Tony's neck. He sighed against her mouth and kissed her again, slow and infinitely sweet, his hands wandering along her spine to be certain every second that she was real.
It was quite some time before they were calm enough to stop, let alone speak. Pepper couldn't make herself stop touching him, her starved heart suddenly overflowing with an unfamiliar joy. Since Tony didn't seem inclined to let her get more than a few inches away, there was no real problem. But when his hand stroked through her hair, the sensation was enough to make her pull back a little. "Ow."
Tony blinked, then blushed. "Sorry. Oh, damn, sorry--"
Pepper laid two fingers on his lips. "Stop it. I'm fine, just a little sore."
He kissed them, then tugged her hand down, his own reaching up to stroke her temple with a feather-light touch. "And here I thought you were just as hard-headed as me, Potts," he muttered, his eyes twinkling, and she snickered.
"It's a gift. --What is it?"
His soft smile was fading and he was staring at her forehead. "Are you bleeding again?"
Pepper lifted her hand to the spot, but there was no soreness, just a minute smear of blood that came away on her fingers. "Hey--"
She took Tony's hand in hers and looked closely. Sure enough, the tiny slice on the tip of his middle finger was oozing slightly. "You cut yourself."
"Huh." He didn't try to pull free, instead grinning a little. "You stuck me, remember?"
Amused, Pepper placed a kiss on the nick. "There."
She let his hand go, looking up at him with another smile, but the sheer force of his gaze caught her. His grin had softened into something fiercer, and at the same time far more intimate.
"That's it, Pepper," he murmured. "We've bled on each other, it's all over now. You're staying." He stroked her cheek, thumb hovering reverently over her lips. "Forever, hear me?"
Pepper's heart ached again at the vulnerability underlying his fierceness, but it was answered by that new joy. "In case you haven't noticed, Mr. Stark, you haven't managed to make me leave yet. Despite some really spectacular efforts."
His smile deepened. "Guess I'll have to put that energy into keeping you happy instead." The gleam in his eyes made her flush, but before she could reply he was kissing her again.
And that, Pepper decided, was just fine with her.
|
YOU ARE HERE: LAT HomeCollectionsMatisse
Thief makes off with $100 million in art from Paris museum
The five works stolen from the Museum of Modern Art include a Picasso and a Matisse. Paris officials say part of the museum alarm system had been broken since March 30.
May 21, 2010|By Devorah Lauter and Jori Finkel, Los Angeles Times
As dawn broke Thursday, authorities in the French capital had egg on their faces and a high-profile mystery on their hands: How did a thief slip into Paris' Art Deco-style Museum of Modern Art, across from the Eiffel Tower, avoid the three guards on duty and slip out with five paintings worth at least $100 million, among them works by Picasso and Matisse?
Those coming to grips with the loss said they were impressed by the feat.
"We're dealing with an extreme level of sophistication," said Christophe Girard, who is responsible for the French capital's cultural affairs department.
Others in the art world were focused less on the thief's skill than on what they regard as malfeasance by museum management. Paris officials revealed that part of the museum alarm system had been broken since March 30.
"The director of the museum should be fired right away," said Ton Cremers, a museum security consultant and former head of security at the Rijksmuseum in Amsterdam. "It's unthinkable that your security system not be fully working for two months. It's like inviting the thieves in."
Paris Mayor Bertrand Delanoe said in a statement that about $19 million was spent on a security upgrade from 2004 to 2006. When the alarm system broke, a maintenance company was notified immediately, but the new equipment never arrived.
"I'm particularly saddened and shocked by this theft," Delanoe said.
The mayor said he wanted an administrative investigation of the crime, in addition to detective work by a special police brigade.
Girard said the theft appeared to have taken place between 3 a.m. and 4 a.m. However, it wasn't discovered until just before 7 a.m. Thursday. News reports said security video revealed a lone figure sneaking in through a window. Officials are still trying to figure out whether accomplices were involved.
The missing paintings include Pablo Picasso's 1912 work "Pigeon With Peas," Henri Matisse's 1905 "Pastoral," Amedeo Modigliani's "Woman With a Fan" from 1919, Georges Braque's 1906 "The Olive Tree Near l'Estaque," and Fernand Leger's 1922 "Still Life With Candlesticks."
The value of the Picasso painting, a classic Cubist experiment with geometric forms, is estimated at about $28.5 million.
Interpol, the international police organization based in Lyon, France, was informed of the theft Thursday morning and immediately sent images of the stolen works to police headquarters in nearly 200 countries.
Thursday night, after the TV cameras had left, a few skateboarders were back, practicing jumps on what everyone calls "the dome," a U-shaped stone square between the Museum of Modern Art and the adjacent Tokyo Palace contemporary art museum.
"It doesn't shock me that they got in there," said skateboarder Kevin Keubeuze, 16, a regular at the site. "It's not a place that's super watched-over."
On many nights, people bring beers and might practice juggling or circus acts, he said. From "the dome," they can look at paintings inside the Museum of Modern Art through large windows.
Questions about the level of museum security previously were raised by the French media. A Picasso sketchbook was stolen in June from the Picasso Museum in Paris, and an Edgar Degas pastel was stripped from the Cantini Museum in Marseille in December.
Stephane Thefo, an Interpol officer with the unit specializing in stolen art, defended those responsible for museum security in Paris.
"They are serious people, who work well … but after all, in France like elsewhere, zero risk doesn't exist," Thefo said. "Even if you have good protection, there can still be a theft."
Chances are good that the art will be recovered, experts said. "The more famous an art piece, the harder it is to sell. We've found a lot of paintings that were very well known works of art," he said.
"There could be a demand for ransom from the insurer," he said. Or the thieves may not be able to get rid of their booty and simply leave the works somewhere.
That all might take awhile to play out. Cremers said about half the paintings stolen from museums are recovered, but it takes an average of seven years. The thieves in such cases, he said, "are usually ordinary criminals who also steal cars" and "have no idea what to do with the art."
Experts say it is highly unlikely that the heist was a theft-for-hire organized by a wealthy collector.
Pierre Cornette de Saint Cyr, president of the Tokyo Palace museum, told LCI French television just outside the cordoned-off museum that "no collector in the world is stupid enough to put his money in a painting he can neither show to other collectors nor resell without going to prison."
"So Messieurs les Thieves, you are imbeciles!" he said. "Bring back the paintings, please."
Lauter is a special correspondent.
Los Angeles Times Articles
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.