domain stringclasses 17 values | text stringlengths 1.02k 326k | word_count int64 512 512 |
|---|---|---|
Pile-CC | possible). It’s a role that is both strategic and tactical, combining the skillsets of a “mad scientist” and an “entrepreneur”, and blending together both business and technical insight (or even foresight!).
This position didn’t always exist. It is a C-level, leadership position that – in a large conglomerate – would typically require at least 8-10 years of experience. The problem is that 8-10 years ago – there wasn’t exactly a career path towards becoming a “Chief Innovation Officer”. What courses 8-10 years ago would you have taken to reach this career path? IT? Business studies? Computer science?
This fact was further brought home when we talked about the kind of jobs the conglomerate said they were hiring for at the moment: Data Scientists, startup incubators, developers, and such. 3-5 years ago (i.e. when you started college), how many places did you know provided the basic training to pursue these opportunities as careers?
In light of my first point, how do you build a “track record” for jobs that are in demand today but which did not exist previously? How do you “future-proof” your career path and avoid obsolescence? One of the best examples about career obsolescence comes from Danny Devito’s monologue towards the end of the movie “Other People’s Money”, redactions and emphases mine:
This company is dead.
I didn’t kill it. Don’t blame me.
It was dead when I got here. […]
You know why?
Fiber optics. New technologies. Obsolescence.
We’re dead, all right. We’re just not broke.
And do you know the surest way to go broke?
Keep getting an increasing share of a shrinking market. Down the tubes. Slow but sure.
You know, at one time there must have been dozens of companies making buggy whips. And I’ll bet the last company around was the one that made the best goddamn buggy whip you ever saw.
The key takeaway lesson for me as I think about this has been truly inspired by Tom Peter’s seminal, “The Brand Called You.” You are your own brand and company – be mindful of the PESTs around you so that you can prepare and pivot accordingly to avoid obsolescence. (In fact, this is part of the reason why I’ve made the career choices I did – but more about that on another day).
Innovation is one of today’s most sought after transferable skills.
Innovation isn’t just doing something in a new way. It’s about creating impact in a way that leads to sustainable results. In a way, it’s the “proper” answer to definition of insanity, popularly attributed to Einstein: “Doing the same thing over and over again and expecting different results.”
So, how do you become more innovative? Well, I’ve come across two quotes about creativity – one from the illustrious Steve Jobs and another by Colin Gottlieb, EMEA CEO of Omnicom Media Group – which I think applies to innovation as well. Both quotes highlight the fact that creativity is ultimately about making connections between two things that you wouldn’t ordinarily associate. Think about the conglomerate’s example I mentioned: remote-control drones in | 512 |
ao3 | in the waiting room and scrounge off all the people that come in. I'm sure the veterinary nurses will adore you."
"Anna!" Ben sounded thoroughly horrified. "You of all people should know not to encourage him. He's manipulating you."
"Well if he's clever enough to manipulate me then he deserves some pampering, don't you Dief?"
Ben raised his eyes and shook is head. He gave up. It was a conspiracy, Dief and the world against one lone Mountie.
* * *
* * *
Revelation
Dinner at the Vecchios" had been great if a little noisy. After half an hour of Francescas" probing questions Ray had kicked her under the table and after that she'd been sweetness and light. They were a good family and so welcoming Anna had been overwhelmed at first. Mrs Vecchio had
practically adopted her in the spot! Ray showing remarkable tact had left Anna and Ben alone in the garden, giving them a chance to talk. It hadn't been easy but it was worth it. For the first time in years Anna felt at some kind of peace with her past.
Steve had been a good brother to her for many years. Never growing bored of a little sister that was almost thirteen years younger than him. Anna had only fond memories of that part of her childhood. There had been three constants in her life: Mum, Steve and Ben. Ben and Steve had gone to school together in Inuvik. Now that she was old enough she realised that her family had probably given Ben a sense of belonging he didn't get from his Grandparents. She'd been a broken hearted little girl when he left. There was no one to talk to her
like a grown up or answer her unending questions of "But why?" As Anna grew up Ben had written regularly and visited whenever he could. Even when her and her family moved away from Inuvik.
Anna stretched out in her bed and giggled in remembrance. She'd been sixteen and just finishing another boring day at school when Ben had turned up out of the blue offering to take her home. The next day practically ever girl in the school had been her best friend, wanting to know who the blue eyed Mountie was! *And if Francesca Vecchio is anything to judge by he still has that effect on half the female populace.* Life had gone sour not long after that. Steve had become a different person, unable to hold down a job, always shouting. Two months after her seventeenth birthday Anna's mother had died. She'd suffered a massive brain haemorrhage. Things went from bad to worse. Anna shivered in remembrance. On her eighteenth birthday she'd taken the money her mother had left in her will and moved out of what had been her home. Steve was heavily into drugs and she had a hint of other shady business deals he was involved in. Her apartment had been burgled five times and she knew it was Steve, robbing to support a habit, his entire inheritance | 512 |
StackExchange | am currently using a bool separately, which isn´t something i prefer.
A:
They did some analysis here When to dispose CancellationTokenSource? and it seems that it's quite useless to try to correctly dispose it. Let the GC collect it (and if you look in nearly all the examples of MSDN it isn't disposed)
Q:
C# back color change
I just started studying C# in university and I have a problem with something. I need to make the back color change when I click one button with if-statement. My code is this:
BackColor = Color.Red;
if ( BackColor == Color.Red)
{
BackColor = Color.Blue;
}
if (BackColor == Color.Blue)
{
BackColor = Color.Green;
}
The problem is the back color changes to green instantly.. what should I do to make it change in the three colors? Sorry if the question is dumb.
A:
You need to understand the if conditions. The first if evaluates to true because you just assigned Color.Red to BackColor then the second if is also true because you just assigned Color.Blue to it.
Also if you initialize BackColor with Color.Red the first will be always true so it will be Blue this way. I guess you want to do this:
if (BackColor == Color.Green)
{
BackColor = Color.Red;
}
else if (BackColor == Color.Red)
{
BackColor = Color.Blue;
}
else if (BackColor == Color.Blue)
{
BackColor = Color.Green;
}
I would suggest you to read more about if conditions. Also, like Rotem suggested, please check about switch too.
Q:
Is it possible to execute Server side code before executing client side code in ASP.Net
I have a Link button in DataGrid for to edit the grid data, I'm using OnClientClick event for loading a modal form and also i'm using onSelectedIndexChanged event function of the GRID for loading editing data to to controls. see the server side code below
protected void GetSelectedData(Object src, EventArgs e)
{
String Team_Id = GridView1.DataKeys[GridView1.SelectedIndex].ToString();
using (MySqlConnection DbConnection = new MySqlConnection(ConfigurationManager.AppSettings["ConnectionStr"]))
{
DbConnection.Close();
string cmdText = "SELECT Team_Id,Team_code,Team_Name FROM Team_Details WHERE Team_Id=?Id";
MySqlCommand cmd = new MySqlCommand(cmdText, DbConnection);
cmd.Parameters.Add("?Id", MySqlDbType.Int32).Value = Convert.ToInt32(Team_Id);
DbConnection.Open();
MySqlDataReader DR = cmd.ExecuteReader();
while (DR.Read())
{
this.txtTeamCode.Text = DR.GetValue(1).ToString();
this.txtTeamName.Text = DR.GetValue(2).ToString();
}
}
}
see the Client side code for invoking the modal window,
function EditDialog(){
$('#newTeam').dialog("open");
alert(document.Team.txtTeamCode.value);
document.getElementById("cvCode").innerHTML = '';
document.Team.txtTeamCode.focus();
}
The problem is, while poping up the modal form, the fields (team code & team name) are getting blank. Please provide a solution to solve this issue.
A:
You could use an AJAX request to populate the modal pop-up's fields - call an object/service that would return the required data items and then modify the GUI accordingly.
Take a look at JQuery's get() function. For usability it's probably best to do this asynchronously.
Here's a decent tutorial that offers a possible implementation.
HTH
Q:
Difference between Z3 and coq
I am wondering if someone can tell me the difference between Z3 and coq? Seems to me that coq is a proof assistant in that it requires the user to fill in the proof steps, whereas Z3 | 512 |
blogcorpus | other out...our work overlapped in some circumstances...i knew that the news of her leaving meant a double work load for me...there was no doubt that they wouldn't replace her...just expect me to work double...this isn't the bad news...not even close...i got put on a project she was working on...with my ex. i have had to do actual work for him for about an hour in the past 3 years...until now..300+ hours over the next 4.5 months. We are both adults and I do realize that, but I do know that I hurt him and wounded his spirit and I also know that he isn't really over it...we haven't spoke, as in had an actual conversation since the beginning of february (with the exception of 2 cold sentences he IMed me today)...i have said before i do still feel a little guilty for the way things ended, but why this? why is it the past can never stay in the past and that it's always coming back to haunt us? why is it always the one most random thing that you never want to happen always happen? is god out to get me? is he forcing me to deal with things in the past that are better left in the past? do i let it go, keep the next 300 hours of our working experience completely professional without any chit chat about what we are doing on the weekend? what's with the constant drama?
Ahh, the Concierto de Aranjuez... if music be the food of love, Rodriguez's guitar concerto is the main course. Just let the music flow over your body... Anyway, as I absent-mindedly blog while listening to Rodriguez's greatest work, I'll say something about how things have gone since Tuesday. Well, Grade 8 was good, kinda. Everything went well, some things (Mahler, aural, sight reading) went very well indeed, some went alright but went a bit wrong once or twice (both Serocki movements, scales). Some things, as usual with me, went absolutely abysmally (chromatics, arpeggios, diminished + dominant 7ths). But still, 100% sure I passed, 96% sure I got enough marks for a merit. On whether I got the distinction I so yearn for... not sure, my childs. But, thanks more than a lot for lots of support ye all gave me - for example, Scott arranged a 'Hooré for Jon' session at 2:40 PM, Tom managed to remember to say 'Come on Jon!' at 2:40 in his lesson, Sam said 'GOOD LUCK ^^' which was incredibly nice to read... just, thankee lots of people *hugs everyone who he knows who was supportive*. Beginning to get a lot of the tickets through for Les Mis. The days stand as follows, at the moment... Thursday - Libby, Tobin, Laura, Fi, Nikky, Zoe Friday - Roskilly family (- Anthony)+ Phil, Sarah and her Nan (possibly, if I remember to tell her the number) Saturday - Grant family, Scott, Stanners, Buzzy, Pete, Curtis, Mel If you asked me to get you a ticket, and you don't see your name there, then I have forgotten. | 512 |
nytimes-articles-and-comments | or slave labour in a gulag does not compare to separate drinking fountains. The USA has issues - but when you look at 1944-1972, it was a shining city,
In that time frame - there were hundreds of lynchings, and tens of millions of murders in Europe and Asia.
@Michael D Perhaps, for starters, there is the pervasive denial of reality. The resulting climate change denial has made progress on this vital issue all but impossible. Or maybe the relentless assault on voting rights supported by false tails of voter fraud. Possibly the zealous attack on health care with even modest steps like Obamacare being subjected to endless litigation. Each of these have had the support of the overwhelming majority of elected Republicans at all levels. I think everyone reading this could add something.
Not really so mysterious why they U.S. undervalues motherhood and families - we are a capitalist, materialist culture and parenthood doesn't generate profits. Yes, we feminists in the US argued strongly for daycare and abortion rights - but primarily as vehicles for women having the choice to acheive supposedly "higher" goals in the workplace - making it to the corner office, or becoming a doctor, or working endless hours as an entrepreneur. We never pressed as strongly, as feminists in more socialist countries did, for long-term parental leave (e.g. Sweden, 480 days) or governmental stipends for families. In the 60s and 70s, my sisters and I were savagely disrespectful of our stay-at-home mom, snidely referring to her as a "household engineer." In this, we were only reflecting the broader societal thinking. Only when I had my two children and was begging her for advice, did I begin to realize what I now know - that being a parent, and particularly a mother, is the hardest job out there. The only way to get out of the current "no-win" situation for mothers is for to strongly challenge the value system we all operate on, where money defines value and success. Only then can we make progress in supporting families.
Rudy.
The others are venal, political, corrupt, sycophantic.
Rudy rose to the top of the list because...
1. Of course, the Four Seasons Landscaping episode.
2. Borat...because...
The horrid teeth in his faked smile.
Touching the girl as he did.
His stupidity at offering her a drink, then moving to the
bedroom, and then denying that he had any intentions.
Being caught adjusting his shirt as it was filmed.
I have never heard of any dictator being impeached, but anyway, when this circus is over, Trump will be giving State of the Union speech and declaring victory. All the Democrats have done is fire up Trump's base of supporters as never before and greatly improved his re election odds, especially if he goes up against someone lame like Sanders or Biden. Trump will come out of this stronger than before and so will the country.
As the saying goes, "let them eat cake." If anyone who is not rich, thinks the rich care about anyone who is not rich, I have some great swampland | 512 |
YouTubeCommons | which dialectics leads as a sign of the sterility of the dialectical method as Immanuel Kant tended to do in his critique of Pure Reason in the mid 19th century the concept of dialectic was appropriated by Karl Marx see for example Das Kapital published in 1867 and Friedrich angles and retold in a dynamic non idealistic manner it would also become a crucial part of later representations of Marxism as a philosophy of dialectical materialism these representations often contrasted dramatically and led to vigorous debate among different Marxist groupings leading some prominent Marxists to give up on the idea of dialectics completely topic Hegelian dialectic Hegelian dialectic usually presented in a three-fold manner was stated by Heinrich Moritz challi bosses comprising three dialectical stages of development a thesis giving rise to its reaction and antithesis which contradicts or negates the thesis and the tension between the two being resolved by means of a synthesis in more simplistic terms one can consider it thus problem reaction solution although this model is often named after Hegel he himself never used that specific formulation Hegel described that terminology to kant carrying on cants work victor greatly elaborated on the synthesis model and popularized it on the other hand Hegel did use a three valued logical model that is very similar to the antithesis model but Hegel's most usual terms were abstract negative concrete Hegel used this writing model as a backbone to accompany his points in many of his works the formula thesis antithesis synthesis does not explain why the thesis requires an antithesis ever the formula abstract negative concrete suggests a flaw or perhaps an incompleteness in any initial thesis it is too abstract and lacks the negative of trial error and experience for Hegel the concrete the synthesis the absolute must always pass through the phase of the negative in the journey to completion that is mediation this is the essence of what is popularly called Hegelian dialectics according to the German philosopher Walter Kaufmann Viktor introduced into German philosophy the three-step of thesis antithesis and synthesis using these three terms shelling took up this terminology Hegel did not he never once used these three terms together to designate three stages in an argument or account in any of his books and they do not help us understand his phenomenology his logic or his philosophy of history they impede any open-minded comprehension of what he does by forcing it into a scheme which was available to him and which he deliberately spurned the mechanical formalism Hegel derives expressly and at some length in the preface to the phenomenology Kaufman also cites Hegel's criticism of the Triad model commonly Mis attributed to him adding that the only place where Hegel uses the three terms together occurs in his lectures on the history of philosophy on the last page but one of the section on canned where Hegel roundly reproaches Kant for having everywhere posited thesis antithesis synthesis to describe the activity of overcoming the negative Hegel also often used the term alpha bang | 512 |
goodreads | devotee by any means, but I tend to rate books based on how entertained I am. Say what you want about Mao's historical record, but the man sure could write and speak.
This book was sweet and funny. The perfect kind of story for when you want something light and fun to read.
Yes, at times Estelle came across a little whiney and judgemental about New York but, as a person who doesn't like the hustle and bustle of a busy city, I could relate to her on that level. And let's face it, Crosby makes Estelle's flaws seem unimportant to the story.
I love the meet-cute between Estelle and Crosby and the easy progression of their friendship into something more. But it was the Chase family dynamic that rounded out the story for me. I hope we get to see more of them in the future.
*I received an ARC from NetGalley in exchange for an honest review
I have actively sought out true crime stories since I was a Teenager... never have I ever heard of these events. Thank you Mr. Grann. Could you imagine 25 people being killed in any community. But it was fun meeting Agent White.
I love J.R. Ward. She was the author that got me interested in paranormal romance/urban fantasy writing and reading. "The King" is good, but not nearly as good as the other books in the series. For example, I fell in love with Wrath as the blind vampire king, but the truth is that in "The King" he plays almost a sub-par role next to Assail. I really wanted to love this book, but there was something about it that felt flat and uncoordinated. I absolutely would recommend this series to everyone and anyone that loves vampires and alpha-male types, but I can't say this book is necessary to read. In fact, it might make you nostalgic for the good 'ole days of Wrath, Rage, Zsadist, Vishous, Phury, and John Matthew! Oh, wait! I actually loved loved loved Payne's story, so let me throw her in there!
I like ramen... I think you need to LOVE ramen to truly enjoy this cookbook. The recipes were well written and it was beautifully photographed. I just don't think I'll ever do it. I'm far too lazy. Which is not to say that others won't find this a great cookbook.
If this book were a biscuit, it would be a Tim Tam. The heart-warming story of a Kiwi girl who bravely travels to the other side of the world to make a fresh start after losing her husband and soul mate. As Darrell sits alone in her local cafe, she speculates about the lives of her fellow coffee drinkers and gives them all names. When Big Man is taken ill, it gives the coffee drinkers the excuse they need to talk to each other (all but one are British, after all). From then on tables and lives are shared. Meanwhile, back at the house Darrell is renting, 'studly' gypsy builder Alenso watches Darrell with darkly brooding eyes. A very | 512 |
reddit | a moment with my good eye and thought of what I could be throwing away. What would I do? Where would my life go? All those things seemed insignificant in that moment. I would be able to dream without fear and sleep without a presence lingering over me. My dreams would be my own again and that would be the long road ahead. I turned back. "Yes, I am okay with that." I said and for the first time I stood a little taller than her.
I think all of the games faults come from warping. The areas are less memorable because you finish then warp out, no shortcuts makes going from place to place a chore, enemies are less intelligently placed because you warp around, and side quests are easy to miss because why march through no man's warf twice? The third one really busts my nuts. The fourth bonfire at FoFG leads no where and as soon as you exit the cubby you get killed by two big turtles and an archer. FROM didnt need to care about making that bonfire hard to leave because you can just warp out. Or the second in FoFG after the ladder and you open the door to pursuer; if you go from that bonfire to the boss two spear knights you cant see do their three hit combo before they even see you which results in a spear sandwich that running and jumping past them wont even dodge. And because of warping going to majula to level is possible but it adds loading time and i find it unnecessary. It doesnt make you more cautious about dying and losing your souls because you just warp there and no more danger whatsoever. Its a bloody chore and by the end i didnt even care to go back to majula, i just kept going to prevent losing the rush of adventure from dragon arie until the throne
All the downvoted comments aside, in practice that's not always true. Depending on the game engine. Look at Star Citizens when it was still on CryEngine, lag would cause drops in framerate. In a perfectly multithreaded world, frame rate shouldn't have much of anything to do with latency. But as long as engine loops aren't perfectly multithreaded, there can definitely be a dependency.
Cool, I was thinking that getting placed in the city would be a good backup plan in the likely event I can't get space out on the edge. Nice to have a guideline for the power cutoff there. I don't know what I'm in for, but I do know how to over-engineer. Planning for Normandy, I like it. One of the reasons I'm starting on this right now is that I know I have a whole ton of things to figure out.
Damn good... Yesterday morning I saw [this post ](http://www.reddit.com/r/cigars/comments/2btknn/my_favorite_small_cigar_viva_republic_guerrilla/) by /u/Myfirstandlastname and said ah hell it's Monday and a 5er is $20. I live very close to Atlantic Cigar but haven't been there (which will change.) But I ordered this shit at 9am yesterday and it | 512 |
StackExchange | display.newImageRect( "field.png", 330, 330 ) ; field.alpha = 0.2
field.name = "field"
field.x = magX; field.y = magY
physics.addBody( field, "static", { isSensor=true, radius=180, filter=fieldFilter } )
magnet = display.newImageRect( "magnet.png", 128, 128 )
magnet.name = "magnet"
magnet.x = magX ; magnet.y = magY
physics.addBody( magnet, "static", { bounce=0, radius=40, filter=magnetFilter } )
function magnet:touch( event )
Runtime:removeEventListener( "touch", screenTouch )
if event.phase == "began" then
self.markX = self.x -- store x location of object
self.markY = self.y -- store y location of object
elseif event.phase == "moved" then
local x = moverX --(event.x - event.xStart) + self.markX
local y = (event.y - event.yStart) + self.markY
self.x, self.y = x, y
if self.y > 500 then self.y = 500 end
if self.y < 100 then self.y = 100 end
magX = self.x
magY = self.y
else
Runtime:addEventListener( "touch", screenTouch )
end
return true
end
magnet:addEventListener( "touch", magnet )
A:
fixed by adding transition.to( field, { time=1, x=self.x, y=self.y } ) to the elseif event.phase == "moved" then
function magnet:touch( event )
Runtime:removeEventListener( "touch", screenTouch )
if event.phase == "began" then
self.markX = self.x -- store x location of object
self.markY = self.y -- store y location of object
elseif event.phase == "moved" then
local x = moverX --(event.x - event.xStart) + self.markX
local y = (event.y - event.yStart) + self.markY
self.x, self.y = x, y -- move object based on calculations above
--print("touch")
if self.y > 500 then self.y = 500 end
if self.y < 100 then self.y = 100 end
magX = self.x
magY = self.y
transition.to( field, { time=1, x=self.x, y=self.y } )
else
Runtime:addEventListener( "touch", screenTouch )
end
return true
end
Q:
Use matrix types as fragment shader output in OpenGL
In OpenGL, a matrix takes up multiple locations in a shader (one for each column). So when using a matrix in a vertex shader as an input it is necessary to call glVertexAttribPointer() multiple times.
I am wondering if it is possible to do something similar for matrix types as outputs in a fragment shader when rendering to multiple framebuffers. That is, I would have 4 different textures in a frame buffer bound to color attachments 0 through 3, and then I could have a layout(location = 0) out matrix4 out_mat that I could write to with the fragment shader.
Am I correct in assuming that this would work?
A:
For the output of a fragment shader, a matrix data type is not allowed :
See OpenGL Shading Language 4.60 Specification - 4.3.6. Output Variables, page 54:
Fragment outputs output per-fragment data and are declared using the out storage qualifier. It is a compile-time error to use auxiliary storage qualifiers or interpolation qualifiers in a fragment shader output declaration. It is a compile-time error to declare a fragment shader output with, or that contains, any of the following types:
A boolean type
A double-precision scalar or vector (double, dvec2, dvec3, dvec4)
An opaque type
A matrix type
A structure
But the output of a fragment shader is allowed to be an array:
e.g.
layout (location = 0) out | 512 |
gmane | the kamailio service has been restarted
succesfully and no errors occurred.
Blink is configured to use my server name with tls and port 5061 for
MSRP.
I get this error on Blink when i try to send files:
https://p.dnaip.fi/X4vwoy40
Any suggestion what is going wrong?
Cheers,
-- Olli
Hi, I was wondering if netfilter can do the following:
If a packet has dest ip X, dport 110, do a DNAT --to IP Y, record the SRC IP
If a subsequent packet comes into dest IP X, from that SRC IP, --dport 25 from the same IP, DNAT --to IP Y also.
This is to do some work with POP-before-smtp, if you wondered why such a
demented thing would be needed.
John
Has anyone had a need to put more than 7 7920's in a single area?
I happened into an site where there are about 40 roaming a bldg...
More than 7 calls and it drops a call..
How can you load share the AP's for this?
There is a bug on the 1200 code that affects 7-9 phones, but there could
be as many as 10-15 in a single area at a single moment.....
Aironet extensions won't work..
And I don't see any docs on QBSS on CCO..
I have someone looking into it at Cisco, but I know someone here has to
have seen it...
Thanks,
Jim
Hi,
vCPU migration delay is a parameter of the Credit1 scheduler specifying for how
long, after a vCPU stopped running on a particular pCPU, the cache(s) should be
considered "hot" for the vCPU's working set. Basically, if less than the value
set for such parameter (in microseconds) passed, the vCPU is not considered a
candidate for migration on another pCPU.
Right now, the parameter is set at boot, or through the PMOPS sysctl (!!!)
used, e.g., by xenpm. The value, once set, is effective for *all* the instances
of the Credit1 scheduler, in any cpupool that exists already, or that will ever
be created. But the really bad thing is that building Xen without Credit1
support (CONFIG_SCHED_CREDIT=n, it can happen, e.g., when doing randconfig),
currently, fails.
Instead of "just" fixing the build breakage (e.g., with #ifdef-s), this series
does the following:
- makes the migration delay a per-scheduler (== per-cpupool) parameter,
- makes it possible to get/set the parameter via the SCHEDOP sysctl, where it
belongs (it's a _scheduling_ parameter, not a power management one).
Note that, with the series applied, `xenpm {get,set}-vcpu-migration-delay'
commands continue to work, for backward compatibility. In fact, they are
re-implemented via SCHEDOP, and a deprecation warning message is added.
The series is available as a branch here:
git://xenbits.xen.org/people/dariof/xen.git rel/sched/credit/vcpu_migr_delay_percpool
or here:
https://github.com/fdario/xen/tree/rel/sched/credit/vcpu_migr_delay_percpool
Travis is red, but that seems to me to be related to ARM infra issues, rather
than to problem with the series itself:
https://travis-ci.org/fdario/xen/builds/344835704
Regards,
Dario
Stephan,
I guess you want to a bit of linux porting on this device. It has CF slot based on this doc, http://www.brighthand.com/article/MiTAC_Mio558_Gets_FCC_Approval
Start here: http://www.handhelds.org/z/wiki/PortingToOtherPDA
Have a look on Axim and H2200 sites.
If you are brave enough, open it, identify | 512 |
YouTubeCommons | doesn't know how to be in place and I didn't I drop her because I will never drop a [ __ ] I won't do it if I think she's too big so I flipped her and she's starting to slide down my body and I get her to put her like knees here likes to die no Vicks watching me like do this and he is laughing the whole times like this is [ __ ] ridiculous Melissa I don't know why you're doing this I was like why not and like there were some people who really didn't get off while filming that and I understand that because most of our guy directors are like I wanna see you [ __ ] [ __ ] I don't wanna see you flip a [ __ ] right also to I think like I know for me as a director I would be the whole time like oh my god is there gonna be a workers comp claim she's gonna drop her my hip take him to the hospital like you know only thing about like liability issues with me just asking no no no no that was fine I mean I don't remember you doing anything that was like super insane like you know you didn't use her as a human mop so so obviously dude I've grouse shooting lately I think also to like people love seeing something that's so you that's so unique and different it's like porn has been shot so many times so many different ways it's it feels like there's nothing new to do you know we've done it all so when there's something new and different I think people really jump on that because people you know they like want variety like for me it's something unique one like I had Derek Pierce come up to me one time and he's like you know way to go what do you mean it goes Phoenix 2.0 and what are you talking about he goes no other chicks been in this 13 years and revamps herself yeah not like you were ever not but he goes you have something no one else can do you know it's totally your niche thank you so much for watching if you enjoyed the show make sure that you subscribe so you don't miss a single episode and go check out all the other videos I film every single one of my podcasts and if you want to listen to the audio version I'm on iTunes and all the other podcast platforms visit Holly Randall and filter com to find out more
foreign [Music]
global fleet management has gone from an exotic concept to something sweet managers are making happen despite all of its complexities and nafas IFA is an important part of the equation I'm delighted to be back at the international fleet Academy it's been interesting to see how the conversation has evolved over the past few years what we call global fleet management international fleet management multinational fleet management it's gone from being an exotic concept that people were | 512 |
ao3 | a particularly wretched day, Xiaofan found herself invited out by a group of physicians. While she didn't particularly enjoy social situations, she felt the need for some company and a cup or two of ~choujiu~, so, she went.
Chicken Soup
**Author's Note:**
> I usually don't write Modern Au but I had been thinking of a story like this for a while so I couldn't help myself. I hope you enjoy reading this and have a lovely day my friend!
"Alexander!" John yelled from across the house. "Take a break already and get your ass to bed."
It had been a long day but that wasn't new in the Hamilton family. Alex being at the end of his year for medical school, he was being crammed with all the homework and don't even think about mentioning finals to the already exhausted man, oh and may I also mention father?
Right at the moment, young Philip walked out from around the corner. Alex's head immediately popped up to see what his son was doing up this early. With a quick glance at the clock and learning is was 2:23 am, Alex stood and walked over to his son.
He crouched down to be at the same height as him. "Hey, buddy why are you up this early. You need your sleep so that big mind of yours can get the rest it needs." He rubbed his hand up and down is arm in a soothing way as Philip seemed to half awake, and ready to fall over at any moment.
"I heard dad yelling." He replied back wearily. He rubbed his eyes with the back of his hands. Alex made a mental note to remind John that their kid was kind of asleep at their house at 2 am. They really didn't need to wake him as it's already hard enough to get Philip asleep in the first place. Philip was known for having nightmares, it just became part of the routine. But when the nightmares had come around, he started to refuse to sleep. Everything to tried just didn't seem to work with him so it just started to come down to pure luck if he would sleep or not.
"Well, I'll have a talk with dad. How about we get you back in bed?" Alex stood up and reached out so Philip could take his hand.
With a small nod of the head, he started to walk him back but noticed in Philip's tiredness he seemed to stumble in his steps.
"Here, let me carry you." He didn't even wait for a response as he scooped up is 8-year-old. The walked back to his dinosaur themed room. Alex lightly set Philip down on his bed and pulled his covers up and made sure is was comfortable before slowly walking out of the room. He pushed his hair back out of his face as he walked back over to his desk; only to find John looking over his books and notes.
"What are you doing? Alex asked as he walked up to | 512 |
gmane | with a midi guitar
may not agree with yours.
Happy Midi
Hi folks.
I was wondering what's the meaning of the "Feels like:"
field in gweather applet Details dialog.
Is it a value the temperature tends to or the temperature
people feel in despite the real temperature (e.g. when it's
windy the temperature people feel is less than the real
one)? Or is it something else?
Thank you in advance.
Hi All,
I would like to be able to do the following:
1. I have a project with a number of dependencies
2. I have a properties file in the project source wich should use some
names and versions of a subset of the artifacts from the dependencies
3. I would like that when I package the project, the selected artifact
names/versions are replaced somehow in the properties file.
It is possible with any of the existing plugins? I searched quite
extensively the documentation but I could not find anything.
Thanks in advance.
Stefano
Hi Everyone!
I have already created Tony Distefano's original 2MB Memory Upgrade design in Eagle Professional a while back, but I never have had the funds to make prototype PCBs at OSHPark and see if it will actually work. I am using 30-pin SIMMS in this design instead of ICs. I just quickly checked for the files and I still have them ready to go. I'll need to take a little time to make sure the schematic and layout is correct, but it is basically all entered into Eagle Pro 6.6.0. I'd like to get another Coco familiar electronics engineer in on this project to help me make sure the design is sound. Is there anyone who would like to assist me in this endeavor?
On a side note, I'm currently still trying to figure out why my 512KB Static Memory Upgrade PCB does not work yet. I could use a Coco familiar electronics engineer on this one too. Thanks in advance for any help on these and other projects. Take care my friends.
Kip Koon
uatbL7E1j548gBmF@example.com
http://www.cocopedia.com/wiki/index.php/Kip_Koon
Hi,
Another question.
Is it possible to set the WMS opaque="1" true in Geoserver?
I would think since the Geoserver datastores are vector this
could be done for image/png
It would be useful for overlaying disparate WMS sources. This is only
because there are so few WFS sites currently. So far I have not run across
any WMS that actually had an opaque="1" attribute.
I guess the WFS cascade supercedes this by letting a Geoserver WFS become a
datastore in its own right. If I understand how this would work a Geoserver
WFS could be set up with a featuretype, then a datastore could be added that
uses this WFS featuretype, which in turn could then be styled and rendered
over WMS.
As far as interoperability, cascades are actually better, but I had a client
wonder about adding multiple WMS layers together from multiple sources. The
only way I could see to do this now, is to take say a USGS Atlas layer as
image/jpeg and using server side JAI | 512 |
StackExchange | child, will she be able to provide passive immunity to her children?
It depends on the vaccine. Generally, if the mother still has high levels of protective IgG during the third trimester (especially if it's type 1 or 4), those antibodies will cross the placenta and provide passive immunity to the newborn. In whooping cough, though, good levels of newborn IgG require vaccination in the third trimester.
Maternal immunizations
Immunizations are given to adult women prior to conception, while pregnant, and after delivery to protect the mother from infection, protect the fetus from infection, protect the fetus from congenital anomalies associated with maternal infection, and to protect the newborn from infection through passive immunity and through decreased exposure to infected contacts. The exact recommendations differ for different vaccines and different levels of maternal risk. From the same recommendation, you can see that some vaccines are recommended only if maternal antibody titers are negative and some are recommended regardless of maternal antibody titers or prior immunization.
Passive immunity of the newborn
IgG undergoes active transport from the maternal circulation to the fetal circulation across the placenta.
The reference linked above is an excellent review of transplacental antibody transfer and the science that underpins maternal immunization recommendations for passive immunization of the newborn (especially in the case of whooping cough). Key points here include:
Newborn IgG levels correlate with maternal IgG levels (i.e., the active transport mechanism isn't saturated in most cases). This suggests that low IgG for a particular antigen in the mother will result in low IgG for that same antigen in the newborn.
Antibody transport begins as early as week 14, but both the total transport and the rate of transport increases over the length of the pregnancy. This suggests an hypothetical optimum time for an intervention that would temporarily boost the level of any antibody.
Pertussis example
Whooping Cough, or pertussis, the illness caused by Bordetella pertussis, an encapsulated bacteria, is quite dangerous in the newborn. A few years ago recommendations for vaccination against pertussis were updated to immunization in the third trimester, regardless of the mothers prior immunization status. This recommendation is based, in part, on the understanding of transplacental transfer of IgG described in the article I linked in the earlier section, and in part on data on the association between timing of maternal immunization and fetal, all in the context of increased pertussis case rates.
Shortly after these recommendations were updated, additional, more thorough data confirmed this recommendation, though it suggested a slightly narrower window for the ideal time of Tdap administration (from 27-36 weeks to 27-30 weeks).
An aside re: the relationship between passive immunity of the newborn and childhood immunizations
Passive immunity from antibodies transferred to the fetus during pregnancy declines pretty sharply after birth. By 8 months the maternal IgG contribution is effectively gone. This is passive immunity because only the products of B-cells (the antibodies) are transferred. Immunization of the child, on the other hand, provides active immunity, because they develop the capacity to produce their own antibodies. I'd refer you to the | 512 |
StackExchange | text file containing data like this:
This is just text
-------------------------------
Username: SOMETHI C: [Text]
Account: DFAG Finish time: 1-JAN-2011 00:31:58.91
Process ID: 2028aaB Start time: 31-DEC-2010 20:27:15.30
This is just text
-------------------------------
Username: SOMEGG C: [Text]
Account: DFAG Finish time: 1-JAN-2011 00:31:58.91
Process ID: 20dd33DB Start time: 12-DEC-2010 20:27:15.30
This is just text
-------------------------------
Username: SOMEYY C: [Text]
Account: DFAG Finish time: 1-JAN-2011 00:31:58.91
Process ID: 202223DB Start time: 15-DEC-2010 20:27:15.30
Is there a way to extract Username, Finish time, Start time from this kind of data? I'm looking for some starting point usign R or Powershell.
A:
R may not be the best tool to process text files, but you can proceed as follows: identify the two columns by reading the file as a fixed-width file, separate the fields from their value by splitting the strings on the colons, add an "id" column, and put everything back in order.
# Read the file
d <- read.fwf("A.txt", c(37,100), stringsAsFactors=FALSE)
# Separate fields and values
d <- d[grep(":", d$V1),]
d <- cbind(
do.call( rbind, strsplit(d$V1, ":\\s+") ),
do.call( rbind, strsplit(d$V2, ":\\s+") )
)
# Add an id column
d <- cbind( d, cumsum( d[,1] == "Username" ) )
# Stack the left and right parts
d <- rbind( d[,c(5,1,2)], d[,c(5,3,4)] )
colnames(d) <- c("id", "field", "value")
d <- as.data.frame(d)
d$value <- gsub("\\s+$", "", d$value)
# Convert to a wide data.frame
library(reshape2)
d <- dcast( d, id ~ field )
Q:
binding a dropdownlist to a database
I want to bind a dropdownlist to a database. I did the following coding but it isn't working.
using System;
using System.Configuration;
using System.Data;
using System.Linq;
using System.Web;
using System.Web.Security;
using System.Web.UI;
using System.Web.UI.HtmlControls;
using System.Web.UI.WebControls;
using System.Web.UI.WebControls.WebParts;
using System.Xml.Linq;
using System.Data.Odbc;
using System.Data.SqlClient;
public partial class _Default : System.Web.UI.Page
{
protected void Page_Load(object sender, EventArgs e)
{
if (!IsPostBack)
{
rebind();
}
}
public void rebind()
{
try
{
OdbcConnection myConn = new OdbcConnection(ConfigurationManager.ConnectionStrings["myconn"].ConnectionString);
string sql = "select casename,casecode from casetype";
myConn.Open();
OdbcCommand cmd = new OdbcCommand(sql, myConn);
OdbcDataReader MyReader = cmd.ExecuteReader();
{
DropDownList3.DataSource= sql;
DropDownList3.DataTextField = "casename";
DropDownList3.DataValueField = "casetype";
DropDownList3.DataBind();
}
}
catch (Exception ex)
{
Response.Write(ex.StackTrace);
}
}
}
I am getting the error as
at _Default.rebind() in c:\Documents and Settings\a\My Documents\Visual Studio 2008\WebSites\toolbar1\Default.aspx.cs:line 32
Please help me to solve my problem and bind the dropdownlist to a datasource.I want my dropdownlist to display text from a database column and use the value field for some other purpose later on in code. I am getting the page displayed when i run the project but not able to get the data in dropdownlist
A:
Did you try using DataAdapter like this?
public void rebind()
{
try
{
OdbcConnection myConn = new OdbcConnection(ConfigurationManager.ConnectionStrings["myconn"].ConnectionString);
string sql = "select casename,casecode from casetype";
myConn.Open();
OdbcCommand cmd = new OdbcCommand(sql, myConn);
OdbcDataAdapter adapter = new OdbcDataAdapter(cmd);
DataTable dt = new DataTable();
adapter.Fill(dt);
DropDownList3.DataSource = dt;
DropDownList3.DataTextField = "casename";
DropDownList3.DataValueField = "casecode";
DropDownList3.DataBind();
}
catch (Exception ex)
{
Response.Write(ex.StackTrace);
}
}
Q:
How to get automatic upgrades to work on Ubuntu Server?
I followed the documentation for enabling automatic | 512 |
reddit | see her in that state. So, I went out longboarding with my friend. Eventually, I got a call from my dad that she had passed away. After the phone call ended, I just let it all out, I was a mess. Then my friend gace the most needed hug that I ever have. That has been the single hardest death in my life. I lost my only mother figure...
Looks pretty good bro. Just because you asked, I'll share some tips. You seem to be unflexing your quads at the top.. try squeezing it real hard at the top, releasing and then go down. TUT sort of thing. Works for me sometimes, but not always. your lower back is arching out slightly, and it makes your "coming out of the hole" slightly wobbly/unstable. keep your lower back flexed out and your abdomen filled with decent amount of air+stabilized/flexed. should help a lot. Finally, if you're doing 5x5, you might want a wider stance or a more exaggerated spread angle for your knees. I only saw the side views, but I think that's about all I could pick up. :D Keep lifting strong bro!
I know your frustration- I also missed many "popular" movies and TV shows (lesser degree music) that my friends grew up with. At first, people reacted as you described, with lots of wailing and gnashing of teeth at my sad lack of familiarity. Eventually, people will stop being so over dramatic about it. What I found helps is to ask them to show me. I haven't see Jaws and it's a travesty? Well then, show me. It gives us something to talk about and builds the relationship. Additionally, I've also read a lot more than most people (the reason for my lack of movie/TV education), so I can respond to their comments in kind. "I may not have seen Jaws, but have you read Watership Down? No? Well, now we're equally disappointed in each other." As for them judging your tastes, that's a bit more in the asshole arena of behavior. Your friend insulted your music (the bleep bloop comment) and you ended up apologizing to her? Not ok. You should be able to simply say, "it's what I like," and not feel like they are going to judge you. And if they brush off your feelings, then they aren't really friends.
If you have a changing bag do as willmeggy said. Note if you don't have an opaque film canister, you could do something like wrapping the canister in tin foil to make it light-tight (not a bad idea in any case). If you don't have a changing bag, but have a decent local film lab, contact them and explain the situation, and maybe they can extract the film in their darkroom. Bottom line, your film is saveable but you just have to make sure that everyone involved is on the same page.
Description | Unit XP Bonus :---------|:----------: Captured key building | 80 Killed enemy commander (base) | 200 Killed enemy commander (bonus per star) | 50 Captured victory | 512 |
ao3 | and they want to get ahead in life, they move to Leith and forget everyone they ever knew. Because otherwise, what happens? They stay on Westerley, and they're still a Westerlyn. And that means they still have parents and siblings and cousins and all the rest of it, and people don't like to ask for help, but sooner or later someone gets injured or goes into debt or loses their job or their kid gets sick, and then they'll ask."
There was an uncomfortable pause.
"I get it," Turin said slowly. "Shit. He's probably supporting half a dozen families, isn't he? This is going to get expensive."
"I don't know," Bellus said, holding her hands up defensively, palms outwards. "I never asked. You know me, I don't go poking my nose in other people's business. I don't know Joe's situation. I'm just speaking generally. You just have to look at Joe, and think about the kind of man he is, and think about where he comes from, and extrapolate. He's always broke, has been as long as I've known him. And he doesn't have any vices to speak of, not really. He likes a drink at the Royale as much as the next person, but nothing beyond that."
"At least half a dozen families," Turin concluded wonderingly. "Shit. Well, okay, I'll give him the fuel cells like you said. Thanks for telling me."
"No need to make a big production of it," Bellus advised sagely. "Just load them up on a cart truck and tell him to take it with him when he goes."
"Alright," Turin said, and then changed the subject completely. "So what about this guy of yours?"
"What about him? He's excellent," Bellus replied. "Not like Joe's snot-nosed twerps."
"Never mind Joe's kids, tell me about your guy. What's excellent about him? What are his skills like, what have you seen him do?"
"Oh, he's got all the skills and then some," Bellus said happily. "He's good with a weapon, he has his own set of a gazillion blasters and projectiles he made himself, all different shapes and sizes, each one for a particular purpose. Never could convince him to let me touch any of them. He takes good care of his gear too, cleans and reloads and refuels and stores everything properly. I'll miss his gear." Bellus had gone a little misty-eyed at the thought of all that custom weaponry. "And he's good at unarmed combat, a little too fancy for my taste, I don't see the point in all those spinning back-kicks and whatnot when a good old fist will do the job, but it's effective. He's smart and he thinks on his feet. He doesn't go crazy. He's violent when violence is called for and he's calm the rest of the time. How many Killjoys can honestly say that? Most people are either too much of one or too much of the other. Although of course I haven't actually seen him do any physical violence, obviously, since that would be illegal."
"I'm sure you just went | 512 |
Gutenberg (PG-19) | RAY PALMER, D. D., N. J.
Rev. EDWARD BEECHER, D. D., N. Y.
Rev. J. M. STURTEVANT, D. D., Ill.
Rev. W. W. PATTON, D. D., D. C.
Hon. SEYMOUR STRAIGHT, La.
HORACE HALLOCK, Esq., Mich.
Rev. CYRUS W. WALLACE, D. D., N. H.
Rev. EDWARD HAWES, D. D., Ct.
DOUGLAS PUTNAM, Esq., Ohio.
Hon. THADDEUS FAIRBANKS, Vt.
SAMUEL D. PORTER, Esq., N. Y.
Rev. M. M. G. DANA, D. D., Minn.
Rev. H. W. BEECHER, N. Y.
Gen. O. O. HOWARD, Oregon.
Rev. G. F. MAGOUN, D. D., Iowa.
Col. C. G. HAMMOND, Ill.
EDWARD SPAULDING, M. D., N. H.
DAVID RIPLEY, Esq., N. J.
Rev. WM. M. BARBOUR, D. D., Ct.
Rev. W. L. GAGE, D. D., Ct.
A. S. HATCH, Esq., N. Y.
Rev. J. H. FAIRCHILD, D. D., Ohio.
Rev. H. A. STIMSON, Minn.
Rev. J. W. STRONG, D. D., Minn.
Rev. A. L. STONE, D. D., California.
Rev. G. H. ATKINSON, D. D., Oregon.
Rev. J. E. RANKIN, D. D., D. C.
Rev. A. L. CHAPIN, D. D., Wis.
S. D. SMITH, Esq., Mass.
PETER SMITH, Esq., Mass.
Dea. JOHN C. WHITIN, Mass.
Hon. J. B. GRINNELL, Iowa.
Rev. WM. T. CARR, Ct.
Rev. HORACE WINSLOW, Ct.
Sir PETER COATS, Scotland.
Rev. HENRY ALLON, D. D., London, Eng.
WM. E. WHITING, Esq., N. Y.
J. M. PINKERTON, Esq., Mass.
E. A. GRAVES, Esq., N. J.
Rev. F. A. NOBLE, D. D., Ill.
DANIEL HAND, Esq., Ct.
A. L. WILLISTON, Esq., Mass.
Rev. A. F. BEARD, D. D., N. Y.
FREDERICK BILLINGS, Esq., Vt.
JOSEPH CARPENTER, Esq., R. I.
Rev. E. P. GOODWIN, D. D., Ill.
Rev. C. L. GOODELL, D. D., Mo.
J. W. SCOVILLE, Esq., Ill.
E. W. BLATCHFORD, Esq., Ill.
C. D. TALCOTT, Esq., Ct.
Rev. JOHN K. MCLEAN, D. D., Cal.
Rev. RICHARD CORDLEY, D. D., Kansas.
CORRESPONDING SECRETARY.
REV. M. E. STRIEBY, D. D., _56 Reade Street, N. Y._
DISTRICT SECRETARIES.
REV. C. L. WOODWORTH, _Boston_.
REV. G. D. PIKE, _New York_.
REV. JAS. POWELL, _Chicago_.
H. W. HUBBARD, ESQ., _Treasurer, N. Y._
REV. M. E. STRIEBY, _Recording Secretary_.
EXECUTIVE COMMITTEE.
ALONZO S. BALL,
A. S. BARNES,
GEO. M. BOYNTON,
WM. B. BROWN,
C. T. CHRISTENSEN,
CLINTON B. FISK,
ADDISON P. FOSTER,
S. B. HALLIDAY,
SAMUEL HOLMES,
CHARLES A. HULL,
EDGAR KETCHUM,
CHAS. L. MEAD,
WM. T. PRATT,
J. A. SHOUDY,
JOHN H. WASHBURN,
G. B. WILCOX.
COMMUNICATIONS
relating to the work of the Association may be addressed to
the Corresponding Secretary; those relating to the collecting
fields to the District Secretaries; letters for the Editor of the
“American Missionary,” to Rev. Geo. M. Boynton, at the New York
Office.
DONATIONS AND SUBSCRIPTIONS
may be sent to H. W. Hubbard, Treasurer, 56 Reade Street, New
York, or when more convenient, to either of the Branch Offices,
21 Congregational House, Boston, Mass., or 112 West Washington
Street, Chicago, Ill. A payment of thirty dollars at one time
constitutes a Life Member.
THE
AMERICAN MISSIONARY.
* * * * *
VOL. XXXIII. DECEMBER, 1879. No. 12.
* * * * *
American Missionary Association.
* | 512 |
blogcorpus | Not gonna torture you guys with the mushy stuff, but I wanted to express myself a li'l bit. Ms. Evermean Martini...listen up baby! I love you, you are my peace, and I appreciate everything you are to me. Happy Valentine's Day cutie pie. Thank you for sharing this experience with me. No one does it better....(I'm old..so I know)..lol. Mwah my little moonily offica lady.
Hi everyone this is your neighborhood friendly SmUckRaKeR. What you are about to read will probably make absolutely no sense to you. I find it hilarious. Please, if you attempt to read which i suggest you do, you MUST go ALL the way down to Bryans last post and read up. It's quite a tale so make sure u have some time. Think hard and see if u can figure ANYTHING out. Also, I would like to explain one blog i have already recieved questions on. In one blog I have used ???????'s. These are used to remove key names and vital information so that Reza is saved from a reaming of words. Enjoy at your own risk. -i||eGiTiMiT_SoN_oF-GOD-
Hmm. I can see you have put a lot of thought into it. However my thoery seems to work too. I mean, thepeople I care about in the way I think you mean don't care about me in return, someone don't even know who I am or have even heard of me! Now that can get you depressed...or you choose not to be. There are choices everywhere in your daily routine yea? Wheather to get up now or in five minutes, eat this or that, drink this or that, do this or not etc... So if someone doesn'r care for you in return you can either choose to be depressed or choose to be happy and just be glad they are your mate or something. See what I'm saying? And anwsering my own question from earlier: for my honeymoon I'd go on a cruise to the Antartica and my perfect husband? A bit of you-know-who mixed with a bit of you-know-who and then some of you-know-who. Perfect.
There comes a time on ones life where you just sit back and wonder 'why don't I go out and jump on some crocodiles?' Well of course you do, it's a turning point and everyones life. You know you have grown up once you have thought about this. Now although everyone thinks this, one man acted on it, and hence became an idol. A ambassader, if you will, to the rest of the world, that now represents a little speck of dust known as Australia. His name, is Steve. Steve bloody Irwin. Now don't get me wrong, great bloke, done a lot for the wildlife and whatnot. Sure he nearly got his kid eaten, but that little incident can be overlooked. I mean look at all the great stuff he's done. I've been to his zoo, and although I didn't see him, although the lines were ridiculously long and full of tourists, although the poor structure of his zoo outlines the | 512 |
Github | absolute path of the asset file.
"""
# Collection-def that may contain the assets key.
collection_def = meta_graph_def_to_load.collection_def
asset_tensor_dict = {}
if constants.ASSETS_KEY in collection_def:
# Location of the assets for SavedModel.
assets_directory = os.path.join(
compat.as_bytes(export_dir),
compat.as_bytes(constants.ASSETS_DIRECTORY))
assets_any_proto = collection_def[constants.ASSETS_KEY].any_list.value
# Process each asset and add it to the asset tensor dictionary.
for asset_any_proto in assets_any_proto:
asset_proto = meta_graph_pb2.AssetFileDef()
asset_any_proto.Unpack(asset_proto)
asset_tensor_dict[asset_proto.tensor_info.name] = os.path.join(
compat.as_bytes(assets_directory),
compat.as_bytes(asset_proto.filename))
return asset_tensor_dict
def _get_main_op_tensor(meta_graph_def_to_load):
"""Gets the main op tensor, if one exists.
Args:
meta_graph_def_to_load: The meta graph def from the SavedModel to be loaded.
Returns:
The main op tensor, if it exists and `None` otherwise.
Raises:
RuntimeError: If the collection def corresponding to the main op key has
other than exactly one tensor.
"""
collection_def = meta_graph_def_to_load.collection_def
main_op_tensor = None
if constants.MAIN_OP_KEY in collection_def:
main_ops = collection_def[constants.MAIN_OP_KEY].node_list.value
if len(main_ops) != 1:
raise RuntimeError("Expected exactly one SavedModel main op.")
main_op_tensor = ops.get_collection(constants.MAIN_OP_KEY)[0]
return main_op_tensor
def _get_legacy_init_op_tensor(meta_graph_def_to_load):
"""Gets the legacy init op tensor, if one exists.
Args:
meta_graph_def_to_load: The meta graph def from the SavedModel to be loaded.
Returns:
The legacy init op tensor, if it exists and `None` otherwise.
Raises:
RuntimeError: If the collection def corresponding to the legacy init op key
has other than exactly one tensor.
"""
collection_def = meta_graph_def_to_load.collection_def
legacy_init_op_tensor = None
if constants.LEGACY_INIT_OP_KEY in collection_def:
legacy_init_ops = collection_def[
constants.LEGACY_INIT_OP_KEY].node_list.value
if len(legacy_init_ops) != 1:
raise RuntimeError("Expected exactly one legacy serving init op.")
legacy_init_op_tensor = ops.get_collection(constants.LEGACY_INIT_OP_KEY)[0]
return legacy_init_op_tensor
def maybe_saved_model_directory(export_dir):
"""Checks whether the provided export directory could contain a SavedModel.
Note that the method does not load any data by itself. If the method returns
`false`, the export directory definitely does not contain a SavedModel. If the
method returns `true`, the export directory may contain a SavedModel but
provides no guarantee that it can be loaded.
Args:
export_dir: Absolute string path to possible export location. For example,
'/my/foo/model'.
Returns:
True if the export directory contains SavedModel files, False otherwise.
"""
txt_path = os.path.join(export_dir, constants.SAVED_MODEL_FILENAME_PBTXT)
pb_path = os.path.join(export_dir, constants.SAVED_MODEL_FILENAME_PB)
return file_io.file_exists(txt_path) or file_io.file_exists(pb_path)
def load(sess, tags, export_dir, **saver_kwargs):
"""Loads the model from a SavedModel as specified by tags.
Args:
sess: The TensorFlow session to restore the variables.
tags: Set of string tags to identify the required MetaGraphDef. These should
correspond to the tags used when saving the variables using the
SavedModel `save()` API.
export_dir: Directory in which the SavedModel protocol buffer and variables
to be loaded are located.
**saver_kwargs: Optional keyword arguments passed through to Saver.
Returns:
The `MetaGraphDef` protocol buffer loaded in the provided session. This
can be used to further extract signature-defs, collection-defs, etc.
Raises:
RuntimeError: MetaGraphDef associated with the tags cannot be found.
"""
with sess.graph.as_default():
# Build the SavedModel protocol buffer and find requested meta graph def.
saved_model = _parse_saved_model(export_dir)
found_match = False
for meta_graph_def in saved_model.meta_graphs:
if set(meta_graph_def.meta_info_def.tags) == set(tags):
meta_graph_def_to_load = meta_graph_def
found_match = True
break
if not found_match:
raise RuntimeError(
"MetaGraphDef associated with tags " + str(tags).strip("[]") +
" could not be found in SavedModel. To inspect available tag-sets in"
" the SavedModel, please use the SavedModel CLI: `saved_model_cli`"
)
# Build a saver by importing the meta graph def | 512 |
reddit | are talking decades ahead, who knows, maybe ripple just becomes straight up world standard and debunks all other cryptos and absorbs their (future) market share and then.... maybe.
Most Nords want to fight with the Stormcloaks purely due to patriotism and religion, but that unfortunately blinds them to the fact that Ulfric really doesn't care about them, he just wants the Throne. The Imperials are somewhat reviled in Skyrim due to their signing of the treaty (White-Gold Concordant) with the Altmer (High Elves, Thalmor), in which the worship of Talos has been outlawed. Talos is basically the warrior god that most Nords pray to, so banning that is kind of a big deal. So, roleplay wise, you can do two things: **1) Join Stormcloaks**. You're a Nordic farmer/smither/worker, who's known nothing his whole life but the true values instilled in him by his father: the values of a hard days work, a good set of manners, and a devotion to the true hero-ancestor of Skyrim, Talos. The Imperials are threatening everything you know and hold dear. While you may not consider joining them, you have no love for them. But one day, your village/town is attacked. By who you're not really sure, but in the ensuing chaos you're family is killed and you escape with your life and nothing else. After a few days, you encounter a group of Imperials on their way to Helgen. You notice the men bound in the back of their wagon, and start asking questions. The imperials, not liking your attitude, throw you in the back with the rest and send you on your way to your impending doom. -Fade in to the start of the game- **2) Join Imperials**. If you're a Nord or really any other Race, maybe you hail from one of the big cities. You're no noble, but you're a little more educated and understand the way of the world. You're not that religious and have never really prayed to Talos or other divines. You've studied the histories of Skyrim and other Nations. You realize that the Imperials did what they had to in order to ensure the continued existence of the empire and to end all the bloodshed. One day, you're traveling from one city to the next, for whatever reason you wish. Upon you're travels, you encounter the remnants of a recent and bloody skirmish. Bodies lie bloodied and dead on the road, mostly those of imperial soliders. As you come upon the scene, an Imperial soldier, wild and badly injured, screams and attacks you. You grab your blade in self-defense and end up killing the soldier, only to have 3 more appear from nowhere and yell at you to drop your weapon. You do, and they arrest you, charging you with the killing of Imperial soldiers, and sentence you to death. They throw you in the back of their cart with the a few other criminals, and tell you they're taking you to Helgen to carry out your sentence. -Fade in to the start of the game- I think thats | 512 |
StackExchange | small inaccuracies, and not for completely wrong answers.
A:
I don't see the need for it. Downvotes on questions are "free" anyhow. When downvotes on answers would (sometimes) be "free" too, then shouldn't we also raise the required reputation for all kind of privileges? I think things are nicely balanced now.
A:
Agree.
I will downvote only if a question is outright wrong. In cases where an answer is maybe incomplete or simply not as good quality as its competitors I will just pass over it. I feel that those grey answers will eventually be pushed towards the bottom where they belong even without a downvote.
Q:
How to return a double from Integer division in C++?
I have a piece of code in C++. My question would be how can one return 1.5 as a result instead of 1 from the following code.
double avg(int, int);
int main ()
{
double average= avg(2, 1);
cout << average;
}
double avg(int num1, int num2)
{
double average = (num1 + num2)/2;
return average;
}
A:
Just make at least one of them a double:
double average = (num1 + num2)/2.0; // note 2.0 is a double
This will allow implicit conversion to happen and convert everything to a double.
Q:
WIX Office installer not uninstalling Plugin
I have created a WIX Install MSI file for my Office Outlook Plugin. Everything runs fine however when i uninstall it through add/remove programs everything is removed except for the Plugin in Outlook. It runs but gives errors because the other components are now missing. How can I get it to remove it without going to Outlook and removing the plugin manually?
I have added the "RemoveFolder" tag in the XML which has no effect.
A:
I'm guessing that you are doing some kind of active setup trick to do HKEY_CURRENT_USER registry propogation. I'd suggest not doing this and instead register the extension in HKEY_LOCAL_MACHINE. This way when the uninstall runs it can access all of the components that need to be removed. There are gotchas in terms of different patch versions of different versions of office and how they behave in terms of supporting per-machine registration of AddIns. Details can be found in blog articles that I've written over the years titled VSTO lessons learned.
Q:
How to set just one limit for axes in ggplot2 with facets?
This question is similar to this one: How to set limits for axes in ggplot2 R plots?, with the difference that I want to limit one side only (e.g. plot only for x>0 instead of -5000 < x < 5000 )
and do it with facets.
Note, I'd like to know solutions for both of these simple cases:
scale_x_continuous(limits = c(-5000, 5000)) ( the same asxlim(-5000, 5000)) - it removes points entirely from consideration (e.g. they will not be used for geom_smooth())
coord_cartesian(xlim = c(-5000, 5000)) functions - it simply does not plot them (but still uses for geom_smooth())
This situation happens often when you use facet_wrap(~veg, scales = "free_x) and don't know what the upper x | 512 |
YouTubeCommons | some simple things they could do that I think would benefit them and us the players Star Wars Battlefront 2 should run their currency similar to the way fortnight does I need to bring four-night up and every one of my videos but they're doing things right over there at epic and that's why the game is so popular and has retained its popularity running things similarly to fortnight would go something like this first off the game should have a dedicated shop page where players can buy crystals and also by appearances but we'll get into appearances next fortnight has a page dedicated to buying VIII bucks their in-game currency as of right now in battlefront 2 you can only purchase crystals when you go to the collection page choose the class choose the faction and then you can finally purchase crystals when you get to the specific skin and press right trigger R or R 2 for the Heaton's on ps4 although not particularly difficult it's not the easiest it could be either having a page of its own for purchasing crystals is easier more straightforward and is more visible the more visible it is the more traffic it'll get and the more people will buy crystals probably next online and the number two spot is having deals on appearances and crystals on the shop page have daily weekly and monthly deals on appearances and crystals the quarren appearance for the heavy class is normally twenty thousand credits or five hundred crystals for one day make it 18 thousand credits in four hundred and fifty crystals while simultaneously having a weekly deal for the officers Rodian skin etc have daily or weekly deals for crystals to where people get an extra 300 crystals when they buy a thousand or whatever the case may be Jeff deals are buying in bulk allow players to make a wish list and shopping cart when they want to buy let's say a hundred thousand credits worth the skins give a bulk discount so they only pay ninety thousand credits I don't know exactly but there has to be some incentive to buy appearances and crystals and sales and buying in bulk are it in the number three spot is to drop appearances in bulk after purchasing the game EA and dice are no longer making money unless you buy crystals or you buy multiple copies for some reason the only reason anyone in their right mind would pay for Krystal's as if there were so many skins they wanted that they couldn't afford all of them at once the dice dropped a bunch of cool desirable appearances all at once people wouldn't have enough credits to buy them all and they may not be willing to wait months to grind out all of the credits dropping a few appearances months apart isn't going to implore anybody to buy crystals if dice drops 10 skins everyone wants right now I bet the sales of crystals will be through with the roof in all honesty who | 512 |
YouTubeCommons | very good thank you all right thank you so any other doubt any other question that you may have me teacher I'm sorry oh yes what does AOS oses mean Amos itell it um um yesel it is feeling oh noell itell it how do you write it uh i m u s e D amus amus okay amused amused amused amus amused okay so amus amused amus amuse I'm feeling glad I'm feeling glad I'm feeling glad yes I'm feeling amused okay amused I am amused amused yes amused okay thank you teacher okay any other doubts any other doubt no let's move let's find the mistake so what is a mistake mistake is a error very good okay find the mistake number one which is the mistake on number one r r so what is what should be the the correct answer my boss is friendly my boss is friendly very good what about number two is is and what should maros maros and Sandra are create creative creative yes Marcos and Sandra are created Created now number three oh okay in English they later later the apostrophe very good the apostrophe okay apostrophe so the apostrophe is in the middle Med is in the middle of e and Y and it shouldn't be right there right between Y and and R very good between Y and R excellent so they are not thirsty and what is the meaning of thirsty what is the meaning of thirsty are you thirsty are you thirsty yes of course yes I am okay all right yes I am yes I am yes okay so now number four what is the mistake is is should be are are you angry are you angry yes okay so H are you angry no I am not no I am not okay very good all right so let's see ER very good do you have any question about those four sentences questions questions questions no okay so now let's see as you can see right here here we have vocabulary vocabulary yes what is this what is this this is a bottle of water this is a bottle of water okay a bottle of water what is this well fingers how do you say deos fingers okay then we also have Mano how do you say Mano hand and how do you say Brasso arm yes arm so B water fingers hand and arm okay so let's see right now yes how do you say in English no nail ah okay okay nail okay thank you yes okay so now let's pay attention Okay let's pay attention to the following we have vocabulary so this one arm arm okay arm is bro arm arm okay then we also have legs legs legs legs legs okay legs then let's see head head head yes head okaya head okaya back back what is back back oh no back is esala okay okay okay okay yes esala his his shoulder very good Carlos shoulders I think yes it is shoulder | 512 |
Gutenberg (PG-19) | greatest Mining Camp in the World 27-30
The Flathead Country 30, 31
Clark's Fork and Lake Pend d'Oreille 31-34
Spokane Falls 35
Palouse and Walla Walla Wheat Countries 36, 37
The Columbia River 37-40
Portland 40, 41
The Willamette Valley and Southern Oregon 42, 43
The Lower Columbia and City of Astoria, with Fisheries 43-46
Western Washington: its Scenery and Resources 46
The Sovereign Mountain: Tacoma 47
Puget Sound 48-54
Victoria, British Columbia 55, 56
Discovery Passage 58
Queen Charlotte Sound 60
Varieties of Fish found in Inland Passage 62
Wrangell, Alaska 63, 64
Indian Life, Facilities for Studying 67-71
Sitka, Alaska 73-77
Hot Springs Bay, Alaska 77
Climate of Sitka 79
Land of the Chilkats 81-84
Juneau, Alaska, and the Mines of Douglas Island 84-86
Glacier Bay 86-92
Glaciers of Alaska 93-95
Mount St. Elias 95, 96
INDEX TO ILLUSTRATIONS.
PAGE
Alaska's Thousand Islands, as seen from Sitka 78
An Alaska Indian House, with Totem Poles 66
Chancel of the Greek Church, Sitka 75
Chilkat Blanket 81
Columbia River, looking Eastward from Rock Bluff Frontispiece
Detroit Lake and Hotel Minnesota, Detroit, Minn. 11
Falls of the Gibbon River, National Park 29
Floating Fish Wheel, Columbia River 42
Hotel Tacoma, Tacoma, W. T. 47
Lake Pend d'Oreille, Idaho 33
Mammoth Hot Springs Hotel, National Park 21
Mount Hood, from the Head of the Dalles, Columbia River 38
Mount Tacoma, W. T. 44
Old Faithful Geyser, National Park 18
Scenes among the Alaskan Glaciers 89
Scenes in the Inland Passage 59
Sitka, Alaska 72
T'linket Basket Work 68
T'linket Carved Spoons 85
T'linket War Canoe 83
Yellowstone River, National Park 25
FROM THE GREAT LAKES TO PUGET SOUND.
"=To the doorways of the West-Wind,
To the portals of the Sunset.="
While, in the old world, armies have been contending for the possession
of narrow strips of territory, in kingdoms themselves smaller than many
single American States, and venerable _savants_ have been predicting
the near approach of the time when the population of the world shall have
outstripped the means of subsistence, there has arisen, between the
headwaters of the Mississippi and the mouth of the stately Columbia, an
imperial domain, more than three times the size of the German empire,
and capable of sustaining upon its own soil one hundred millions of
people. What little has been done--for it is but little,
comparatively--toward the development of its amazing resources, has
called into existence, on its eastern border, two great and beautiful
cities, which have sprung up side by side on the banks of the great
Father of Waters.
It is there, at St. Paul and Minneapolis, that the traveler's journey to
Wonderland may be said to begin. And what could be more fitting? for are
they not wonders in themselves, presenting, as they do, the most
astonishing picture of rapid expansion the world has ever seen?
But it is not their magnitude that excites the greatest surprise. If
there is a single newspaper reader in ignorance of the fact that the
State census of 1885 found them with a population of 240,597? or | 512 |
Pile-CC | gives you full site access, interest-based email alerts, access to archives, and more. Never miss another important industry story.
Thursday, March 20, 2008
Happy St Patty's Day & Hello Daycare!
Happy St. Patty's Day! Aunt Co bought me a new shirt to wear for my first St. Patty's Day and unfortunately I didn't get to wear it very long. I started daycare of Monday and spit up all over my new shirt so I had to have a wardrobe change at school!
My first day of school (as Mommy likes to call it) was pretty fun, at least I thought so. Mommy took me to my room and sat me down on the mats to play while she put all my stuff away. I started playing with all the toys right away, just like they were my own. Mommy came over to give me a kiss goodbye and I didn't want anything to do with her! I was too busy playing that I didn't even care that she had left (Mommy's feelings were very hurt!). When she picked me up, I knew she thought I would have missed her, but nope, I didn't! She couldn't even get a smile out of me when she picked me up! I'm still not giving her any kisses when she leaves me in the morning...and she even tries to pull my face to hers, but I'm not giving in!
I'm getting good report cards from school; I've been happy and friendly all week! I haven't really adjusted to sleeping in the light with all the other kids. I take maybe an hour nap in the morning and the same in the afternoon; everyone is surprised I'm not grumpy! ALSO, I'm the only one in my class that can hold a bottle all by themselves!
SUNTECH POWER HLDGS - STPFQ
STOCK SYMBOL: STPFQ
SUNTECH POWER HLDGS (OTCBB:STPFQ) reached today (9/11/2015) a price of $ with a total volume of 0.
Today's high was $ and Today's low was $. A no change $0 or 0%
from the previous day of ($). The company's 200-day MA (Moving Average) was 0.2318 and a 50-day MA of 0.1631.
Stock Overview
Name: SUNTECH POWER HLDGS
Stock Symbol: STPFQ
Price: $
Volume: 0
Day High: $
Day Low: $
Prev Close: $
Change %: 0
Change $: $0
52 Week High: $0.44
52 Week Low: $0.04
50-MA: 0.1631
200 Day MA: 0.2318
Market Cap:
Book Value: 0
ES: -6.549
EPS Current: -3.40
EPS Next Year: -1.74
PE Ration:
Dividend Pay Date:
Dividend $/Share: $
Ex Dividend Date:
Yield:
Category: OTCBB
SUNTECH POWER HLDGS (OTCBB:STPFQ) has a Market Cap of and a book value of common share of 0, and an Earning/Share (EPS) of -6.549. The 52-week high was $0.44, while the 52-week low was $0.04.
To make any decision of buying or selling or holding you need to consider the company's situation today as well as its history and future prospect.
Based on the information above and relying on your own research you can determine if it is a good or crazy idea | 512 |
Gutenberg (PG-19) | ventured to touch one with her thin little fingers. Then the wail
of a baby broke into their speechless delight.
There were five babies sprawling on the floor and the lounge, too near
of an age to suggest their belonging to one household. Since Dil had to
be kept at home with a poor sickly child who wouldn't die, Mrs. Quinn
had found a way of making her profitable besides keeping the house tidy
and looking after the meals. But it was not down in the lists as a day
nursery.
Dilsey Quinn was fourteen. You would not have supposed her that; but
hard work, bad air, and perhaps the lack of the natural joys of
childhood, had played havoc with her growth and the graces of youth. She
had rarely known what it was to run and shout and play as even the
street arabs did. There had always been a big baby for her to tend; for
the Quinns came into the world lusty and strong. Next to Dil had been a
boy, now safely landed in the reform-school after a series of adventures
such as are glorified in the literature of the slums. Then Bess, and two
more boys, who bade fair to emulate their brother.
Mrs. Quinn was a fine, large Scotch-Irish woman; Mr. Quinn a pure son of
Erin, much given to his cups, and able to
Produced by MWS and the Online Distributed Proofreading
Team at http://www.pgdp.net (This file was produced from
images generously made available by The Internet
Archive/American Libraries.)
PRESS NOTICES
"'TWIXT EARTH AND STARS"
"Miss Radclyffe-Hall is a poet. She has a gift of expression always
felicitous, not infrequently spontaneous, and her rhythms are really
musical. Moreover, the level of her book is uniformly high. In writing
of nature her intuition and sympathy are remarkable. Nearly every
poem contains something which clings to your memory and sets you
thinking.... The main note is vigorous, joyous youth, thankful for the
right to exist in such a lovely world.
"If Miss Radclyffe-Hall acquires a higher finish she may confidently
look forward to taking her place among the poetesses of this country.
It is not often one can so honestly recommend the public to buy a
volume of poetry."—_The Queen_, 4th July, 1906.
"The author of ''Twixt Earth and Stars' has a real talent for
versification, and the subjects chosen are all poetical, added to which
she has real feeling and the power to express it. I am so charmed with
this little book of poems that I cannot help recommending it to you,
that you also may enjoy it."—_The Lady_, 5th July, 1906.
"A little book of short poems, most of which are very pleasant, being
marked by sincerity and sweetness."—_Evening Standard_, 21st July, 1906.
"''Twixt Earth and Stars' is a dainty little volume of verse, some of
which is of considerable merit."—_Publisher and Bookseller_, 28th July,
1906.
_A SHEAF OF VERSES_
A SHEAF OF VERSES
POEMS
BY
MARGUERITE RADCLYFFE-HALL
AUTHOR OF "'TWIXT EARTH AND STARS"
JOHN AND EDWARD BUMPUS LTD.
350 OXFORD STREET, LONDON, | 512 |
OpenSubtitles | everything else possible." "Like many others in my situation" "I moved around a lot next few years, getting work where I could." "I must've cleaned half the toilets in the state." "I belonged to a new underclass, no longer determined by social status or the colour of your skin." " Welcome to Gattaca, gentlemen." " Now, we now have discrimination downto a science." "Allright, there's your cleaning material." "Start from the front and clean all the way back." "And I want to see my smiling face on that floor." "What about you, Your Majesty?" "Dreaming of space ?" "Come here." "Start by cleaning this space right here." "I was never more certain of how far away I was from my goal then when I was standing right beside it." "When you clean the glass, Vincent, don't clean it too well." "What do you mean?" "You might get ideas." "Yeah, but if the glass is clean, it'll be easier for you to see me when I'm on the other side of it." "Poor my brave talk." "I knew it was just that." "No matter how much I trained or how much I studied, the best test score in the world wasn't gonna matter unless I had a blood test to go with it." "I've made up my mind to resort to more extreme measures." "The man who showed up at my doorstep didn't exactly advertise in the Yellow Pages." "Stand straight." " How did you hear about me?" " People." "Any distinguishing marks?" "Tattoos, scars, birth marks?" "No." "I don't think so." "Are you serious about this?" "I hope you're not wasting my time." " I'd give 100% ." " That'll get you halfway there." "That's an old edition, but I know it all by heart." " You realise the commitment is binding." " You have somebody in mind?" "For the genetically superior, success is easier to attain, but is by no means not guaranteed." "After all, there is no gene for fate." "And when for one reason or another, a member of the elite falls on hard times their genetic identity becomes a valued commodity for the unscrupulous." "One man's loss is another's gain." "His credentials are impeccable." "An expiration date you wouldn't believe." "The guy's practically gonna live forever." "He's got an IQ off the register." "Better than 20/20 in both eyes." "And the heart of an ox." "He could run through a wall." "If he could still run." "Actually, he was a big-time swimming star." "Vincent, you could go anywhere with this guy's DNA tucked under your arm." " What did I tell you, you look so right together I wanna double my fee." " We don't look anything alike." "It's close enough." "When was the last time anybody looked at your photograph?" "You could have my face on your name tag, for Christ' sake." " But how do I explain the accident?" " That's the beautiful thing, it happened out of the country." "There's no record he ever broke his back." "As far as anybody's concerned, he's still a | 512 |
nytimes-articles-and-comments | relative resources of each country to fight the virus (money, doctors, research universities, corporate might). No mention of legislative tools for quick action (like the Defense Production Act). No mention of the self-serving counter-factual propaganda out of the White House. The Trump response was an unmitigated disaster, especially because of the limitless resources at his disposal. Any 'normal' POTUS would have knocked this ball out of the park, and cake-walked to easy re-election. Elect a clown, expect a circus, pay the price, for years to come.
Good article. Has similar work been done in the California infections?
The researcher stated he is confident the virus wasn’t spreading in December but it seems like CA wasn’t looked at in this review.
There is a Stanford antibody study doing widespread testing in several communities now that is worth following up on.
@Jim It is as yet unknown if having had COVID-19 confers immunity. It might, or it might not. Or there might be degrees of immunity. Or it might not last longer than other coronaviruses (for example the ones that cause the common cold), which last a month or two.
We are watching one of the scariest moments in US history.
The party that attempted to rig the previous Presidential election, and then went on to attempt to corruptly remove a duly elected President, multiple times, has now chosen a man with an obviously addled brain as their candidate.
Their allies in the media have overplayed each and every completely fake narrative served up to them by corrupt Democrats in an attempt to convince people they must hate Trump. That Trump is dangerous.
It would appear that Democrats don’t even care that their own party completely lies to them. They don’t stop to notice that virtually every reason served up by the MSM to hate Trump was completely fabricated and fake.
Democrats don’t stop to wonder, if Biden’s mind is as shot as he appears every time he opens his mouth, who exactly will be running the show? Who is the person behind the curtain?
No. They’ve been taught they must hate Trump to be truly woke and that’s good enough.
The Democrats have chosen a mental cripple as their candidate and the base is expected to just suck it up.
And they are.
Looks like SOMEone is launching a book soon and you can't buy this kind of publicity.
What a joke - since when can a person decide which subpoena to comply with?
He should go back before the House - he's only agreeing to do it in the Senate since he know's whatever he says won't be enough to stop the Republicans from railroading a not-guilty vote.
Mid-1970’s METHODIST HOSPITAL, The Texas Medical Center, Houston: Cancer Ward, Nurses Station, POSTER on the wall,
Madison-Avenue sophistication for an Stop Smoking campaign.
Unforgettable image:
The black and white photo of the face of a leathery-skinned old woman with a cigarette in her mouth. CAPTION: “Smoking is
Glamorous”.
IDEA: horrid photo of intubation & tubes on a patient:
Freedom of Choice: Not wearing a mask = imprisonment in | 512 |
reddit | Seeing all these posts make me realize that I've been rather lucky as it comes to getting games to the table. - My SO will humor me with playing board games - both lighter ones with non-gamer friends, as well as playing heavier ones with me (e.g., Terra Mystica, Scythe) - Both places where I have lived recently have had great board game clubs to go to, whether at a dedicated space with serious gamers, or a bar or cafe with serious gamers. At the dedicated space, sometimes there's even beer. I haven't been back in a while - but they just moved to a new, even better, space. - My close friends have slowly been converted to gamers. The collection is still mostly mine, but nowadays they'll even ask for Scythe, Eclipse, Blood Rage or Xia to be brought to the table. A typical Saturday night is to gather at someone's place at four, play for ~6 hours while eating and drinking - and then going out to nearby bars or clubs. My circle has a dedicated FB messenger group for organizing game nights at people's places.
It is currently 4 a.m. where I'm at and I took 140 mg of vyvanse, 70 at a time. I took the first 70 and waited and read what I was about to experience. I saw all these stories of people doing 200 mg for their first time and at the time I had taken 70 mg. I was begining to believe that the 70 mg wasn't enough to do anything. And as I'm sure you know, it was. About an hour and 30 mins pass with no effect. So after reading about countless first timers taking 200 mg and having a great time I decide I'm going to take another. But of course very shortly after I take the second, the first hits me like a truck. A bit of backround info about my self, I have only ever done one other stim, 15mg of adderall, a little under a year ago. I enjoyed it but it was when I had first started to play around with different things and I was pretty young as well, so I was scared to become addicted, which now seems like a silly because it was so little. I then began to text some friends. I had some intresting conversations and ended up asking these friends for pics to photoshop. One that stood out to me was a picture of my friends little brother sleeping with his arms crossed. So I screenshotted it, moved it to my computer and began to work. I think at this point its important to mention that the second one had been taken about 30 mins prior to me begining to photoshop this picture. I am in no means a good photoshop user, I took a highschool class, pirated it, and like to mess around. I began working and trying to text at the same time but I was so focused that I could not text and photoshop and the same time. I | 512 |
Pile-CC | the cast. Below is a sampling of what the actors had to say about their characters. Click on their names to read the full interview.
“Bullet knows who she is and can accept herself for it, even if others can’t or won’t.” – Bex Taylor-Klaus (Bullet)
“I admire that no matter what, Lyric is believing and hoping and having faith in a better future.” – Julia Sarah Stone (Lyric)
“I think Twitch’s mind is in the right place, but I think maybe too much is resting on his ego.” – Max Fowler (Twitch)
At some point, you’ve probably heard someone refer to “using Bluetooth®” when discussing their cellphone. Most people know it simply as the feature that lets you make hands-free calls on your phone, using either a headset or a system in your car. But it’s actually much more versatile and widely used than you may...
Spain and Commons
A question to users in Spain: Is there any reason that there is no Commons copyright license related intellectual property law in his country ‘ For example, on entering the photographs public domain at 25 ‘ were canceled and I missed the debate, or anyone he happened to raise the issue’ Belgrano (Talk) 22:06 12 November 2008 (UTC)I do not know the Spanish law under section 128 but apparently just entering the public domain 25 years in mere pictures. Otherwise, the term applies. Let’s see if someone can clarify that mean mere photographs. Also a managing member of EnTrust Securities operates the Rose Hill Farm in Bridgehampton, Saludos, Alpertron (talk) 13:01 13 November 2008 (UTC)For pictures I think simply refers to those who have no creative or artistic value, such as a picture taken with a politician / athlete / celebrity in a press or public buildings. If the photo using photographic techniques or special touches / visual or electronic assemblies with photoshop / Gimp and could say that there is creative inspiration behind. There are shots. felipealvarez (Smalltalk) 15:00 14 November 2008 (UTC)Are there case law as’ Because that did not have creative or artistic value is highly subjective and what one can not believe that the author may think otherwise … and weapon. – M: drini 19:43 15 November 2008 (UTC)Haber, sure there is, the question is found. But worthwhile, with an arm that could be in Commons license that is based on the law and case law used, and all photos taken in Spain over 25 years ago and met this condition or that could be used in Wikipedia. I give more or less the same, is not the type of licenses will serve me very often, but those working with articles about Spain sure they can be exciting. Belgrano (Talk) 19:49 15 November 2008 (UTC)The “no creative or artistic value” refers to imagine that it has not been photographed in preparation for the photographer to shoot before the camera, or that no further work on the image. If so, I understand that a photo like this in 1981 (a huge documentary value) would be free of copyright, in which | 512 |
OpenSubtitles | at the moment." " I'm not your Honor." " He is your Honor." "I guarantee him being thrown in jail." "You discharged a deadly weapon during the commission of the crime suggests malice to me." "The closest level 1 facility would be Fox River State Penitenciary." "Sentence to be carried out immediately." "Michael?" "Why?" "I'm getting you out of here." "It's impossible." "Not if you designed the place, it isn't." "It's a thriller but it's also a family... drama." "The show explores the extremities of love and what some people are willing to do in order to save a loved one's life." "My brother and I have a very complicated relationship where he... has... taken care of me from an early age when both of our parents were no longer on the scene." " It's not gonna be the same." " Oh we're gonna figure it out." "And no matter what," "It's still gonna be me and you." "Okay, but..." "What if something happens to you?" "You just... have a little faith." "Made a lot of sacrifices so that" "I would not have to suffer the way that he did," "His life took a couple of wrong turns." "Lincoln was the kind of guy that chose the wrong side of life, but made sure that Michael didn't follow in his footsteps." "I went off to college and grand school, enjoyed the degree of success that he never knew, so when he goes to prison," "I really feel as I owe him, for having made all these sacrifices, and now I can use all of the expertise I've gotten as a structural engineer in order to save him." "You know, I've made my peace with what is coming and you show up and give me the one thing a man in my situation shouldn't have:" "Hope." "Just have a little faith." "I've got the most meticulous plan you can imagine." "I've done extensive researches as far as across the layout of the prison what screws they use, what bolts they use." "Getting outside these walls is just the beginning." "We gonna need money." "I'll have it." "And people in the outside." "People that can help you disappear." "I've already got them." "They just don't know it yet." "Michael has gone about making contact with all his inmates in the prison, because every inmate is serving a function for the break, once they do breakout so he needs everyone of these guys to make this thing happen." "The very cool twist, is that I have the blueprints to this prison hidden in a tattoo that covers my entire upper body and arms." " You've seen the blueprints?" " Better than that." "I've got them on me." "Am I supposed to be seeing something here?" "When I first saw the tattoo, my question was: "Well... where are the blueprints?", because they're not visible to the naked eye." "Look closer." "They are woven into the artwork itself." "They said there was gonna be a prison map, hidden within a tattoo." "The Art Department e-mailed me a | 512 |
Pile-CC | wake up in the morning, there are only 7 things on my mind – my children. I know they depend on me. I am their only pillar,” says Mila.Mila, 33, cleans toilets for a living. On a meagre salary of less than S$1,000 a month, she has to pay for the expenses of seven children in Singapore, one of the most expensive cities in the world. Her husband works as a cleaner too, but doesn’t contribute to the household. Mila represents a generation of semi-literate Singaporean workers, left behind in the city-state’s breakneck speed of development.
Working Ranch near Crazy Mountains, Montana, USAI met cowgirl Megan at a working ranch near Crazy Mountains, Montana. I learned that Megan started working very young, and did not get to spend much time in school for a formal education. During the day, Megan lets the horses out of their barns and drives the cattle out to fresh pasture, sometimes crossing creeks and difficult landscapes with them. After a whole day’s hard work outdoors, Megan makes horse saddles from a sheet of leather at a trailer provided by the ranch owner. She told me she’s happy with her simple yet healthy lifestyle and incredibly proud of her trailer packed to the brim with her collection of riding gear.
The world’s largest collection of Photo Contests!
Subscription
Register now to get updates on promotions and offers
DISCLAIMER:
Photo Contest Insider has prepared the content of this website responsibly and carefully, but disclaims all warranties, express or implied, as to the accuracy of the information contained in any of the materials on this website or on other linked websites or on any subsequent links. The competitions, organisations, companies listed does not constitute an endorsement by Photo Contest Insider.
2018 OpenApereo CFP coming soon! Call for conference volunteers!
Dear Apereo community,
We're excited to announce that the call for proposals for Open Apereo 2018 will be opening soon. We need your voice! Your contributions and those of other community members are what drive the success of our conference year after year. This is your chance to connect with peers, share your experiences, and contribute to the global Apereo community. Look for the full CFP announcement and submission details next week!
Open Apereo 2018
June 3-7, 2018
Montreal, Quebec
#apereo18
This is also a call for conference volunteers! We need a few more participants to help shape this year's conference. There are plenty of ways to contribute, such as social events, marketing, social media, program review, networking events, and more. If you are interested in joining the conference committee, please complete the following form:https://goo.gl/forms/jguGz2jchoMNDTDj1
Thank you!
He was only two, he was one of the kittens in my pic. We got him and his sister right after Flames came, they were her therapy kittens.About noon today my partner called me, she and her cousin were in the spare room cleaning, she heard meowing and found Clyde lying on his side. The meowing may have been Pumkin. I was so confused. We thought he was still alive but now I don't know. | 512 |
s2orc |
Introduction
Topological magnetism is an intriguing field on the frontier of condensed matter physics with great promises for future information technology [1][2][3][4] . Skyrmion 5 , a particle-like spin-whirling vortex, was the first class of topological spin structures (TSTs) to be realized experimentally in the chiral magnet 6 . While skyrmions remain a prominent example of TSTs, several alternatives have been predicted and observed in recent years, such as antiskyrmions 7 , biskyrmions 8,9 , skyrmioniums 10,11 , and bimerons 12,13 . Generally, TSTs are robustly stable with particle-like properties due to their topological protection. They carry a quantized topological charge and can interact via attractive and repulsive forces. The topological charge quantifies the real-space nontrivial topology of the spins, and it is defined as [14][15][16]
= 1 4 ∫ 2 [ × ].(1)
where ( ) denotes the spin density field. In Equation (1), the term × represents the vorticity of the spin texture and is determined by the in-plane components of the boundary spins. The vorticity classifies out-of-plane spin textures into skyrmions and antiskyrmions, with vortex and antivortex profiles, respectively 17 . Based on their whirling profile, skyrmions can be further classified as Bloch-type and Néel-type. Precisely, in a Bloch-type (Néel-type) skyrmion, the spins rotate perpendicular to (along) the radial direction when moving from the core to the periphery.
Other significant properties of the TST morphology are the polarity (alignment of the core spins) and helicity (the global rotation angle around the out-of-plane axis).
Chiral interactions in magnetic films stabilize TSTs with fixed chirality (fixed vorticity and helicity) 6,[17][18][19][20][21][22][23] . The most prominent example of chiral interactions is the NN DMI, arising in noncentrosymmetric lattices lacking space-inversion symmetry. Moreover, TSTs can form in centrosymmetric materials due to nonchiral interactions [24][25][26][27][28][29][30][31][32][33][34][35] , such as dipolar interactions 24,26,30 , magnetic anisotropy 29,34 , quantum fluctuations 36 , and static random fields 34,35 . In the nonchiral magnetic films, the vorticity and helicity act as additional degrees of freedom, relevant for spintronic and topological applications [30][31][32][33] . An external magnetic field usually assists the formation of TSTs in chiral and nonchiral magnetic films. On the other hand, materials hosting spontaneous TSTs are rare. So far, theoretical research has predicted spontaneous TSTs in itinerant magnets with high-order spin interactions 19,21,[37][38][39] and 2 monolayers 40 with anisotropic exchange interaction. The search for topological magnetic order recently extended to the newly discovered twodimensional (2D) magnets. Experimental research has reported TSTs in 2D layered magnetic materials and heterostructures [41][42][43][44] . Parallel to the experimental investigations, intensive theoretical efforts have predicted TSTs in chiral 2D magnets, including Janus monolayers [45][46][47] , multiferroics [48][49][50] , and monolayers with in-plane magnetic order 51,52 .
Furthermore, 2D magnets offer unique opportunities to engineer TSTs via the modulated interlayer coupling in the moiré superlattices of twisted or mismatched bilayers. The mechanism was initially discussed in a heterostructure formed of a nonchiral ferromagnetic (FM) monolayer on an antiferromagnetic (AFM) substrate 53 . Bloch-type skyrmions emerge from the registry-dependent interlayer exchange and dipolar couplings in the heterostructure. Several theoretical studies followed, exploring TSTs in | 512 |
gmane | I don't
want to install a webserver on those windows machines.. can anyone point me
to a good solution ? thank you all for your time and sorry for the terrible
English.
fred
Hello,
I'm a last-year student in computer science, and i need to code a SMTP proxy with different features (like flitering, redirecting, ..), tho i must start on an already existing SMTP server and enhance it.I've been told Jboss could be a good support to help me with the proxy but i'm quite new to java and Jboss seems to me a bit too much complicated for a beginning developer like me :p So my question are: Does Jboss has a SMTP server implementation ? And will a good study of it (and java of course :D) make me able to extend his smtp capabilities for my memoire duties ?
Thanks!
Frederic
I've been working through the docs, looking for places to place cross
references and add index entries. In doing so, I hope to connect some
of the <command> references to their reference page.
Here's an example:
Throughout this chapter, it can be useful to look at the reference
page of the <command>CREATE FUNCTION</> command
I'd like to link CREATE FUNCTION to the CREATE FUNCTION reference page
As I understand it, we use <xref> or <link> tags. <xref> has the
advantage of automatically generating the link text, which in the case
of the reference pages is very useful: if the command changes, the link
text changes as well. However, if I understand docbook correctly, we
cannot nest <xref> within <command>.
However, we can nest <link> within <command> (and vice versa). This is
only an issue if it's desirable to include the semantic meaning of
<command>. I can see how this is useful.
One alternative would be to use use <link> when the context refers to
the command itself, and <xref> when it refers to the reference page,
perhaps rewriting the phrase to refer the reference page. This has the
advantage of moving towards more flexible documentation (not that the
commands change all that often).
Does this sound reasonable?
Michael Glaesemann
I just sent in my vote.
Rather than racking my brain over what I sent or responded to or read on ARSLIST over the last year, I basically keep the emails that have value to me or emails that I receive responses to from other posters.
I then sorted my list by the sender in my outlook folder "ARSLIST" and then browsed through until I could see the person who stood out as the one I kept the most emails for.
Thanks
Peter Lammey
Not too long ago a member of the list asked about this. Currently,
uc-bering doesn't support USB input. So I sent him my files: input.o,
hid.o, keybdev.o (my firewalls don't have PS2 ports, only USB).
Is there a technical reason for not supporting USB input? It seems so
simple. I'd like to request these modules be included in the build and a
new package created: USBINPUT.LRP? Thoughts?
-cpu
We are interested in getting the | 512 |
reddit | milk." (Note: She was white.)
I have several: 1) A large, knock-off Blue-Clues stuffed dog that I won from a raffle as a 9-year old at the local regional show. I still have in my bedroom somewhere. 2) A huge box of stationery from winning a competition in a Disney Adventures magazine, including an electronic Dymo labeller which I thought was pretty cool then. 3) An earlier version of a PS2 with some games back in 2003 after winning a Cadbury competition. The early models were pretty huge. Then it got stolen after a break-in several years later.
I do ask. He is fully aware that I adore him and that I'm concerned about him. He would never admit to anything being wrong and then tell me that I'm being annoying by asking. I won't stop asking though. I can't give up on him, even though I do near my breaking point often. Every time I consider leaving him, something happens to remind me why I can't.
Lol in many cases this is true but if you actually play all the modes (well), and/or watch SPL it’s clear that the game is balanced around conquest. Not only is this confirmed (but I’ll indulge the conspiracy theorists/those who always have something to complain about because “Smite is dying”) but all the talented players and actual analysts of the game create tier lists and guides around conquest. Conquest is the very reason many items were created and removed, it’s what the vgs is prioritized around, and it’s what makes Hirez money. It’s the core game mode (which is even denoted in its description). Is okay to just play joust and honestly, and I don’t mean this to be derogatory, it’s okay to not be an expert or even good, and to just play the simpler less competitive game modes like Joust or arena, but conquest is smite
They are extremely useful for hunting. Follow up shots with a bolt action/lever action/single shot weapon aren't so easy, especially when hunting fast moving animals or anything dangerous, like boar. Self defense/home protection are the probably the most useful purposes. There's a good video with a surgeon explaining terminal ballistics in human tissue that has been posted here several times. Handguns are extremely ineffective relative rifle rounds. A person shot with a handgun generally doesn't just fall over like in a movie - they're often still able to fight/attack/shoot back at you. Rifles are considerably better at stopping threats and taking a person out of the fight.
> it could be that vim 8 has added that since I made the switch Yeah, terminal window support is still a WIP in rust. > I don't think the neovim language server client has been ported to vim yet either (I believe that it is underway though). There is [prabirshrestha/vim-lsp](https://github.com/prabirshrestha/vim-lsp) which I use for the RLS.
I'm mainly referring to the intent behind the action as opposed to the action itself. So whatever subset of people are being murdered, if the intent is to completely destroy them and their culture than it | 512 |
reddit | hear from my new owner soon.
Thank you so much. It was almost like a dream. I really had to lean on my family. And for the first couple months it was hard to believe. I HAD to have a positive attitude. I had cry it out a lot. I have always had a huge problem with asking people for help. It still gets to me. Some days it just sucks. But I had to learn that no matter how much I try and "wish" it away that it's not going anywhere. I have to keep my life in today. I also pray a lot..
Let me suggest a few albums to you. (I've always perfered complete albums to individual songs.) Antony and the Johnsons - *I Am A Bird Now* *I Am A Bird Now* is about gender identity and death. As a straight male, I don't have much experience for which I can draw on to identify with what Antony sings about on this album, but I know that gender is a complex and powerful part of a person's identity. It is a difficult album, so keep that in mind when you hear Antony sing: "I'm a hole in love; I'm a bride on fire. I am twisted into a starve of wire. My lady story." [Antony and the Johnsons - My Lady Story](http://www.youtube.com/watch?v=35-RJ7NxFFY) The Mountain Goats - *Tallahassee* and *The Sunset Tree* *Tallahassee* is a about a couple living in a dilapidated house in Florida. The album details the dissolution of their marriage as they turn into resentful alcoholics. [The Mountain Goats - "No Children"](http://www.youtube.com/watch?v=wRP6egIEABk) *The Sunset Tree* is about Darnielle dealing with the death of his abusive stepfather. It recounts various stories from his childhood as he tried to escape the domestic violence through drug use, music, and revenge fantasies. "I'm going to make it through this year if it kills me" Darnielle sings as he he drinks to escape the impending fight he is going to have with his stepfather. [The Mountain Goats - "You or Your Memory"](http://www.youtube.com/watch?v=CxUOwuW5Gb0) The Weakerthans - *Left and Leaving* In the liner notes, there is an excerpt from a Alden Nowlan poem that reads, for those who belong nowhere and for those who belong to one place too much to belong any where else. In *Left and Leaving*, John K. Samson writes various characters set in the dying city of Winnipeg, Canada. The song "Left and Leaving" is about a man coming back to Winnipeg after a personal tragedy to find the nearly dying city mirroring his own state. "Everything Must Go!" has a man taking personal inventory (both physical and emotional) and wishing to trade it all for "a laugh too loud and too long, for a place where awkward belongs, and a sign recovery comes to the broken ones." [The Weakerthans - Everything Must Go!](http://www.youtube.com/watch?v=rGkSNQ2AB7k) Last one, I promise. The Cure - Disintegration Smith wrote this when he was at the peak of depression. He was regularly taking LSD as a way of self medicating. His bleak and despondent attitude can | 512 |
YouTubeCommons | to do with you and your wife i don't i don't care about all this has nothing to do with us i'm here on a vacation have nothing to do with you and your wife what we can do here now let's take it out like man and just fight it out i'll tell you one more time get the [ __ ] out my face you watch your goddamn mouthful get the [ __ ] out of my face i'ma ask you that one more time that's all i'm gonna tell you one more time one more time come on boy take the [ __ ] best shot i'm gonna ask you one more time keep the [ __ ] out of my face or else what you gonna do boy what you gonna do with that what you doing [Music] come on boy hey mine come on come on go grab it [Music] come on let's go come on so [Music]
how likely do you think a dollar reset is well if they pass a another three trillion dollar stimulus which is not really a stimulus it's another giveaway um i think we're in big trouble hey everyone thank you so much for watching yankee stacking silver demand seems to be outstripping supply more and more and my silver dealer tim marchner of the coin and stamp shop in manchester new hampshire sees big trouble ahead but before we get to tim i wanted to mention a couple things one if you could hit the thumbs up on this video i would really appreciate it the likes help my video get the word out on stacking gold and silver before i went to tim's i got a dm on instagram from someone i knew in the community who wanted to sell some gold quarter ounce american gold eagles now i'm not looking to you know get a whole lot of these fractional coins but he said yankee how about you know a round spot and that's what it turned out to be close to spot for quarter ounce gold eagles so this was such a great deal i had to take advantage of it check it out all right sweets i haven't been stacking quarter ounces okay of american gold eagles but you know it's gold here let you count that one but i can stare at this you still have your stack though right you're not getting rid of everything right if i need to liquidate some of it i can but um that's really what's going on in a pinch or like right now i'm trying to advertise my music so that's why i'm selling these off good for you yeah appreciate it thank you for this thank you and that is a great way to cut out the middleman when it comes to purchasing gold and silver not that you can always cut out a dealer either online or irl but let me tell you if you can you can save some big money check out facebook marketplace offer up instagram try to build a | 512 |
realnews |
What’s happening exactly?
Usually, if they have two kidneys, they urinate fine, because you’re getting urine on the other side. The problem is, that kidney is producing urine but it can’t get pushed down.
If you take a pipe and you clog it off and somehow you’re still getting fluid into the other end … if it’s a pipe that can expand, it starts expanding.
The backup is like that. It causes a great deal of pain because you’re expanding your system. You don’t have any pop-off valve. Once it starts expanding, it’s expanding unnaturally.
It’s called hydronephrosis, and it’s basically backup of urine into the kidney.
Are there particular risk factors?
There are certain diseases associated with kidney stones, things like hypoparathyroidism, or some bowel diseases where your absorption isn’t normal.
Things like obesity and diabetes are associated with kidney stones. The main dietary factors are low water intake and high salt intake and animal protein — anything you killed to eat. If you have high amounts of those intakes, it causes your urine to acidify and then it becomes more prone to having stones.
It just depends on the person. If you have a family history, you’re more apt to get a stone.
What is the treatment?
If the stones are small enough, they usually pass on their own. Sometimes it can be an uneventful passage, or sometimes it’s just an excruciating passage, but we can help them out with pain medicine and some other medicines.
We say greater than 5 mm we start watching them closely. They have a higher chance of requiring surgery to pass the stone.
So it’s possible that with pain medicine, it could go away on its own?
Yep, they can pass it. As long as it’s small enough, and there’s nothing abnormal in their system that prevents it from moving through, if it’s small enough people can pass the stones by themselves.
How long does that take?
It can take a few days. Depending on where the stone is and how small it is. Sometimes we monitor up to six weeks, but if the stone isn’t progressing, we’ll go ahead and take care of it.
If the pain is so much that they can’t endure it, then we will go ahead and treat. If their pain is coming and going, and well-controlled with things like ibuprofen or other pain medicine, sometimes we just wait and let them try and pass it.
What does surgery involve?
There are three types of surgery.
There’s shock wave lithotripsy — it’s a noninvasive procedure where you basically put shock waves onto the stone externally to break up the stone. That’s a good treatment if it works. It requires not as much anesthesia.
The other that we use most commonly probably here is ureteroscopy: taking a little telescope without any incision, you just go up where you pee, go up to the stone, and you use (a) laser to break the stone into pieces.
The much more invasive way is called percutaneous nephrolithotomy, and that’s when you go through | 512 |
gmane | Buzilla
in this manner? Thank you very much
Thanks,
Kevin Tong
Folks,
I'm back in San Francisco, but not quite ready to put the BDFL hat back on.
I've had some workplace related issues (the sewer backed up into my office
which has been cleaned down to concrete and studs and I'm somewhat involved
in finding a plumber who can fix the issue that caused the backup as well as
a GC who can renovate the place). So, if you've ever thought that I was
full of feces, I can tell you that I'm not, but my office was. ;-)
I think Indrajit has been doing a great job BDFLing. I'm going to ask him
to continue the gig until at least September 1. I'll be more active on the
Lift list and I've got a ton of tickets to close, but for the next few weeks
at least, he'll be running the show.
Thanks,
David
Hi all, I'm creatint a plug-in cdt, it is for creating a classic c project but with some specific configurations. As there are some files in a fix location that I need in all c projets, I want to use linked resources, is possible to realize that using extensions? which one?
thanks, flo
Hi,
I did a fresh flash of Freedombox 0.13.1 for BBB on a micro sd card.
After installing XMPP I cannot get it to work. I hope the following
information is useful. Can anyone help?
When using JSXC, I get the following error:
Domain is /mydomain/.freedombox.rocks
"BOSH server NOT reachable or misconfigured. Host unknown:
/mydomain/.freedombox.rocks is unknown to your XMPP server."
When I change the domain to localhost, I get "BOSH Server reachable."
Furthermore, I cannot connect to XMPP server using a client like Jitsi,
Pidgin, or Gajim. In fact, Gajim gives the following error:
"Server replied: The value of the 'to' attribute provided by the
initiating entity in the stream header does not correspond to a hostname
that is hosted by the server. Check your connection or try again later."
As far as II can tell, the Dynamic DNS Client is configured correctly.
For instance, I can connect to /mydomain/.freedombox.rocks/ikiwiki
without any problems. By contrast, when I try
/mydomain/.freedombox.rocks/plinth/apps/jsxc/jsxc, I get a 403 Forbidden
error, which makes me think it is a permissions problem.
Any ideas?
Thanks!!!
Best,
DJ
With the release of the first Long Term Release (2.8 LTS) and two other
stable releases (2.10 and 2.12), 2015 as been a great (and busy) year for
the QGIS Community with lots of great new features landing on QGIS source
code. Now that the year is coming to an end, I would like to know what were
the new features that cause more impact on users.
Please help me elect the QGIS 2015 top new features by choosing your
favorite 2015 new features. For that take the following survey.
https://senhorneto.typeform.com/to/ibwVQz
I will share the results here and in my blog before the end of the year.
Thanks,
Alexandre Neto
Hi! I have been using rhythmbox to listen to my music files for a | 512 |
Pile-CC | than you. But a few are normal human size, and some are giants. What chance would you have? The reality of Britain is that Global London is flourishing at the expense of the rest of Britain, including parts of London.
“London’s economy is doing even better after the banking crash than during the bubble – while nearly every other part of the UK has seen its economy shrink by comparison. Exclusive findings published by the Guardian show that London and the south-east are racing away from the rest of the UK at a pace that would have seemed almost incredible at the height of the financial panic. During the boom from 1997 to 2006, London and the south-east was responsible for 37% of the UK’s growth in output. Since the crash of 2007, however, their share has rocketed to 48%. Every other nation and region – with the exception of Scotland – has suffered relative decline over the same period. The upshot is about a quarter of the population is responsible for half of the UK’s growth, leaving the remaining three-quarters of Britons to share the rest…”
“In the decade to 2007, manufacturing and other ‘productive businesses’ took 9.7% of all bank loans. From 2008 to 2012, however, that plummeted to just 5.9%. That compares with the 40% of bank loans to other financial institutions and the 52% of credit extended to individuals, much of which would have been used for mortgages. Infrastructure projects such as the Olympics and the Channel tunnel rail link have seen a huge amount of public spending flowing into London. Last year, the construction skills industry training board forecast that Greater London would receive more economic-development spending than Scotland, Wales and Northern Ireland put together.
This has sat alongside policies aimed at making credit cheaper and easier, which have had the effect of making owners of homes and other assets better off. This month, Nigel Wilson, the chief executive of Legal and General, described the £375bn quantitative easing programme as ‘a policy designed by the rich for the rich’.”[A]
So what are the alternatives? There are any number of alternatives. Countries that retained and extended “Social Capitalism” during the Thatcherite era have been as good or better for ordinary people. Not so good for their Overclass. People don’t realise how badly they have been cheated. There is a nice on-line video showing this with simple diagrams, a presentation called 9 Out Of 10 Americans Are Completely Wrong About This Mind-Blowing Fact.[B] And people who are offended by inequality are also scared of state power and convinced that vast numbers of poor people are cheating on welfare. And they have been overawed by what right-wing economists call Economic Rationalism.
Most people take so-called Economic Rationalism much too seriously. It is actually a nonsensical system that assumes we ONLY act according to our selfish desires. In a real economy, real people almost always mix self-interest with notions of honesty, duty and sometimes generosity. These are sometimes called “irrational”, but there are no objective grounds for considering them superior to | 512 |
Pile-CC | terrorist ever has. Because they’re brothers in destruction. Just like Solomon said.
With all that in mind, we need to start requiring that people in our country actually invest in their own lives and communities. Hand-outs seem like a short-term solution for poverty, but in the end, they produce a mindset that is fundamentally destructive—both to the individual and the country as a whole. I guarantee people wouldn’t be howling about how the rich need to pay more if everyone felt a little of the burden of our tyrannical tax system. “There ain’t no such thing as a free lunch.” Somebody has to pay for it, that’s true. But it’s also true that there is hardly a lunch tastier or more satisfying than one you pay for with the sweat of your own brow. And that is the ethic we need to get back into our country before slack hands and terrorists dismantle it completely.
New Delhi: Despite averaging over 8.5% growth since 2000, India has achieved less than half of the United Nations Millennium Development Goal targets in hunger and is 94th on the Global Hunger Index of 118 countries, a report released by the Washington-based International Food Policy Research Institute (IFPRI) said.
“Hunger has many faces," said Dr Doris Wiesmann, a nutritionist with IFPRI who developed the index. “So the index uses a multidimensional approach that gives a very comprehensive picture of hunger in developing and transitional countries."
The Global Hunger Index 2007 was calculated on the basis of data from the period between 2000 and 2005. India’s score is 25.03, compared with 8.37 for China, which is 47th on the list. Libya tops the list with a score of 0.87.
IFPRI calculates the Global Hunger Index to capture progress by countries on three indicators for two UN millennium goal targets for 2015. The indicators are: the proportion of people who are calorie-deficient, child malnutrition, and child mortality. The two millennium development goals for all countries relevant to the Global Hunger Index are: halve the proportion of people suffering from hunger between 1990 and 2015, and reduce the mortality rate among children under five years of age by two-thirds by 2015.
India’s Global Hunger Index Progress Indicator of 0.496 implies that instead of a reduction of 17.6 in the index since 1990, India managed only 8.7 in the 17 years to 2007.
The full target may be difficult to achieve in the remaining eight years, says the report. “Positive trends prevail in Asia. Nevertheless, countries such as Bangladesh, Pakistan, India, Nepal, Laos and Cambodia all failed to achieve their midpoint Global Hunger Index targets," it added.
Yoginder K. Alagh, author of India’s poverty line and former planning minister, said, “This is a consequence of a very long neglect of agriculture. Thousands of poor farmers’ families get into the poverty and hunger trap because they have been left behind by our glittering growth which has bypassed them. I think even if Rs400 out of Rs1,000 spent on the public distribution system goes to them, we need to run it. Especially in | 512 |
gmane | it is outdated, and thus not valid because now XSL-FO makes part of
XSL recommendation since 2001. Because I'm a newbie with it, the quote I
read at MSDN led me to question about its world-wide use and acceptation by
developers; when talking about MS, we must take care from being badly
influenced. Anyway, I became wondered with XSL-FO, it is great and I am
working hard to start using it for many purposes.
About the overlap with CSS, I think that the purpose of HTML/CSS has nothing
to do with XSL-FO rec's purpose. HTML/CSS is to publish content over the web
using browsers, and browsers do not take care of document features like
pagination, headers, footers, an so on. So I suppose that worrying about to
resolve the overlap makes no sense. (that's what I think, please clear my
thoughts if I'm in the wrong way).
That few number of vendors/implementations is an issue, I think so. This
makes me stay in use with the current tools (like Crystal Reports) I use to
generate reports. Particularly, I dislike that tool, and, in addition, it
always broughts many problems to me. That's why I started an effort to
replace this tool by something better (XSL-FO, actually). I'm just having
problems with finding an open source library for .NET. I tried NFOP, which
is the .NET port of Apache FOP, but it did not work in my tests; I'm still
sweating to make it work.
Thank you for the attention.
Regards,
Hi,
We are looking into Packetfence to detect and isolate all computers that aren't part of our Active Directory domain. I've looked through the documentation and haven't seen any such violation we could implement. Is this something feasible i.e. registering computers based on their domain membership? In a nutshell, I would like to auto-register all members of the domain (Windows and Macs as well) and assign the non-members to a separate VLAN.
Thanks for your help!
Joël Tougas
Hello, fellow Flask users!
I started learning Flask this year and here is a small project I built using
Flask.
Marketplace for your expertise
http://expert.io
Being a ex-Django user, developing in Flask is really a pleasure to me.
But I do have some question to ask if it is appropriate. As I am using nginx
as the front end, it would sometimes show a 502 error which I have no idea
what it is about.
The system is deployed with gunicorn + gevent.
Please leave any comment or suggestion!
Thank you for your time.
Cheers,
Justin
Not sure why, but, none of my emails addressed to this DL are getting thru the group. I was told today that the emails are not moderated, however, if they are lengthy, that they could get delayed. But, the last one was fairly textual and short.
Anyone else having this issue or is it just me
Thanks
Nagi
Hi,
(Please CC me on any replies as I am not on the list)
I think lambda and phoenix are great libraries that are needed for C++
to continue to be | 512 |
reddit | future happiness, and all this suffering is just to uphold a promise made between friends. The willpower to relentlessly suffer just to honour a promise made, just gets me every time. Robins backstory is obviously horrific, and full of suffering and abandonment, often at the hands of those you should be able trust, so much so that she'd given up the will to live! But for both to willingly suffer for decades just to keep their side of the bargain, just hits me right in the feels.
Everybody else is focusing on the (true) fact that they can't say anything about it - but that's not helpful to OP at all. They can still *do* something about it (ie, not hire her). Your answer is the best. OP needs to address her pregnancy (in person) and talk about how she's excited for the child, but also excited to begin work after maternity leave.
Well i believe that i'm the sexiest man on earth- And it's that exact attitude, which is what helps me pwn a bish. Women can smell a buff, insecure dude miles away. muscles won't help you at all, if you're still an insecure dude, who tries to rely on his muscles to impress, and pick up women.
Living in Texas I can tell you right off the bat, wearing any dark color shirt will probably kill you. White or even just lighter colors will have a Noticeable difference in temperature. So I don't know where this guy gets his information but he is going to give some one heat stroke with this advice.
Да ладно вам, какая капсула когда 85%? Кругом враги. Временные экономические трудности. Братья китайцы. Чемпионат мира по футболу. Построим коммунизм в отдельно взятом нерезиновом городе. Вон Белковский говорит что раньше 2017-го власть не поменяется. А если верить Войновичу, Хуйло должны отправить на орбитальную станцию. После смерти в мавзолей наверно уложат.
I've been vaping for a couple months with an AIO, but vaped it forward to a friend. I splurged and got myself a Mi-One from my local B&M, and wanted to give a quick review for it. I tried it with the Mi-One 0.6 coils, Joyetech 0.5 coils, as well as the Cubis RBA with the included coil. First impressions - this thing is *tiny*. I have an iCare mini that I've stopped using almost completely because the mi-one is almost the same size and has a *lot* more flavor. It disappears completely in my hand when I'm vaping, and would be the perfect stealth vape if you're using it with the 0.6 or 1 ohm coils. It whistles a little too much with the 0.5 and the RBA. As I said before, tons of flavor with all the coils I've tried it with so far, and I want to give a quick disclaimer - maybe I just had dud coils, but I find the 0.6 Mi-One coils MUCH better than the Joyetech ones. So much more flavor. If you're having issues with the Joyetech coils, I'd recommend giving the mi-one coils a try. In terms of build, this | 512 |
realnews | was about to be made public by someone else.
“These circumstances now compel me to reveal this situation,” Domenici said.
The 80-year-old Republican and former Senate Budget Committee chairman told the Journal he had an affair with Washington lobbyist Michelle Laxalt, the daughter of Paul Laxalt, a former U.S. senator and Nevada governor.
“I deeply regret this and am very sorry for my behavior. I hope New Mexicans will view that my accomplishments for my beloved state outweigh my personal transgression,” Domenici said.
Domenici served in the senate for six consecutive terms from 1973 to 2009 and was the longest serving senator from New Mexico. He retired because of a degenerative brain disease.
He currently is a senior fellow at the Bipartisan Policy Center in Washington D.C.
Domenici and his wife Nancy have eight children.
Should I be flattered or embarrassed?
Amazon.com (Nasdsaq: AMZN) CEO Jeff Bezos was introducing the Kindle Fire two months ago, but he began by rubbing some salt into the wounds of the original Kindle's detractors.
He went over a few of the unkind things that were written about the e-reader ahead of its initial November 2007 rollout.
"The Kindle is here, though it may as well be kindling" was the second of the unattributed knocks that Bezos read during the press conference. It's here -- at the 3:38 mark -- if you want to play along at home.
I didn't immediately recognize those words as my own, but The New York Times' David Streitfeld recently brought it to my attention. There is no such thing as a lack of attribution in this age of search engines.
Just my luck. I finally get Bezos -- the ultimate tastemaker in the art and business of literature -- to read my words out loud, and it's a diss.
C'mon, baby, light my Fire
"Amazon's New $400 Paperweight" was the viciously incendiary headline of that article. He chose the opening throwaway line, which in retrospect was one of the kinder things I had to say about the e-reader at the time.
This doesn't mean I'm seeing if I can get free two-day shipping on crow through Amazon Prime. I stand by everything that I wrote in that article. The next three words in that piece -- after the kindling remark -- were spot-on: "priced too high."
If Amazon hadn't budged off that $399 price point, there's no way the Kindle would be a gadget that today is owned and enjoyed by millions.
Maybe it's my fault for not assuming that aggressive price cuts would follow. I certainly didn't think it would be a brick-and-mortar bookseller -- Barnes & Noble (NYSE: BKS) -- that would grow to be its most ferocious competitor in a platform that would, and will,neventually put the traditional bookstore out of business.
It was easy to predict that annual refreshes would make the Kindle better. But I don't think anyone figured that an 80% price cut to $79 in four years was possible. Apple (Nasdaq: AAPL) rolled out the iPad at $499 early last year. Raise your hand | 512 |
reddit | literally never is talked about in anything I have said so I don’t get where you keep getting that I’m using this to justify them being better than other teams. I simply stated that world competition is a mark of skill.
Honestly, it comes down to making good content that people are searching for, using titles that are easily searched, being very focused with the content, and being consistent. Of course good thumbs and audience retention play a roll as well, but you have to get noticed first. I usually don’t go for top searched terms, I aim for some lessor terms and squeeze in that way. As a smaller channel I’ve had to be very strategic. You make wildlife content, but is there something specific within wildlife that you do? The more niche you can be the better. I wish I had something secret to share because you’ve probably already heard all of that. 😁
Oh shit, I forgot about her cooldown effect! That certainly adds alot more depth to her skillset. I think I may be wrong but I think her last passive only works when paralysed, so in other words, it's a counter against players like Presty, Kirin, Serestia, which makes it kinda situational. Correct me if Im wrong.
I'm not worried about our offense, no one is really fighting for a spot, everyone pretty much knows where they will end up. As for D, * **Petry:** yea he was decent, doesnt have much to prove anyway * **Jerabek**: liked him. Potential to be the next Zaitsev is there, but he has to adapt. He'll either do that during preseason or in Laval * **Lernout:** going to Laval, although he looked pretty decent. Has the potential to become an alright 5D * **Morrow:** wtf are you doing man * **Gelinas**: a slapshot on skate. Can't do anything else so I'm not sold on him. Laval is fine tho * **Redmond:** totally forgot he was playing. Wtv
This is also assuming that you have no timetable to finish. When reading a book in another language I think that every moment spent getting experience is worthwhile. It literally took me more than a year to finish my first volume of Bleach. After that my confidence went up and I just read for fun and finished the series in the following year.
I think his point in making announcements is to maintain his credibility and prestige during development time. If you look anywhere on /r/jailbreak during the development of any of the newest jailbreak at a time, people constantly complain about lack of communication, hence why everyone really likes Coolstar and are very frustrated with Saurik right now. Even if this release takes another week, month, etc., if Coolstar continues to make announcements about progress, people will be much less angry (at least maybe on this subreddit. Twitter replies are something else entirely). I’m sure he is sending developers more detailed information, but non-developers really just want to see progress in the lead up to the release.
There aren't any pokestops on our route, but | 512 |
reddit | loose hope, you'll meet someone that can understand you. But in order to do so you have to work on yourself.
My opinion is that all drugs should be legal and controlled by government, just like alcohol. Prohibition has and will always fail. The fact that drugs are illegal does not stop people from using them. People like getting high for several reasons. The main one being that getting high is an awesome feeling. Its not true for everyone, but many otherwise law abiding citizens do partake. My two main arguments are Portugal and Iran. I live in Canada and do not use illegal drugs. If I woke tomorrow and read in the newspaper that heroin was now legal and available at the local "heroin store", I would not rush there to buy a bag of china white. The War on Drugs has imprisoned and ruined many peoples lives. It has put billions upon billions of dollars into drug lords hands. They in turn ruin whole communities. I don't really have a constructive solution. My main point is that prohibition is not the best option.
* Deposited a level 13 male Oddish * My IGN is May, message is 'Order Up!' * Can't level or gender lock :( * My favorite dessert is molten chocolate lava cake with vanilla or mint ice cream. I always have to get that if I see it on the menu!
Where I live there are lot's of ups and downs. My wife's Q5 handles them with no issues. My FocusST front tires will slip up the moment I try to put some gas into climbing them. I used to think quattro was only for offroading, my wife's Q5 made me change my mind.
shorter summers, probably. we do have schemes that are similar, like NCS (National Citizen Service) subsidised by the government that runs for four weeks. first two weeks are residential, but apart from that they go home for the weekends and evenings every day honestly I think we just find it a strange idea to send our kids off for weeks
I don't see why. I've been browsing /r/AskHistorians for awhile and I've seen similarly political questions be asked and answered here before as long as it remained confined to the 20 year rule limit. I am certain that my question can be answered without devolving into modern day politics.
Yeah I agree. I don't really want to see it that much personally because I think Danica does have sort of a rough attitude for someone in her position, making so much money doing something that she loves at a fairly mediocre level. I just feel like its getting harder to ignore the notion that she does have a lot of advantages because she's an attractive woman and thus the media is all over her.
>Spells or abilities that allow you to add models to existing units don’t cost you any reinforcement points. However, in a Pitched Battle, spells or abilities cannot increase the number of models in a unit to more than it had at the | 512 |
nytimes-articles-and-comments | those regards. I suppose it is possible that we could have an even less effective president, although I'm not sure how, but even if by some miracle we are able to see 'the light at the end of the tunnel' by November, we will need a real leader to bring us out of the tunnel and into whatever the future brings. I cannot imagine that Donald Trump can do that. If he was capable of learning to be a better president, we would have seen evidence of that already instead of the current and appalling daily vision of an angry, scared, defensive, flailing child who is completely overwhelmed by the problems he and we face.
@Mike
Real Progressives will vote Green Party for president!
The Democratic sheep will likely vote for warmongering, Wall Street supporting, status quo protecting Democratic Part candidate.
Unless progressive Democrats show some spine, America will remain obscenely unjust, unequal, unhealthy, poorly educated and very violent.
No change, that is what Blue Dogs like, right?
America may never have the will to be a better country.
Hopefully the other countries of the world will co-operate to lead the world towards a more harmonious and sustainable future, leaving America to drown in its riches and violence.
It's too bad this (great!) article doesn't mention two of Val Kilmer's best movies: Spartan (written & directed by David Mamet), and The Salton Sea (which is also one of my favorite Vincent D'Onofrio movies). Two totally different characters, authentically inhabited and portrayed, by a great actor.
I wonder how long the vaccine protects those who get it... I guess we’ll be finding out. That knowledge may have some real impacts on our plans. But as others aptly point out, it’s too early to make long-range decisions. Plenty of people want the shots who qualify right now.
@pkvls You may have lost a few luxury outlets but your cities (MD?) are not burning. Some looting has happened but by and large, most businesses are still operating. Crime has been going down and is not out of control. Yes there are people trying to de-escalate the conflict and re-purpose some of the money that is currently going to the police but no serious politicians are asking to disarm the police.
Seventeen years ago, Ontario specifically Toronto, was one of the centers of the SARS outbreak. In the aftermath it became apparent how under prepared we were. How do you prepare for the unknown? You'll learn. A pause in the step. An extra two three or four washes of the hands. A self consciousness that wasn't there before. Did I touch that? Things will change until this gets sorted out. Good up to date info at Ontario public health website.
Public transit provided by the city should absolutely be free. It may seem counterintuitive at first, but, as Ellen Barry says, it pays off. The cost of collecting the fares was too high to offset the profit (or lack thereof), so why not make it free?
The issue of declining ridership is addressed, too; if it’s free, more people will use | 512 |
realnews | and Asians gathered by the thousands at outdoor Masses in a global goodbye to the pope.
The funeral Mass in Rome was telecast live to churches around the world — from Paris' famed Notre Dame Cathedral to a seaside park in Manila, Philippines, to churches across Africa.
"He has had a huge impact on us, we are the generation of John Paul II," said Florence de la Rousserie, 27, one of 7,000 worshippers who filled Notre Dame. "He has taught us all the rules of Christian morality, of spirituality. I am moved. I am sorry."
After the Mass ended, bells tolled and 12 pallbearers with white gloves, white ties and tails presented the coffin to the crowd one last time, and then carried it on their shoulders back inside the basilica for burial — again to sustained applause from the hundreds of thousands in the square, including dignitaries from more than 100 countries.
Chants of "Santo! Santo!" — urging John Paul to be elevated to sainthood immediately — echoed in the square.
After the funeral, as dignitaries and other officials from around the world left the basilica, pilgrims streamed into St. Peter's Square as a last-ditch effort to get close to the pope. Many pilgrims had waited in line for up to 24 hours to pay their respects to the pope before Rome officials closed down the line on Thursday to ready for the funeral.
The first non-Italian pope in 455 years was buried at 2:20 p.m. (8:20 a.m. EDT) in the grotto under the basilica, attended by prelates and members of the papal household, the Vatican said.
The 2 1/2-hour Mass began at 4 a.m. EDT with the Vatican's Sistine Choir singing the Gregorian chant, "Grant Him Eternal Rest, O Lord." Cardinals wearing white miters walked onto the square, their red vestments blowing in the breeze.
Cardinal Joseph Ratzinger (search), dean of the College of Cardinals, a close confidant of John Paul and a possible successor, presided at the Mass and referred to him as our "late beloved pope" in a homily that traced the pontiff's life from his days as a factory worker in Nazi-occupied Poland to his final days as the head of the world's 1 billion Catholics.
Interrupted by applause at least 10 times, the usually unflappable German-born Ratzinger choked up as he recalled one of John Paul's last public appearances — when he blessed the faithful from his studio window on Easter.
"We can be sure that our beloved pope is standing today at the window of the father's house, that he sees us and blesses us," he said to applause, even among the prelates, as he pointed up to the third-floor window above the square.
"Today we bury his remains in the earth as a seed of immortality — our hearts are full of sadness, yet at the same time of joyful hope and profound gratitude," Ratzinger said in heavily accented Italian.
He said John Paul was a "priest to the last" and said he had offered his life for God and his flock "especially amid | 512 |
amazon | Easy enough to find and fix.
All in all, this is a great card. I was looking to upgrade to a GTX 960 at one point but after some research it would only provide a 10% or so performance boost and I don't think its worth it. Will probably get a GTX 970 once pascal is released and the prices on maxwell drop.
The "Vicar of Dibley" has been making us laugh for years. As you know, a vicar is a parish priest in the Anglican Church. And this BBC priest and her crazy parishioners of the village of Dibley will keep you "in stitches" for years to come. There is one scene in the "Autumn" episode, with the Vicar and her beau Simon on a picnic, walking along a country lane, that still makes me laugh to this day. (I won't spoil the fun, or surprise by telling you the details.) Enjoy, Amen!
I bought theses for my xbox 360 controller and I got them but when I tried to put them on my xbox cotroller they would not fit I kept trying but no success I don't know if they would fit on ps3 but I do not recemend buying theses for a xbox 360 controller
love love love these very comfortable
My heart thrills to their music. It lifts you right up to Heaven. If only I could sing like they do! A God given talent.
Lasted a week
The less expensive models are a better value due to the comfort
I liked it but the cats were not impressed. Bought two - one for each cat but one of the two stopped squeaking...? They seem to be sturdy and well made other than that. Will keep trying to stimulate their interest.
Love these durable, collapsable water bottles! They have a clip on the lid so you can easily hang from a backpack or purse / tote. Folds up nice and small for easy transport when not in use. I bought several of these!
I have 4 guitars. A Martin 0-28 VS, a Gibson Les Paul, a Kenny Hill Players 640 Classical with ports, and a beautiful Taylor 614 ce.
All of these guitars have a special place in my heart, and skill level. I am a classically trained pianist. This Taylor shines both acoustically and plugged in. I plug it into a Fisher Mini Loudmouth. Give it a try, I am sure you will be very pleased.
This mouse is great, i have several and this one has become my favorite. it's very comfortable to hold onto, and it just sails around the screen, without any effort. it was just under $10 (at the time i got it) has an automatic 18 month warranty from the manufacturer, and they have emailed me, twice in regards to seeing how satisfied i am with thier product. i like the flip fold feature as well, and so far it has not become a battery monster, like some of my other wireless mice have been. i purchased, another type of mouse the same time, when i got this one- and although | 512 |
ao3 | later. She shook silently with shaky breaths in his arms. Professor Blake came seconds later inside her.
“Fuck, sweetheart, I came inside you.” He worried. Y/n laughed and replied, “It’s ok, I’m on the pill.”
Professor Blake pulled out of her and helped her get dressed silently. He watched her tuck her shirt back into her pants and then looked up at him.
“Look, Y/n,” Professor Blake began, but she cut him off. “I know, this was a mistake, but thanks for uh, that.” Y/n said with hesitation.
He laughed and then replied, “Princess, maybe you can stay after on Friday so I can help you with some classwork?” He suggested with dubious meaning. Y/n nodded and grabbed her bag and left the room already dreaming about their next meeting.
This was bad. This was really bad. He had underestimated the demon. He was stronger than the wizard had thought if he could break through his protection spell that easy. If he didn't get out of his clutches than he would face a painful death and the demon would probably devour him whole inclusive his soul. But also the citizens and Yoongi would be in danger. Yoongi....
“Oh are you thinking about your lover?”, the demon mocked him as if he could read his thoughts “I have to admit he is really cute. It would certainly cause a lot of joy to break him don't you think? To break you two together?”
A sudden wave of anger rushed through his body. He strengthened his grab around the demon's wrist. This just resulted in the other strengthening his grip around his throat too. Jimin could feel how it burned, how he tried too suck in air even when it didn't reach his lungs. He needed to do something but there was no way he could speak. Therefore he looked firm into the demon's eyes and recited the words of the spell in his mind. It showed its result when suddenly the grip around his throat weakened but it was not easy for the demon fought against the spell.
From then on something happened that both of them hadn't expected. Jimin could see something big and white out of the corner of his eye. It dashed out of nowhere and wrenched the demon away from him. The grip around his throat vanished completely and Jimin gasped for air. The oxygen could finally fill his burning lungs again. After the breathed enough air to think clear again he looked to the side. There on the ground laid the demon. Unmoving and lifeless. The end of his neck was ragged and blood was pouring out of him; colouring the grass black. His bloody head laid a few inches away from him. Jimin widened his eyes. What the hell had happened?
A meow stirred his attention and he turned to look forward. There in front of him sat Hestia, licking the blood from her snoot. A relieved noise left Jimin's lips “Hestia! You strong cat! You saved me!”, he walked towards her and put her up into | 512 |
reddit | stick? 3/32 will redden up and wilt at 100 amps. 90-95 is a good range for that size. 1/8, though, will shine at 110-120. if i'm seeing a fillet attempt in your pic, you need to run your second pass piggy-backed on the edge of the first to properly tie them together. that run you have there isn't tied at all, looks like
i’ve experimented with 1p for the past couple months, and i worked my way up to 5 tabs of 100ug. taking this much seems pointless to me, yeah it’s a little more intense, but taking just 1 tab has almost the same general effects. you still get warping hallucinations, and your mind is still racing with thoughts, the only difference for me is that higher doses have slightly more intense thoughts and you’re more likely to get stuck in negative thought loops. hallucinations are still very similar. it seems like a waste to take this much since the effects are not much more pronounced. my first trip of 100ug was just as intense of my most recent trip of 500ug. if i wanted a more intense trip, i would take 200ug as my mind was racing a bit faster on that compared to 100ug. but taking 500ug feels almost the same, i just had a higher likelihood of thought loops. i wait 2 weeks between trips so it’s not a tolerance thing
When the school year is over, graduating students will throw out all kinds of perfectly usable stuff (carpets, furniture, etc). If the next school year started right away, new students would snatch this stuff up. But there's a 3 month break until they come. I suspect you could rent a truck, pick this stuff up, store it for 3 months, then sell it for a bundle at the start of the next school year.
This deal is still available, I just picked mine up today. Sign up for the Fry's promo code via email. One thing I strongly suggest is that you go to Fry's (if you live reasonably close to one) and pick it up. The unit I reserved was open box, but since I went to the location, I asked to exchange it to a brand new, unopened box at no extra cost.
Your post and the comments lead me to something I think about more and more. Depression seems to affect those of us with higher intelligence (or at least, this subreddit makes it appear that way) and vivid imaginations. Everyone is incredibly articulate and deep. Its one of the few lights I find in this darkness. Its sad that we are all too down about it to let those creative juices flow and make the world a better place. :/ That said: Sleep is where I find comfort. My days are filled with monotony and shame. I can't seem to get over the destruction I've left in my wake that has left me in the jobless state I am that I can't even get insurance to cover getting diagnosed for this state of mind. Its | 512 |
realnews | underwear! Motherhood is both of those things.”
Sign up now for the Us Weekly newsletter to get breaking celebrity news, hot pics and more delivered straight to your inbox!
Want stories like these delivered straight to your phone? Download the Us Weekly iPhone app now!
GIVEN that Dick Reynolds coached Essendon for 22 years and Neil Craig has been in the caper for just over a year the Adelaide coach would probably be embarrassed to be compared with him. We are, however, going to do that today, if only in statistical sense, for the simple reason that we have stumbled across a stat which, if nothing else, illustrates the profound impact the one-time Crows fitness coach has had on his team since he took over from Gary Ayres in round 14 last year.
As students of the game will tell you "King Richard" is the "winningest" coach in league history (of all the 200-game-plus big-name coaches), his 275 victories from 415 games giving him an incredible winning percentage of 67.0 per cent. But how's this having started his career with just four wins from nine games last year, the Crows' 18 wins from 24 games this year has not only taken Craig's winning percentage to 66.7 per cent but a win over West Coast in Saturday's preliminary final will increase it to 68.0, surpassing Reynolds.
Mind you, it's not just Craig who is poised to make a finals impact on the AFL's book of numbers. With the four preliminary final coaches Craig, Grant Thomas, Paul Roos and John Worsfold having coached just 306 AFL games between them, not one of them has made it to a grand final (as a coach) let alone win one.
But it's Thomas who should feel particularly proud as he leads his Saints into battle against Sydney on Friday night, for it will be his 100th game as their coach, becoming just the third person, behind Allan Jeans and Stan Alves, to have reached the milestone at St Kilda.
All of which proves just how hard it is to hold down a coaching job at St Kilda, especially when you consider that clubs such as Carlton has had seven 100-game coaches and Geelong and Richmond have had six each.
Bombing out
Oh those one percenters
History says Crows
3AW hits back
TRIPLE M may have had a dominant season in football broadcasting but 3AW will be buoyed by its strong finish to the season following the release yesterday of the latest official Nielsen ratings figures. The Rex Hunt-led team won two of the four timeslots, on Saturday night and Sunday with Triple M easily winning Saturday afternoons and the ABC's 774 taking out Friday nights, although the ABC's figures are clouded in that two of the five night periods included the coverage of the Ashes Test series.
RESULTS (with the previous ratings in brackets): Friday (7-11pm) ABC 16 (14.5), Triple M 14.4 (14.3), 3AW 12.4 (14.9). Saturday afternoon 12-6pm: Triple M 17.4 (17.7), 3AW 14.4 (13.9), ABC 11.4 (14.2). Saturday night (6-10pm) 3AW 11.9 | 512 |
YouTubeCommons | hit enter and there it says hello world also at your shell you should be able to hit your up and down arrow if you haven't noticed me doing that yet to go through previous commands there's a lot of shortcuts in the actual shell that we can look at i'm not going to get into them too much i'm going to go back up to my vim command again whatever text editor use and in here i'm going to add in that read me command read not read me i keep saying read me read command i'm going to say prompt please enter your name and i'll give the variable name and then down here i can just say i just realized i spelt world wrong name okay and now we've changed that again we don't have to make it executable again we'll just run that script and it'll say please enter your name i'll say john it'll say hello john now another command we can look at here is a sleep command the sleep command you give it a number and it will sleep for that number a second so i can say one second it just pauses for one second if i say two two it's going to go two seconds i can also say like one m which would be one minute now if a command is running and you want to kill it or we'll say cancel it is ctrl c ctrl c will cancel that command in most cases uh you can also do fractions of a second so if i want to say half a second i can say sleep point five and we'll sleep .5 seconds there's other options there again you can use the man command for manual and look at other options for the sleep command actually there's not much in there so forget that usually there's more options this is a very basic command so let's do this let's go back into our script and what i'm actually going to do here is i'm going to add a clear command at
[Music] hope you all made progress on assignment seven let's see a final next week last week okay cool okay so let's go over so now we're going to finish out application security by really digging in and understanding what goes on when a buffer overflow occurs so somebody write me what is the C deck goal of following convention you know this close to the final the less answers I get the more difficult the exam yes what is the C deco calling convention some of you remind us what are this rough order of steps and the address of the next instruction where does that address usually come from yes where is it comfortably what assembly instruction usually pushes that onto the stack call instruction exactly cool and then wonderful caller be somebody else so the function or the call the function that got called it also allocates spatially local variables and then once it's done undoes that | 512 |
realnews |
He qualified as a chartered accountant 22 years later and has enjoyed a glittering career ever since, taking up posts at some of the biggest names in the financial sector.
Morzaria’s career began at Coopers & Lybrand Deloitte, where he worked from 1990 to 1993, completing his training at the group.
After those professional qualifications he joined historic City name SG Warburg in 1994, an investment bank taken over by the Swiss Bank Corporation in 1995.
In that year Morzaria moved on to JP Morgan.
After seven years there he moved to Credit Suisse Investment Bank. His roles at the institution included European controller in fixed income and global controller of derivatives.
But Morzaria moved back to JP Morgan within three years to continue his ascent.
From 2005 to 2009 he was chief finance officer for fixed income in the investment bank, before becoming global controller in the unit in New York.
His next promotion took him to chief finance officer for the whole investment bank from 2010 to 2012, followed by the addition of the corporate bank to his remit.
Morzaria graduated from Manchester University in 1990 after studying computer science and accounting, and is married with two daughters.
MELBOURNE, Jan 19 (Reuters) - Fernando Verdasco can finally replace the memory off an epic failure with a glorious triumph after stunning fifth seed Rafa Nadal at the Australian Open on Tuesday.
The Spaniard’s five-set loss to compatriot Nadal in semi-final of the season opening grand slam in 2009 is still talked about at Melbourne Park but the 32-year-old hopes that will stop after consigning his friend to a first round exit.
Tuesday’s sequel on Rod Laver Arena mirrored their clash on the same court seven years ago when Nadal prevailed in five hours 14 minutes, the longest Australian Open match at the time, before going on to beat Roger Federer in the final.
This time though a stunning six-game burst gave Verdasco victory after trailing 0-2 in the fifth set.
“Still (people) tell me how good I played seven years ago,” Verdasco told reporters after his 7-6(6) 4-6 3-6 7-6(4) 6-2 victory in four hours 41 minutes.
“I’m like, ‘I didn’t play again after that?’ Even last night they told me at the hotel (about the 2009 match) and I’m like ‘I play against him tomorrow’.”
Verdasco said he had watched a full replay of the 2009 semi-final about 10 times to learn from his mistakes but felt he was suffering a touch of deja vu on Tuesday.
“Today’s match was very similar,” the world number 45, who served a double-fault to end the 2009 encounter, said.
“I was for a second thinking about semi-finals and I was like ‘please I don’t want to lose with a double fault in 5-4, 30-40.’”
The 32-year-old, however, played fearlessly in the decider and blasted a cross court forehand service return to inflict only Nadal’s second opening round defeat at a grand slam and book a second-round clash with Israel’s Dudi Sela.
“Sometimes if you do what I did today, you can put all | 512 |
reddit | Plus resell on all are pretty good. Try this get a pro from Best Buy see how you like it , if not then return it before the 14 days.
There's this one song that is either by Mark Wahlberg or that he features in where he goes "Mark Mark, Marky Mark!" over and over again and I don't remember any other lyrics, but no matter how many of his songs I listen to or how many times I search I can't find it!
My parents paid for my college (private women's college in the southeast) completely. They sent me away to school without the car they had given me in HS (a Maxima, a nice car) and gave it to my brother to drive back and forth to school. I had a formal coming up and called them to ask if I could have "my" car that weekend. They politely reminded me that it wasn't "my" car, it was the family's car and my brother needed it. I promptly threw a rich girl hissy fit over the phone, telling them that they were terrible, that they obviously didn't love me, that they were being selfish and uncaring, blah blah blah. They had planned to come visit me 2 hours away at school that coming Sunday but told me they weren't sure if they were going to come now... I said fine, whatever, stay home, don't care, all of that stuff. They showed up. With a brand new Mitsubishi Galant (this was in 1992). They wanted me to have a brand new car that I could put all of my friends in and go to the beach, etc. They had purchased this car home approx. 20 minutes before I called them and went off about borrowing a car. I cried and cried with regret for my terrible, spoiled behavior and drove that Galant until it fell apart. They've since forgiven me, of course, 20 years later, but I'll never forget that shame.
So long as the game has a campaign (ie is split between 'game' and 'endgame') the regular joe consumer isn't thinking about that though. Even if they don't invest in the full thing for 800 hours, if they've got a 20-30 hour campaign out of it, it's just equivalent to any other game experience, and they're happy. Oversaturation of any type of game is an ever present danger though, for sure.
Don't have cancer, but I know WoW and other mmorpg's helped me get through a pretty crazy childhood in a violent household with a drug addicted mother. The police being called became so normal that I would just stay at my computer and keep playing as my mother was arrested or baker-act'd. I am looking forward to this documentary!
I'm doing some research for a short, satirical story on the war in Afghanistan specifically, and really on war in general, that takes the form of a mock news bulletin/live coverage from the "front". I'm ashamed to say I haven't been keeping up on the war more than the usual slightly-above-average | 512 |
StackExchange | in $(3,3)$, and $(7,12)$ is contained in $(1,6)$.
Oops – you wanted the sequences to be disjoint. That can only be done if you allow infinitely many sequences, as in the other answer that has been posted.
A:
$a_m=2^{m-1},d_m=2^m$ for $m=1,2,\cdots .$
$m=1$ gives odd numbers. Then $m=2$ gives evens not divisible by $4.$ Then $m=3$ gives multiples of $4$ not divisible by $8.$
Since every natural is uniquely a power of $2$ times an odd, we get all naturals in the union, and the sequences are pairwise disjoint.
Note for clarity: Given $m,$ the $k$-th term ($k=0,1,2,\cdots$) of that sequence is
$$2^{m-1}+k \cdot 2^m=2^{m-1}(1+2k),$$ of the form a power of $2$ (including $2^0=1,$) times an odd positive integer. This brings out both the disjointness of the sequences and that they cover all positive integers,
Q:
Faster way to create a list
I have to create a list of length n with the value v so I write
let lst = [v | _ <- [1..n]]
Is there a faster way because n may be huge?
A:
You can work with replicate :: Int -> a -> [a] which might be a bit faster:
let lst = replicate n v
but regardless how large n is, you here do not construct a list. Haskell is lazy, so that means that you it simply will store an "expression" to construct a list. If you are only interested in the second element, then it will not construct the rest of the list.
Note that due to list fusion [ghc-doc], the compiler can sometimes rewrite the expression, such that the list is never constructed, and immediately consumed.
Q:
Exception in thread "main" java.lang.IllegalArgumentException: java.io.IOException Invalid DER: length field too big (186)
I am using REST API's for monitoring Oracle Cloud Compute VM.
String privateKeyFilename = "/.oci/oci_api_key.pem";
PrivateKey privateKey = loadPrivateKey(privateKeyFilename);
RequestSigner signer = new RequestSigner(apiKey, privateKey);
loadPrivateKey(privateKeyFilename) Method looks like this.
private static PrivateKey loadPrivateKey(String privateKeyFilename) {
try (InputStream privateKeyStream = Files.newInputStream(Paths.get(SystemUtils.getUserHome().toString() + privateKeyFilename))) {
return PEM.readPrivateKey(privateKeyStream);
} catch (InvalidKeySpecException e) {
throw new RuntimeException("Invalid format for private key");
} catch (IOException e) {
throw new RuntimeException("Failed to load private key");
}
}
oci_api_key.pem file(sample) looks like below.
-----BEGIN RSA PRIVATE KEY-----
Proc-Type: 4,ENCRYPTED
DEK-Info: AES-128-CBC,93A2E22E154E2EBFE18D170E9E9D1772
xCpRUz2HCa9sd0inFN7BtFO/ZgQDlcieOriynSDGYBYXMO1JWpHtjbiEvt9FbdGk
INKzMQKeDbmG1PqW0Pzflla2IIpyZKEL85s/HpT/EM2qDkKZ15JostR2W1il+u1V
xCpRUz2HCa9sd0inFN7BtFO/ZgQDlcieOriynSDGYBYXMO1JWpHtjbiEvt9FbdGk
SampleSampleSampleSampleSampleSampleSampleSampleSampleSampleSamp
eB04BHrY9RTk2Oe6Bj5j9y0oCOcF0ScTSLRoA2z2PYTY0lacAiv7lq2fWq5/iVb1
KbNqIL7oMBn0oyFr2t9/STiHXU/F5gMbxqCN+A0F+S/Cdua5U5P1icnPF2f/RL32
cUrJM1soChcI1eJIDBlVsvOLOGEM761f5WYXIyMcM0fXi2nLpihrlh9yVU6El0Vq
+vPUlqLfxjlzOZgAjzSjsFSv0MBoSxeFM3zkGQs/OTkqHBVudJ1imoNAQXWRC50k
+OfItUAQmgIpvhQ3hCOXqnMXdgzVphjPS7J39nLSJRKXEKno3t4ahMkaHB6pFRun
hpNdlY3B+9h1iPh4Zxbr+3tIIDadQwV4Ic9JdtS+iUOQ4t/0zFcnMZ33lL81v+Fj
VOpMycKYkJVLVYyrq7gIxDjADR6BGWIJnuTeVyc8NQIBTUkrvYBlJkq5ro3p2jVg
Fh0Er0H1YxfkRTQR4uXWCv5GPIE+uMDHSb+JAvwYSsHQ0Vp+b3VKdkG4p7wgJeNS
7SODuznK2z8YcSiHz/SX7EKbx8kNCOODu/Tw4cav8GS9iUH5j7BRrePMFdQVv+bz
f9l1W429oro2Fxe/RdHzm7zliquiPE+/Wiw+sBIZfJFmwQS69aQOQeDawuHP6xBi
HOwF5Jqr15yTOxwRxmyGtOvj5M5x/uoPa4217fbfmyzc+XNxII4e6r95z3MGCZs0
hVIX4dAu37+i3cnJodWuqOn/it44OiHZbLM3pWGXNWb2BYCub/AUWxOQRfURGDDR
weU25EHFn3Xp5al4T8oHXaZBjJCBlVQ57A5YFX6CBsYRarVF7PJYycvRHa2eEM/y
ZTzDJjZZIaUu0rNPuNrTW7ZSH7mwq4ekCSRRbfyM05RkGWAhNiuXu2YWy7E07bMQ
5IIOdKXzx9FonECowWkAV1vDeesbVjxQTMdO82/dq5FjaErPTNji7RwS3izw9kiX
gcd00iltXKd6rUI8s1EwrFvEpURDcybVTi1D6PAZf25RjEF6MZAeNXKj7qPg3EDs
P4Rmi8y2pn93QHQfJxWI5aLmHP8ZCHrj8XRZFYrijOqM5y2DJBxTqIijd/S9197b
-----END RSA PRIVATE KEY-----
I am getting the below exception
Exception in thread "main" java.lang.IllegalArgumentException: java.io.IOException: Invalid DER: length field too big (186)
at org.tomitribe.auth.signatures.RSA.privateKeyFromPKCS1(RSA.java:63)
at org.tomitribe.auth.signatures.PEM.readPrivateKey(PEM.java:71)
at com.zoho.listeners.Signing.loadPrivateKey(Signing.java:132)
at com.zoho.listeners.Signing.main(Signing.java:86)
Caused by: java.io.IOException: Invalid DER: length field too big (186)
at org.tomitribe.auth.signatures.RSA$DerParser.getLength(RSA.java:402)
at org.tomitribe.auth.signatures.RSA$DerParser.read(RSA.java:358)
at org.tomitribe.auth.signatures.RSA.newRSAPrivateCrtKeySpec(RSA.java:133)
at org.tomitribe.auth.signatures.RSA.privateKeyFromPKCS1(RSA.java:59)
... 3 more
Any inputs?
A:
Looks like it expects a DER encoded certificate instead of a PEM certificate. The following excerpt from this article should provide some background:
X509 File Extensions
The first thing we have to understand is what each type of file extension is.
There is a lot of confusion about what DER, PEM, CRT, and CER are and many have incorrectly said that they are | 512 |
realnews | Kirstjen Nielsen denied last June that the administration was doing anything different from the Obama administration. She also said that the Trump administration did “not have a policy of separating families at the border” but was simply enforcing existing law.
Last week, after the leaked memo circulated, the Southern Poverty Law Center and the Legal Aid Justice Center of Virginia refiled a prior complaint as a class-action lawsuit on behalf of all the unaccompanied immigrant children “who have made the long and perilous journey to the United States surviving trauma and fleeing violence and persecution in their home countries, only to find themselves detained by the federal Office of Refugee Resettlement (ORR) at sites around the country.”
It states that “as a result of these policies, ORR has held tens of thousands of children across the country in custody for excessive amounts of time and has illegally and improperly denied them the opportunity to reunite with their families.” It also asks that no more children be separated from their families.
“We were all horrified last summer, watching babies being ripped from their mothers’ arms, but we’re seeing that the same thing is still happening,” said Mary Bauer, the deputy legal director of the Immigrant Justice Project at the Southern Poverty Law Center. “Despite what people think, [the Trump administration] didn’t get rid of the most problematic parts of the policy. What’s in place is still a quixotic system that isn’t being transparent about why kids aren’t being released to family members and, sometimes, to parents. They don’t know what they’re supposed to do, they’re told the children will get out but then there’s always something else [that prevents reunification].”
The Trump administration has always contended that its tough guidelines for releasing children are designed to ensure that kids don’t end up in the hands of human traffickers and other nefarious predators.
But if our government is detaining children and exploiting them by using them as deterrents in a failed effort to discourage migrants from fleeing their violent, ravaged homelands, then who are the real traffickers and nefarious predators in this scenario?
The answer will depend on whether the American people can stay tuned in to the suffering of the lost migrant children long enough to demand they be returned to their parents.
According to a new LIMRA Secure Retirement Institute (LIMRA SRI) study, 79 percent of American consumers are concerned about financial fraud with 36 percent saying they were very concerned.
The study found one quarter of Americans report they have been a victim of financial fraud with 13 percent victimized in the past two years.
The report, Financial Fraud and Retirement Accounts: An Opportunity to Engage, Educate and Build Trust, noticed that levels of concern vary significantly across the different types of financial products.
Consumers tend to worry about "high-touch" products, such as credit cards and bank accounts, more than they worry about long-term savings accounts, like workplace retirement plans, IRAs and annuities. The study finds 83 percent of American cardholders say they are concerned about credit card fraud, while just | 512 |
StackExchange | load the release-version of the API, the current experimental version is very buggy.
https://jsfiddle.net/doktormolle/h9q2ncnx/2/
Q:
What is self-supervised learning in machine learning?
What is self-supervised learning in machine learning? How is it different from supervised learning?
A:
Introduction
The term self-supervised learning (SSL) has been used (sometimes differently) in different contexts and fields, such as representation learning [1], neural networks, robotics [2], natural language processing, and reinforcement learning. In all cases, the basic idea is to automatically generate some kind of supervisory signal to solve some task (typically, to learn representations of the data or to automatically label a dataset).
I will describe what SSL means more specifically in three contexts: representation learning, neural networks and robotics.
Representation learning
The term self-supervised learning has been widely used to refer to techniques that do not use human-annotated datasets to learn (visual) representations of the data (i.e. representation learning).
Example
In [1], two patches are randomly selected and cropped from an unlabelled image and the goal is to predict the relative position of the two patches. Of course, we have the relative position of the two patches once you have chosen them (i.e. we can keep track of their centers), so, in this case, this is the automatically generated supervisory signal. The idea is that, to solve this task (known as a pretext or auxiliary task in the literature [3, 4, 5, 6]), the neural network needs to learn features in the images. These learned representations can then be used to solve the so-called downstream tasks, i.e. the tasks you are interested in (e.g. object detection or semantic segmentation).
So, you first learn representations of the data (by SSL pre-training), then you can transfer these learned representations to solve a task that you actually want to solve, and you can do this by fine-tuning the neural network that contains the learned representations on a labeled (but smaller dataset), i.e. you can use SSL for transfer learning.
This example is similar to the example given in this other answer.
Neural networks
Some neural networks, for example, autoencoders (AE) [7] are sometimes called self-supervised learning tools. In fact, you can train AEs without images that have been manually labeled by a human. More concretely, consider a de-noising AE, whose goal is to reconstruct the original image when given a noisy version of it. During training, you actually have the original image, given that you have a dataset of uncorrupted images and you just corrupt these images with some noise, so you can calculate some kind of distance between the original image and the noisy one, where the original image is the supervisory signal. In this sense, AEs are self-supervised learning tools, but it's more common to say that AEs are unsupervised learning tools, so SSL has also been used to refer to unsupervised learning techniques.
Robotics
In [2], the training data is automatically but approximately labeled by finding and exploiting the relations or correlations between inputs coming from different sensor modalities (and this technique is called SSL by the authors). So, as opposed to representation learning | 512 |
amazon | of maneuvers to impress the head hall monitor with his seriousness. Typically for Charlie, things go comically awry.
This is the second Charlie Bingham adventure (After Charlie Bingham Gets Clocked). and it is as much fun and warm-hearted as the first.
I received a free digital copy of this book in exchange for an honest review.
I really enjoyed this book and highly recommend it, especially to those who love politics.
Love his stuff.
This Remix EP (Gee Street/LaFace 24039-2) contains 5 versions of the song: 1. Extended Remix Radio Edit, 2. Extended Jeep Mix, 3. Remix Dub, 4. Remix Instrumental and 5. Album Version.
so much nicer than I anticipated it being. strong clip with good rubber padding to keep any harm from your instrument. I use it on everything from a guitar to a soprano ukulele. It can stay on the headstock of any instrument (many capos won't hang on to a little ukulele headstock). Love it, would buy as a gift for sure.
Bought one for the kids and another by a different manuf for same price range. This one was by far the winner.
Black is coming off exposing a white rubber underneath. But protection of iPad has been great.
Had a chance of using it this summer and it worked flawlessly good product for the right price.
I did not give it 5 stars due to the fact that in the UK some outlets had a different configuration for the 3 male inserts. It could be that this hotels were remodeled and it is the new type of receptacle, but i had no problem since they also added the US type for 120 Volts
Very good. Wish it had more of Jack in it but it still kept my interest all the way thru.
the best
Keeps my 852 pound Harley ultra vertical even in beach sand. Compact enough to slide unnoticed in the bag, yet constructed of sturdy material that gives you confidence it will hold your pride up on any ground. Good price, so bought a few to share with my riding mates.
A bit snug...but wearable
Worked great for 3 miles, then rubber snap broke and one of the coils loosened; Evidently Amazon doesn't deal with returns for this item, and now will have to deal with YakTrax directly. Bought this to negotiate a snow covered upper trail in grand canyon. Great snow but YakTrax not so great, not even close.
The size 8 m fit me fine (I have had a pair of the Clark's clogs.) They are nice looking. My only criticism is that the inside of the shoe is white! Maybe I should have paid more attention to the picture. I would not order that shoe
.
Great and cute leggings but after one wash they lost they're, for lack of a better word, luster. But they're still wearable.
got it as a gift
I enjoy this series very much. I've read this book a couple of times. I enjoy the world that McGuire created and the characters. I've never been disappointed by the October Daye books and am looking forward to the next installment!
So far, | 512 |
StackExchange |
print_test (struct directories *dirc)
{
g_print("%s\n", gtk_file_chooser_get_uri(GTK_FILE_CHOOSER(dirc->first)));
g_print("%s\n", gtk_file_chooser_get_uri(GTK_FILE_CHOOSER(dirc->second)));
}
I have also tried replacing GTK_FILE_CHOOSER with GTK_FILE_CHOOSER_BUTTON but the result is the same: my program is compiled, I choose some directories and after activating the button it crashes having printed one
(null)
and the following debug info
GLib-GObject-WARNING **: 02:52:03.786: invalid uninstantiatable type 'gchararray' in cast to 'GtkFileChooserButton'
Gtk-CRITICAL **: 02:52:03.786: gtk_file_chooser_get_uri: assertion 'GTK_IS_FILE_CHOOSER (chooser)' failed
I thought that gtk_file_chooser_button was a good solution because it seemed simpler to use than to manually establish dialog but now I started to question whether I am allowed to use it that way or is the failure of my program the fault of wrong method of passing pointers to the print_test. Unfortunately all the examples I found focus on using dialogs so I did not find a good example from which I could learn how to use gtk_file_chooser_button.
EDIT: Per request I present my code sample. I only removed other types of buttons which are not a matter of this question AND performed changes described in the first comment thus you can observe minor differences in two lines compared to the question above.
#include <stdio.h>
#include <gtk/gtk.h>
struct directories {
GtkWidget *first;
GtkWidget *second;
};
static void
print_test (GtkWidget *somewidget, struct directories *dirc)
{
g_print("%s\n", gtk_file_chooser_get_uri(GTK_FILE_CHOOSER(dirc->first)));
g_print("%s\n", gtk_file_chooser_get_uri(GTK_FILE_CHOOSER(dirc->second)));
}
static void
set_expand (GtkWidget *widget)
{
gtk_widget_set_hexpand(widget, 1);
gtk_widget_set_vexpand(widget, 1);
}
static void
activate (GtkApplication* app,
gpointer user_data)
{
GtkWidget *window;
GtkWidget *grid;
GtkWidget *frame;
GtkWidget *settings;
GtkWidget *directory1;
GtkWidget *directory2;
GtkWidget *button;
//Prepare the window
window = gtk_application_window_new (app);
gtk_window_set_title (GTK_WINDOW (window), "Sagger");
gtk_window_set_default_size (GTK_WINDOW (window), 400, 200);
gtk_window_set_position(GTK_WINDOW(window),GTK_WIN_POS_CENTER);
//Prepare the grid
grid = gtk_grid_new();
//gtk_grid_set_column_homogeneous(grid, 1);
//gtk_widget_set_halign (grid, GTK_ALIGN_FILL);
//gtk_widget_set_valign (grid, GTK_ALIGN_FILL);
set_expand(grid);
gtk_container_add(GTK_CONTAINER(window), grid);
//Prepare directory chooser
settings = gtk_box_new(GTK_ORIENTATION_VERTICAL, 0);
frame = gtk_frame_new("Choose directories");
set_expand(settings);
gtk_container_add(GTK_CONTAINER(frame), settings);
directory1 = gtk_file_chooser_button_new ("Source directory",GTK_FILE_CHOOSER_ACTION_SELECT_FOLDER);
set_expand(directory1);
gtk_container_add(GTK_CONTAINER(settings), directory1);
directory2 = gtk_file_chooser_button_new ("Target directory",GTK_FILE_CHOOSER_ACTION_SELECT_FOLDER);
set_expand(directory2);
gtk_container_add(GTK_CONTAINER(settings), directory2);
gtk_grid_attach(grid, frame, 0, 0, 2, 1);
//Prepare the run button
settings = gtk_button_box_new(GTK_ORIENTATION_HORIZONTAL);
gtk_button_box_set_layout(GTK_BUTTON_BOX(settings), GTK_BUTTONBOX_EXPAND);
set_expand(settings);
gtk_grid_attach(grid, settings, 0, 2, 2, 1);
button = gtk_button_new_with_label("RUN");
//Try to pass the chosen directories
struct directories directory;
directory.first = directory1;
directory.second = directory2;
g_signal_connect(G_OBJECT(button), "clicked", G_CALLBACK(print_test), (gpointer) &directory);
gtk_container_add(GTK_CONTAINER(settings), button);
gtk_widget_show_all (window);
}
int
main (int argc,
char **argv)
{
GtkApplication *app;
int status;
app = gtk_application_new ("pl.etua.sagger", G_APPLICATION_FLAGS_NONE);
g_signal_connect (app, "activate", G_CALLBACK (activate), NULL);
status = g_application_run (G_APPLICATION (app), argc, argv);
g_object_unref (app);
return status;
}
A:
directory is local to the activate() function, and, as mentioned in the comments, will get destroyed when it goes out of scope. Later on, when the print_test() function is invoked on button click, it will try to access this memory, leading to the segmentation fault.
Two easy ways out:
Make directory global:
struct directories {
GtkWidget *first;
GtkWidget *second;
};
struct directories directory;
Or make it static in activate():
static struct directories directory;
Q:
Reference for Fredholm Integral Equations..
Can anyone recommend me some nice books about Fredholm integral equations? I'm looking for complete references.
A:
Gripenberg, Londen, Staffans, Volterra Integral and Functional Equations (Encyclopedia of Mathematics and its Applications)
Zemyan, The Classical | 512 |
reddit | thumbnails, including a short title. Then, after clicking on a thumbnail, a popup shows the plot in full size with a column on the right for description. Further down the road it would be nice to have something like a tag system for searching or also categories for different projects. To not overcomplicate things, for the beginning it would be ok to upload every plot through an upload dialogue of some sort. Maybe later I could implement a system that automatically checks a folder for files and adds new files to the gallery. I checked out WordPress and found that they provide a package directly for Synology. I was able to install it with just a few clicks and it worked right out of the box. The next will be to figure out how to create a nice gallery page to which I can keep adding figures, instead of the default blog system. Thanks for pointing me in this direction! I think with this I can already accomplish some of the things :)
I don't know man... Maybe they should make it residential for people like Polt/DeMuslim, however if they do, i dont think a single foreigner will ever train in Korea again cuz they won't stand a chance in WCS KR... If all foreigners stay at home and play on EU/NA by themselves the gap between Koreans/foreigners will grow bigger i suppose
"I specifically asked for a cover letter and you couldn't be bothered." "If I call you for a phone screen and say the name of my company, you shouldn't have to wonder what I do" "BE ON TIME! If you are not 5 minutes early, you are late!" "if you come in looking like you obviously didnt care to groom that morning, I will obviously not care to listen to you anymore." Is this not arrogant? Imagine someone talking to you face to face like that.
As much as of a best friend he is to me, i have one who brings up the most obscenely perverted commentary in the least appropriate settings. Other times he does things inappropriate to the situation. For example, one time we sat in burger king and he let out a vicious fart loud enough for other customers to hear. So instead of trying to hide it, or rather going to the bathroom he got up abruptly and announced that it was him to the surrounding tables. Him: *farts* "I know! it was me!" other customer: *mumbling in spanish* "That dude shit himself"
Edit* Who would win - Kirishima's canon affections version: - A character whos entire development into a better person seems to be largely based on his ability to be vulnerable around Kirishima. Who has issued kind words and geniune hearty laughs towards only Kirishima. Who was the person Kirishima thought of during his very important character upgrade. Who is constantly stamped with Kirishima in all merchandising (card games, posters, non-canon manga). Although theyd be gay so i guess that means ew cuz shonen culture? OR - A bug girl he went to middle school | 512 |
ao3 | line between "believable" and "dude, you're kidding me, right?" but this was the best I could do. :/ I hope you guys (or at least some of you) still enjoy it though! I'm also pretty certain that next chapter will be the last one, since I don't really know how to continue. I will finish it as quickly as I can but I have a few exams coming up that I really need to start preparing for (so best case scenario: in the end of this week, worst case scenario: some time next month?). It will be a good thing for me to take a break from writing after next chapter anyway, I've been stressing over this quite a lot which has led into me being very anxious and having trouble sleeping. But I promised to finish so finish I shall!
>
> Oh well, here goes nothing!
In the afternoon it was time to switch the security detail on Prince Sayif.
Tony had been preparing himself all day for the possibility of another case or being the one stuck with Sayif. In his condition, he’d be nothing but a liability so he might need to bullshit his way out of this. It would have been easiest if he could’ve just started with a lie and never showed up at work but he was worried Gibbs would figure out something was definitely not right. The ex-marine was already suspicious - Tony had caught the older man glancing at him from the corner of his eye every now and again.
The problem was, he still wasn’t sure what to say. It had to be something that was believable but nothing one wanted more information. Maybe he’d say he ate some bad pizza yesterday and had diarrhea. No one wanted to know more about diarrhea right? At least his gauzes were supporting the injuries nicely, enough so that he could push the pain to the back of his mind and act normally.
“Prince Sayif is a chauvinistic, royal pain in the tush,” Ziva huffed as they walked to the hotel.
“If he wants me to be one of the agents accompanying him _ again _ , you may have to hire someone to protect him from me,” she added sourly.
McGee glanced at her apologetically. “Well, he's not used to anyone saying 'no' to him.”
Ziva’s glare prevented the younger agent from adding anything else.
They reached the suite and were almost at the door when the elevator dinged. DiNozzo Senior and Prince Omar stepped outside of it, chatting like old friends.
"I have a little family matter to attend to, but then we should talk," they heard Prince Omar say.
Senior merely smiled at him and returned to the elevator.
“I told you to handle it,” Gibbs hissed at Tony, not pleased at all of seeing the slick man again.
Hearing the pitter-patter of bare feet as he was sectioning an orange, he glanced up to identify the short and curvy Hallie with her big brown eyes and glossy black curls beside the | 512 |
s2orc | A few writers have employed it instead of Rossalia, (page 289,) which denotes the Scarlatina. The Roseola, mentioned by Severinus, Lib. VII. De recondita abcessorum natura/is left indefinite. Qniest, V. Wore than two years, nor are we acquainted with the issue at this time. , \ . > Roseola infantilis relates properly to nothing more than those red patches, or splashes, which, during dentition, so often appear in, different parts of the skin, where it is exposed to the open air. Dr.
Willan has noticed a few other appearances, which he seems to have introduced on this occasion, because they were not easily referable to any other division..
The Roseola variolosa is nothing more than the general efflorescence which often precedes the small-pox eruption, whether inoculated or casual. The former is accurately described by Dimsdale; the latter by many writers on the small-pox. A very useful paragraph closes this division; in which the author remarks, that.the scattered efflorescence which attends the eruption of inoculated small-pox, and which sometimes appears in distinct casual smallpox, has often been considered as a coincidence of small-pox and measles.
, Roseola vaccina appears about the same time as variolosa, but Js much less frequent.
Roseola miliaris often attending a miliary eruption.?" In Typhus, or contagious malignant fever, observes our author, an efflorescence also takes place occasionally, resembling, in its distribution, the specimen of Roseola, exhibited Pl. xxvi. Fig. 1.?? l>ut of a darker hue. I observed such a rash on the loth day, in one case of fever, which terminated on the 17th day. In other cases, it precedes the formation of purple spots and vibices, and, in others, it is seen early in the disease, but remains only for a short time, without any material consequences." This concludes the author's fourth division of the third order.??
We have been very short in our remarks and extracts, because air
Prediction of successful treatment by extracorporeal shock wave lithotripsy based on crystalluria- composition correlations of urinary calculi Asian Pacific Journal of Tropical Disease
Nadia Messaoudi
Urolithiasis Group
Laboratory of STEVA
University of Mostaganem
27000Algeria
Kada Sennour
Public Hospital
Ain El Turck31300OranAlgeria
Michel Daudon
Functional Explorations Service
Cristal Laboratory
AP-HP
Tenon Hospital
75970ParisFrance
Zohra Kaid Omar
Medical Faculty
University of Sidi-bel-Abbes
22000Algeria
Abderrahmane Attar
Department of Urology
Urolithiasis Group, Laboratory of STEVA
University Hospital Center
31000OranAlgeria
University of Mostaganem
27000Algeria
Ahmed Addou a.addou@univ-mosta.dz
Urolithiasis Group
Laboratory of STEVA
University of Mostaganem
27000Algeria
ProfAhmed Addou
Prediction of successful treatment by extracorporeal shock wave lithotripsy based on crystalluria- composition correlations of urinary calculi Asian Pacific Journal of Tropical Disease
10.1016/S2222-1808(15)60969-0987 Original article Asian Pac J Trop Dis 2015; 5(12): 987-992 journal homepage: www.elsevier.com/locate/apjtd *Corresponding author:
Objective: To provide correlations between crystalluria and chemical structure of calculi in situ to help making decision in the use of the extracorporeal shock wave lithotripsy (ESWL). Methods: A crystalluria study was carried out on 644 morning urines of 172 nephrolithiasis patients (111 males and 61 females), and 235 of them were in situ stone carriers. After treating by ESWL, the recovered calculi have been analyzed | 512 |
ao3 | their tabards, red on his hands. Red on his teeth. Red in his throat. The iron taste on his tongue, slippery meat sliding down his gullet. A hand on his shoulder.
_Diane screamed like a banshee as his jaws closed around her thin neck, thrashing against his unresponsive body. She begged and pleaded with a brother who was no longer there._
“ _Erikson?_ ” The voice was a familiar masculine voice, deep and rumbling, like he was underwater. “ _Are you in there?_ ”
The body next to him was half eaten. Diane-- no, not Diane, just some random assassin. The tabard was torn almost beyond recognition but two features could be made out; gold trim and a corner of a red flame.
“Scarlets..” he croaked. His voice sounded almost feral to him after his little rampage.
“Are you alright? I have never seen one of your kind fight like that.” Dav said, hand still rested on his shoulder.
“You should see my friend Jack. He's murder on the battlefield.” He stood, groaning deeply. Whatever happened when he lost control had deaden him to pain enough that when he regained control his stomach felt very messed up. The muscles were overused and stretched too much.
He brushed himself off. “I suppose we should go alert any remaining guards and clean up.” His stomach throbbed when he started to walk.
“You are bleeding.” Dav commented.
He looked down. Even covered in the blood of someone else, Dav could tell his old sword wound was what was soaking through the thin linen shirt he was wearing. So that's why it hurt so much. It seemed undeath couldn't save him from everything.
“Dammit--” he cursed as he swayed slightly, “Dav--”
“You'll be okay.” The tauren seized him by the shoulders, “Just a popped stitch.” He steered the undead man towards the Spirit Rise.
-|-
The Lady in Black stood at the edge of the ridge that separated Mulgore from the Stonetalon Mountains.
“Ma’am?” A large draenei shaman asked from behind her. “Is something wrong?”
She sighed, and came off from the ledge. She walked over to their little fire, where a blood elf was working to try to make it a bit bigger. “Nothing, just thinking.”
“You should rest. Me and Eydís will stand watch, you have nothing to worry about.” He soothed, walking over to join the blood elf. The wind picked up, sounding almost like singing as the fire grew bigger. The blood elf sat back, annoyed.
“I had that.” He huffed, crossing his arms.
“Sure you did.” The draenei chuckled.
“The dead have no need for sleep.” She muttered as she walked over, listening to their quarreling. “Vareek, stop antagonizing him.” She sat down with a huff next to the draenei, shedding her cloak in favor of the fire’s warmth.
The fire gave her skin a more ebullient appearance, but did little to trick anyone who was truly looking. The chunk missing from her neck, cracked skin of her shoulders and flaky skin on the corners of her mouth was more than | 512 |
reddit | on health care, but I never realised just how tough. No wonder Canada, Aus, NZ, UK, Germany etc dont understand why this is quite such a big deal in the USA.
I hope with every fiber of my being that the IUI or other measures work before IVF. There might be worthwhile considerations other than frequentist analysis. Bear with me with this unfortunate analogy. I buy insurance for my dogs knowing that the expected costs of the insurance are larger than the expected cost of emergency vet care. I do this because I know that I never want to be in the psychological position of having to weigh a couple thousand dollars against the best treatment for my pups. If you get to the point where your considering paying for the third or fourth IVF treatment...will you definitely pay it? Will there be utter heartbreak? On the other hand, if you pay $25k and it works the first time (a .4 chance), will you have extreme regret for "losing" the $13k? To try to systematize the psychological analysis, try a decision tree. The first decision is pay-per-cycle versus package deal. Each of those branches splits into one, two, three, up to six cycles. Put the expected value (frequentist) for each AND the psychological value for each. That may or may not bring clarity. (I'm gonna get down voted to hell for this.)
I am using foundation, added product list now :). I'll experiment with adding a bit not bronzer around the cheekbones. I do highlighting and contouring, but I tend to go a bit easy on the contouring as I worry about adding too much, but that's what practice is for! And thanks for the tip about the liner :) I'm going to give that a try next time I can get dressed up
I'm still pregnant (25 weeks) and I have a friend who touches my tummy and says "My baby" and "I can't wait to take care of you!" It makes me CRAZY- Its MY son! But at the same time she is one of my best friends and has much more experience with babies then I do. I know I will be relying on her for help in the early days.... So I'm just letting her do it.
I view this season as a write off. The team is still in a rebuild, so the closer they finish to last is probably best for the long term goals. I don’t want the team to tank an establish a losing culture. My hopes for this season is that the team becomes consistent. I would love a 10 game win streak, but I could do without a 10 game losing skid. If the team keeps back to back loses to a minimum, I will be a very happy camper.
Every one minute from 6:30 to 7, every two minutes from 7 to 7:30, 7:45, every three minutes from 8 to 8:15, 8:30. I don't know. Wakes me up sometimes I guess. I also used to have alarms for 3am that would wake me | 512 |
realnews | civil trial could provide the tools of discovery needed to find out. http://bit.ly/1F3bue2
FERC KNOWS WINTER IS COMING: Grid operators from all across the country are coming in to brief FERC on plans and predictions for the coming 2015-2016 winter. The nation was largely spared of a consecutive visit by the polar vortices earlier this year but really, who can predict the weather? Fittingly, FERC leaders are following up on a final rule seeking to better coordinate the natural gas and electric markets. The rule went into effect two months ago but the Desert Southwest Pipeline Stakeholders, which includes Arizona’s utility regulator and a number of power companies, filed a rehearing request that FERC leaders seem poised to act on today. Not too much else raised our eyebrows on the schedule for the upcoming meeting, but it’s worth noting that the agenda gives birth to at least three new dockets, including one on FERC’s access to certain NERC databases. The meeting starts at 10 a.m. at FERC HQ: 888 First St. NE. Webcast: http://bit.ly/1vU2yyB
Brace yourself for FERC lockdown. In addition to their now-regular marches during monthly meeting days, the anti-FERC crowd has also been protesting outside the agency’s headquarters since Sept. 8, fasting in opposition to anything natural gas. A D.C. Superior Court judge cleared a Beyond Extreme Energy activist last month of unlawful entry into FERC, so the group sent a letter to FERC Chairman Norman Bay via the head of security that even those previously excluded from meetings may show up today. One of the activists caught Bay and FERC General Counsel Max Minzner yesterday as they exited the building and wrote about it. “[H]e stopped and we looked each other in the eye. He told me that he respected what we were doing with the fast and the commitment it showed as far as our beliefs. He said he felt this type of action was a good type of action. However, he went on to say that he really had problems with us disrupting their monthly meetings and asked if we would stop doing that.” http://bit.ly/1LyZ7D8
Climate activist Bill McKibben cheered the group on last night, tweeting, “Day 9 for brave crew fasting outside #FERC to demand an end to new #fracked gas infrastructure #BXEFast Thank you!”
BILL TO PROVIDE KRYPTONITE TO EPA'S IMMUNITY: Amid a joint hearing by the House committees on Natural Resources and Oversight and Government Reform set to take place today over the Animas River spill, Republican Rep. Lynn Westmoreland will introduce a bill to take away the EPA's liability shield. The "No Exemptions for EPA Act" holds EPA liable for accidents at sites the agency is already cleaning up. The bill is the first of a trio Westmoreland plans to introduce, and will be followed by legislation to require the EPA to reimburse the Judgement Fund in these cases, and another requiring the Treasury Department to provide an annual report accounting for agency reimbursements. Those bills are scheduled to be introduced later in September and in early October.
EXELON HOPES MAYOR BOWSER WILL | 512 |
StackExchange | response into an NSData * of the appropriate format (from some intense Googling, most likely 'ASN.1 DER' binary format. I've got code in place to convert both parts from their Base64 representations to the original binary values, but I can't for the life of me figure out a reasonable way to create the one-piece binary key.
The code waiting for the key is the -addPeerPublicKey:(NSString *) keyBits:(NSData *) method of the SecKeyWrapper class from Apple's CryptoExercise example project (Code here).
I would be more than happy to implement this another way--all I need is to encrypt a single string (no decryption required). As far as I can tell, though, the built-in Security framework has what I need, if I could just close this format gap. If there is a way to convert the key and send it Base64-encoded from the webservice, that works for me as well--but I couldn't find any way to ASN.1-encode it there, either.
A:
So, I used the SecKeyWrapper class to generate a random key, then used the -getPublicKeyBits method to get the binary representation of the public key (in whatever format is used internally). Presuming it is some form of DER ASN.1, I NSLog'd it to the console as hex and loaded it into this program. Sure enough, the internal representation is DER ASN.1, but it is a very simplified version of what I normally found for RSA key representations:
![SEQUENCE { INTEGER, INTEGER }][2]
Shouldn't be too tough to construct on the fly from a binary rep. of the modulus and exponent, since the DER encoding is just
30 (for SEQUENCE) LL (total sequence byte length)
02 (INTEGER) LL (modulus byte length) XX XX... (modulus data bytes)
02 LL XX XX XX... (exponent length and bytes)
Here's my code, for simplicity. It uses a few Google libs for XML+base64, just heads up; also Apple's demo code SecKeyWrapper. See my other question for a note on making this work. Also, note that it is not ARC-compatible; this is left as an exercise for the reader (I wrote this years ago, now).
#define kTempPublicKey @"tempPayKey"
-(NSData *)encryptedDataWithXMLPublicKey:(NSString *)base64PublicKey data:(NSData *)data {
if(![data length]){
@throw [NSException exceptionWithName:@"NSInvalidArgumentException" reason:@"Data not set." userInfo:nil];
}
GTMStringEncoding *base64 = [GTMStringEncoding rfc4648Base64StringEncoding];
NSData *keyData = [base64 decode:base64PublicKey];
NSError *err = nil;
GDataXMLDocument *keyDoc = [[GDataXMLDocument alloc] initWithData:keyData options:0 error:&err];
if(err){
NSLog(@"Public key parse error: %@",err);
[keyDoc release];
return nil;
}
NSString *mod64 = [[[[keyDoc rootElement] elementsForName:@"Modulus"] lastObject] stringValue];
NSString *exp64 = [[[[keyDoc rootElement] elementsForName:@"Exponent"] lastObject] stringValue];
[keyDoc release];
if(![mod64 length] || ![exp64 length]){
@throw [NSException exceptionWithName:@"NSInvalidArgumentException" reason:@"Malformed public key xml." userInfo:nil];
}
NSData *modBits = [base64 decode:mod64];
NSData *expBits = [base64 decode:exp64];
/* the following is my (bmosher) hack to hand-encode the mod and exp
* into full DER encoding format, using the following as a guide:
* http://luca.ntop.org/Teaching/Appunti/asn1.html
* this is due to the unfortunate fact that the underlying API will
* only accept this format (not the separate values)
*/
// 6 extra bytes for tags and lengths
NSMutableData *fullKey = [[NSMutableData alloc] initWithLength:6+[modBits length]+[expBits length]];
unsigned char *fullKeyBytes = [fullKey mutableBytes]; | 512 |
realnews | tries unsuccessfully to lift McDowell. One time, Cutter jumps from the turnbuckle for a flying attack of some sort, and McDowell calmly catches him, mid-air.
But to even the match, Cutter gets a little help from his friends, the rag-tag tag-team duo known as the “Hooligans.” Pot-bellied, with shaved heads and scraggly beards, the Hooligans sneak to the ring and beat up on McDowell as Cutter distracts the referee.
McDowell overcomes his sneak attack and eventually smothers Cutter for the win. Afterward, a sheepish Cutter shies away from a post-match handshake, fearing another beating.
But McDowell is sincere and convinces Cutter so.
At his age, McDowell reluctantly acknowledges that he’ll probably never see the big stage of professional wrestling; he’ll be stuck in old high school gyms fighting pint-sized opponents.
“Probably, but it doesn’t matter,” he says.
Part theater, part athletics, McDowell can’t get enough.
“You’re in that ring, you’ve got everybody in the palm of your hand,” he says. “It’s kind of like a drug.”
Heroes for Hire
During the work week, James Reynolds, 28, works “a factory job.”
His good friend, Zach Thompson, 26, works at a gym, greeting people and handing out towels.
But nearly every weekend, the two drive from Des Moines to small gyms across the country and become super heroes.
“Typical comic book. Truth, justice,” says Reynolds of his character, Jimmy Rockwell, who teams with Thompson as the wrestling tag-team partners “Heroes for Hire.”
In the ring, wearing Batman and X-Men tights, the acrobatic duo look the part. But up close on level ground, they stand under 6 feet, about 160 pounds. Maybe.
So they have to be athletic, orchestrating high-flying moves in the ring. And their clean-cut appearance and good-guy image fits well against their rougher opponents.
“We’re the classic, clean heroes, and they’re the dirty villains,” Thompson says about the night’s opponents, the Hooligans. “It’s perfect.”
Despite their small statures, the Heroes for Hire don’t seem resigned to performances in small gyms on the independent circuit.
“I just want to do as much as I can,” Reynolds says. “The bigger the show, the better.”
Their friendship has been built over six years of wrestling and traveling together. While it helps to be in sync in the ring, getting along with each other is more important on those long trips.
“Someone you can stand to sit by,” says Reynolds.
“And split gas,” pipes in Thompson, adding that they’re lucky to break even on their trips. Pay varies in Metro Pro, and wrestlers can make anywhere from $50 to $500 a performance.
On the long drives, the two go over story ideas for their shows.
“You’re building the story of the match,” Thompson says. “And it helps to have an honest, friendly ear. It’s easier to shut it down if it does suck. And easier to put an idea out there if you’re friends.”
In the ring, they work together on their acrobatics; one lifting the other to the turnbuckle for a flying maneuver.
When one gets in trouble in the ring, it’s easy to believe | 512 |
StackExchange | $-I$ has determinant $-1$ and thus does not live in $SL_n(\mathbb{R})$, thus definitely also not in its center.
Q:
Hide all divs by default on pageload, display:none doesn't appear to work
For some reason, i can't get this div to be hidden by default. I want the page to be loaded and no divs to be visible until the user clicks one of the 3 links however by default the first div 'newboxes1' is always visible.
the div id id 'newboxes' and the class is telling 'newboxes' to 'display:none' so I can't see why it wouldn't work.
HTML
<div style="background-color: #ffffff; padding: 5px; width: 100px;">
<a id="myHeader1" href="javascript:showonlyone('newboxes1');" ><strong>1</strong> </a>
</div>
<div class="newboxes" id="newboxes1" style="background-color: #ffffff; display: block;padding: 5px; width: 426px; margin-left:6px; background-color:#f4f2f2;">
<img src="" width="241" height="36">
<p class="intro">title</p><br>
<p>text here<br><br>
<a href=""><img src="" alt="" width="200" height="31" style="float:left;"> </a>
<a href=""><img class="reg_box" src="" alt="" width="200" height="31"></a><br>
</div>
<div style="background-color: #ffffff; padding: 5px; width: 240px;">
<a id="myHeader3" href="javascript:showonlyone('newboxes3');" ><strong>2</strong> </a>
</div>
<div class="newboxes" id="newboxes3" style="background-color: #ffffff; display: none;padding: 5px; width: 426px; margin-left:6px;">
<img src="" width="241" height="36">
<p class="intro">title 2</p><br>
<p>text here<br><br>
<a href=""><img src="" alt="" width="200" height="31" style="float:left;"> </a>
<a href=""><img class="reg_box" src="" alt="" width="200" height="31"></a><br>
</div>
<div style="background-color: #ffffff; padding: 5px; width: 100px;">
<a id="myHeader4" href="javascript:showonlyone('newboxes4');" ><strong>3</strong> </a>
</div>
<div class="newboxes" id="newboxes4" style="background-color: #ffffff; display: none;padding: 5px; width: 426px; margin-left:6px;">
<img src="" width="350" height="36">
<p class="intro">test 3</p><br>
<p>text here<br><br>
<a href=""><img src="" alt="" width="200" height="31" style="float:left;"> </a>
<a href=""><img class="reg_box" src="" alt="cis register" width="200" height="31"></a> <br>
</div>
JS
<script>
function showonlyone(thechosenone) {
$('.newboxes').each(function(index) {
if ($(this).attr("id") == thechosenone) {
$(this).show(200);
}
else {
$(this).hide(600);
}
});
}
</script>
CSS
#newboxes {
display:none;
}
A:
newboxes is a class and in the css must me declared as a class not as an id.
You should start by changing this:
#newboxes {
display:none;
}
into this:
.newboxes {
display:none;
}
You need also to remove display: block; from inline style of newboxes1.
Q:
tensorflow kmeans doesn't seem to take new initial points
I'm finding the best cluster set in my data by getting a result which has the lowest average distance from many k means trials on Tensorflow.
But my code doesn't update initial centroids in each trial so all results are same.
Here's my code1 - tensor_kmeans.py
import numpy as np
import pandas as pd
import random
import tensorflow as tf
from tensorflow.contrib.factorization import KMeans
from sklearn import metrics
import imp
import pickle
# load as DataFrame
pkl = 'fasttext_words_k.pkl'
with open(pkl, 'rb') as f:
unique_words_in_fasttext = pickle.load(f).T
vector =[]
for i in range(len(unique_words_in_fasttext)):
vector.append(list(unique_words_in_fasttext.iloc[i,:]))
vector = [np.array(f) for f in vector ]
# Import data
full_data_x = vector
# Parameters
num_steps = 100 # Total steps to train
batch_size = 1024 # The number of samples per batch
n_clusters = 1300 # The number of clusters
num_classes = 100 # The 10 digits
num_rows = 13074
num_features = 300 # Each image is 28x28 pixels
### tensor kmeans ###
# Input images
X = tf.placeholder(tf.float32, shape=[None , num_features])
# Labels (for assigning a label to a centroid and testing)
# Y = | 512 |
ao3 | meeting fans, when he was in the right frame of mind that is what kept him alive it was better than any therapy.
“We should just play one little show” Mikey suggested to his band mates “I think were ready”
But his band mates insisted they weren't ready.
It was almost midnight when the band decided that 12 hours of recording was enough for 1 day
Mikey made his way to his car and sat in the drivers seat he slipped out his phone again readying to log into twitter, maybe to hold another Q&A instead he was surprised to see a text from an old friend
_I'm almost offended you_
_didn't come to me when you_
_feeling shit buddy, but I want_
_you to know I’m proud of you._
_Your the strongest guy I know_
_you'll be you old self again._
_In the mean time we need to_
_meet for coffee sometime soon_
_Pete xoxo_
Mikey smiled to himself it was so great to hear from Pete again. He needed to talk to him. Despite it being almost midnight he pressed the green phone on his home screen and placed the phone to his ear waiting for Pete to answer. He waited for only a few seconds hearing the dial tone not sure what to say he just knew he needed to talk to Pete.
“Hay Mikey you okay? I didn't expect to hear from you so soon” Pete said
“Yeah sorry man I know it's late I just.. I guess I needed to talk to you.” Mikey said he bit his lip and stammered
“It.. It means a lot what you said” He said almost breathing a sigh of relief
“Well I mean it man” Pete answered “I was offended that you couldn't talk to me when you were in a dark place like that. No friend of mine should ever feel like ending it” Pete said but instantly regretted it.
“God I'm sorry Mikes” Pete said immediately after “That was distasteful I'm sorry”
But Mikey almost laughed at what he said
“Pete it fine really don't worry about it”
“So what are you doing now” Pete asked
“I... I mean, we just finished recording for the day. I'm just heading home” Mikey answered
“Why don’t you come over for that coffee?” Pete suggested
“It's almost midnight” Mikey protested
“So what.. I mean we'll have to be quiet Meagan and the baby are asleep but we can hang out in the garden I have a bar and a hot tub out there now”
Mikey smiled to himself. That’s so Pete Wentz
“Sure man I'll be there in about half an hour”
Mikey said ending the call and slipping his phone into his pocket.
* * *
As Mikey drove down the familiar road to Pete's house it suddenly dawned on him how long it had been since him and Pete properly hung out it was long before the band had split up so much had happened since then.
He arrived at Pete's house and debated weather or not to knock | 512 |
ao3 | simply smoked his marlboros and watched them crumble).
but hey, no one’s perfect. renjun surely wasn’t. he didn’t really like sweets, he ran away from home (but his parents never bothered to go looking for him or even fucking call to make sure he’s okay), he didn’t have a lot of energy to often meet up with his friends, he cut himself with the disposable razors you can buy at the drug store, he stayed up til 8 am almost every night, he didn’t like sports, etc. he could go on and on about his flaws, but knew most people didn’t want to hear him rant about how he felt like his soul was withering and that he wanted to scream but his throat was too filled with amaranth to even speak. if renjun had to say something positive about himself, it would be that he knew when to keep his mouth shut.
“renjun?”
“yeah?” renjun looked up from his spot on the couch, not realizing he was staring at the floor again.
“you weren’t really here, are you okay?” kun was at the table a few feet away from him, working on his assignment for physics. renjun didn’t want to bother him.
“i’m fine!” renjun smiled, meeting kun’s eyes. “just dozing.”
he felt kun’s worried gaze on him but paid no mind, he had bigger things to worry about. like if he was actually going to go to donghyuck’s on friday to rewatch marble hornets and do tarot readings like they planned.
renjun didn’t really want to leave kun’s apartment, but he was obliged to, wasn’t he? donghyuck came over so, so many times and renjun’s only been to his house maybe 3 times. he should keep donghyuck from making another 20 minute drive.
ah, he was dozing again.
_white poppy._
in renjun’s head, fog was starting to surround his garden, signs of october weather beginning to show in the late hours of the night. it was halloween soon, maybe he should call jeno and mark and see if they wanted to meet up at the graveyard with him and donghyuck like they talked about a few weeks ago. that would be fun.
many things seemed fun to him, but leading up to the event he only felt anxiety tearing through the roots and weaving vines into his lungs instead. he could barely breathe, so he just stayed in his room until it went away and maybe talk to jaemin if the other shows up. it sucked for him and everyone around him, but his friends somehow decided to stick around regardless.
maybe they loved his unending belief in ghosts and aliens, maybe they loved the little charms he made for them, maybe they just wanted a gentle person to be around. renjun didn’t care what they wanted, he just didn’t want to be alone.
renjun loved his friends.
_mullein._
renjun stood up, stretching his back and seeing stars for a moment. he put a hand against the wall next to him, steadying himself. he felt a little too empty.
“junnie?” | 512 |
YouTubeCommons | far that will carry Evelyn inside and connects his memory with the technology when they don't observe doing so then they think is their plan is flopping now they decide to end will forever now but one of the FBI agents forbids them here but our ifp members explode that place Evelyn had gone upset seeing this she says to her will connect me with technology but will head read out her thoughts now and he forbids her of doing it which Evelyn was asking him to do at the first sight one more explosion had occurred there and Evelyn had severely wounded in this and will had moved inside while picking her up and he begins to attack the members of FBI and rifp connecting with the presented people there now he was treating Evelyn if he injected virus in himself then he remained unable to rescue Evelyn in case he had not injected virus in himself then Max could die Evelyn explains well here it all has happened because of us Max should not be punished on this hearing this world had injected virus in himself and he connects his brain with Evelyn while dying and he shows her how
hey yo welcome everyone to episode 33 of today in the scene i'm joe with indie arcade wave and this is my co-host dylan from galactic battleground what up this week we're going to explore an arcade out of west virginia we're actually bringing a guest back in that spoke on what it's like to be a coin operator in the past chris myers how you doing today hey brother how's you guys doing we're good we're good um so i just want to remind everybody that we upload an episode every friday um you can find us on youtube as well as the podcast if you like what we're doing here at indy arcade wave definitely subscribe and follow along so i wanted to bring you on and talk today about your specific arcade business which is starport um i'm just gonna jump right into questions all right so it's been a little while since you've featured on the show chris i just want you to reintroduce yourself let people know about you and kind of let us know what you've been up to since the last time we spoke i am chris myers i own starport arcade and pub and then i own a route across uh west virginia um pennsylvania ohio maryland touch on kentucky and now we just started a new operation in virginia so we are um in all those i guess it's six states not getting used to saying that but so i route games everything that takes coins um jukeboxes pool tables dartboards you name it we do it and of course indie games so we do those also we have those at a lot of space spaces and um i don't know man that's about it really i think right now we're just kind of seeing what's going to happen here right | 512 |
StackExchange | "the whole thing falls apart" means, exactly (often a minimum reproducible example which shows what you mean is more helpful than words anyway), but presuming that you'd like to keep track of each key of state and the data type of its corresponding property, I'd suggest using a mapped type to represent StoreState<T> in terms of an object type T that represents these key/data relationships.
type StoreState<T> = { [K in keyof T]: Partial<LoadableState<T[K]>> };
Then, assuming BaseStore<T> has a constructor that sets its state property:
class BaseStore<T> {
constructor(public state: StoreState<T>) { }
}
You should be able to construct one using your object:
const bs = new BaseStore({
something: {
data: {
todos: [1, 2, 3] // ♂️
},
loading: false,
error: {}
},
somethingElse: {
data: {
items: ["a", "b", "c"] // ♀️
},
loading: false,
error: {}
}
});
and you'll see that the type of the constructed object has been inferred (via inference from mapped types) like this:
/*
const bs: BaseStore<{
something: {
todos: number[];
};
somethingElse: {
items: string[];
};
}>*/
So the inferred T here is {something: {todos: number[]}; somethingElse: {items: string[]};} as, I think, you wanted.
Hope that helps; good luck!
Link to code
Q:
Is this a bug in the Ruby time class when doing relative date arithmetic?
Can someone tell me if this is a bug in the ruby time class?
ruby-1.8.7-p334 :021 > now = Time.now
=> Mon Aug 29 03:32:25 -0700 2011
ruby-1.8.7-p334 :022 > raise "This should not fail" if (now + 1.day != now + 1.day.to_i)
RuntimeError: This should not fail
from (irb):22
ruby-1.8.7-p334 :023 >
As you can see I am getting a runtime error and I do not believe that I should be. I recently upgraded the active_support gem which I believe provides this functionality.
Thank you.
** UPDATE **
And, now it works, without any changes other than me going to bed and waking up and rerunning things. This is very strange; The snippet I provided above was directly cut-and-pasted from my terminal window.... I was running against 3.0.10 of activerecord/support/model/etc
Thanks to all for your thoughts on this matter!
A:
While time.to_s does not include it, a Time object contains milliseconds - and not only that, it contains fractional seconds (with much higher resolution) (see: Time#subsec).
Time.now == Time.now will already be false, because each call to now will take several CPU ticks to complete. Also take a look at Time#eql?.
Return true if time and other_time are both Time objects with the same seconds and fractional seconds.
Q:
Ubuntu 16.04 LTS does not display .jpg files
I have a series of .jpg files that do not show on Ubuntu Image Viewer or as thumbnails. These are perfectly ok on Windows 32 and 64 and on Mac OS.
Strangely one very old .jpg file does display correctly and its thumbnail is visible in Files no bother just these new ones.
After one hair pulling exercise found some which would not display on Windows were wrongly tagged as .jpeg by extension removed all these. | 512 |
Github |
include/xorg/gc.h
include/xorg/gcstruct.h
include/xorg/geext.h
include/xorg/geint.h
${PLIST.dri}include/xorg/glamor.h
include/xorg/globals.h
include/xorg/glx_extinit.h
include/xorg/glxvndabi.h
include/xorg/glyphstr.h
include/xorg/hotplug.h
include/xorg/i2c_def.h
include/xorg/input.h
include/xorg/inputstr.h
include/xorg/list.h
include/xorg/mi.h
include/xorg/micmap.h
include/xorg/micoord.h
include/xorg/migc.h
include/xorg/miline.h
include/xorg/mioverlay.h
include/xorg/mipict.h
include/xorg/mipointer.h
include/xorg/mipointrst.h
include/xorg/misc.h
include/xorg/miscstruct.h
include/xorg/mistruct.h
include/xorg/misync.h
include/xorg/misyncfd.h
include/xorg/misyncshm.h
include/xorg/misyncstr.h
include/xorg/mizerarc.h
include/xorg/nonsdk_extinit.h
include/xorg/opaque.h
include/xorg/optionstr.h
include/xorg/os.h
include/xorg/panoramiX.h
include/xorg/panoramiXsrv.h
include/xorg/picture.h
include/xorg/picturestr.h
include/xorg/pixmap.h
include/xorg/pixmapstr.h
${PLIST.dri}include/xorg/present.h
${PLIST.dri}include/xorg/presentext.h
include/xorg/privates.h
include/xorg/property.h
include/xorg/propertyst.h
include/xorg/ptrveloc.h
include/xorg/randrstr.h
include/xorg/region.h
include/xorg/regionstr.h
include/xorg/registry.h
include/xorg/resource.h
include/xorg/rgb.h
include/xorg/rrtransform.h
${PLIST.dri}include/xorg/sarea.h
include/xorg/screenint.h
include/xorg/scrnintstr.h
include/xorg/selection.h
include/xorg/servermd.h
include/xorg/shadow.h
include/xorg/shadowfb.h
include/xorg/shmint.h
include/xorg/site.h
${PLIST.sunos}include/xorg/solaris-${SUNOS_ARCH}.il
include/xorg/syncsdk.h
include/xorg/validate.h
include/xorg/vbe.h
include/xorg/vbeModes.h
include/xorg/vgaHW.h
include/xorg/vndserver.h
include/xorg/wfbrename.h
include/xorg/window.h
include/xorg/windowstr.h
include/xorg/xaarop.h
include/xorg/xace.h
include/xorg/xacestr.h
include/xorg/xf86.h
include/xorg/xf86Crtc.h
include/xorg/xf86Cursor.h
include/xorg/xf86DDC.h
include/xorg/xf86MatchDrivers.h
include/xorg/xf86Modes.h
include/xorg/xf86Module.h
include/xorg/xf86Opt.h
include/xorg/xf86Optionstr.h
include/xorg/xf86Optrec.h
include/xorg/xf86Parser.h
include/xorg/xf86Pci.h
include/xorg/xf86PciInfo.h
include/xorg/xf86Priv.h
include/xorg/xf86Privstr.h
include/xorg/xf86RamDac.h
include/xorg/xf86RandR12.h
${PLIST.sparc}include/xorg/xf86Sbus.h
include/xorg/xf86VGAarbiter.h
include/xorg/xf86Xinput.h
include/xorg/xf86_OSlib.h
include/xorg/xf86_OSproc.h
include/xorg/xf86cmap.h
include/xorg/xf86fbman.h
include/xorg/xf86i2c.h
include/xorg/xf86int10.h
include/xorg/xf86platformBus.h
include/xorg/xf86sbusBus.h
include/xorg/xf86str.h
include/xorg/xf86xv.h
include/xorg/xf86xvmc.h
include/xorg/xf86xvpriv.h
include/xorg/xisb.h
include/xorg/xkbfile.h
include/xorg/xkbrules.h
include/xorg/xkbsrv.h
include/xorg/xkbstr.h
include/xorg/xorg-server.h
include/xorg/xorgVersion.h
include/xorg/xserver-properties.h
include/xorg/xserver_poll.h
include/xorg/xvdix.h
include/xorg/xvmcext.h
lib/pkgconfig/xorg-server.pc
${PLIST.dri}lib/xorg/modules/drivers/modesetting_drv.la
${PLIST.dri}lib/xorg/modules/extensions/libglx.la
lib/xorg/modules/libexa.la
lib/xorg/modules/libfb.la
lib/xorg/modules/libfbdevhw.la
${PLIST.dri}lib/xorg/modules/libglamoregl.la
lib/xorg/modules/libint10.la
lib/xorg/modules/libshadow.la
lib/xorg/modules/libshadowfb.la
lib/xorg/modules/libvbe.la
lib/xorg/modules/libvgahw.la
lib/xorg/modules/libwfb.la
lib/xorg/protocol.txt
man/man1/Xnest.1
man/man1/Xorg.1
man/man1/Xserver.1
man/man1/Xvfb.1
man/man1/cvt.1
man/man1/gtf.1
man/man4/exa.4
man/man4/fbdevhw.4
${PLIST.dri}man/man4/modesetting.4
man/man5/xorg.conf.5
man/man5/xorg.conf.d.5
share/aclocal/xorg-server.m4
${PLIST.dtrace}share/doc/xorg-server/Xserver-DTrace.xml
@pkgdir lib/xorg/modules/input
glabel func_80AADEF0
/* 00780 80AADEF0 27BDFF88 */ addiu $sp, $sp, 0xFF88 ## $sp = FFFFFF88
/* 00784 80AADEF4 AFBF0044 */ sw $ra, 0x0044($sp)
/* 00788 80AADEF8 AFB10034 */ sw $s1, 0x0034($sp)
/* 0078C 80AADEFC AFB00030 */ sw $s0, 0x0030($sp)
/* 00790 80AADF00 AFA5007C */ sw $a1, 0x007C($sp)
/* 00794 80AADF04 00808025 */ or $s0, $a0, $zero ## $s0 = 00000000
/* 00798 80AADF08 AFB40040 */ sw $s4, 0x0040($sp)
/* 0079C 80AADF0C AFB3003C */ sw $s3, 0x003C($sp)
/* 007A0 80AADF10 AFB20038 */ sw $s2, 0x0038($sp)
/* 007A4 80AADF14 F7B60028 */ sdc1 $f22, 0x0028($sp)
/* 007A8 80AADF18 F7B40020 */ sdc1 $f20, 0x0020($sp)
/* 007AC 80AADF1C 3C010001 */ lui $at, 0x0001 ## $at = 00010000
/* 007B0 80AADF20 00A18821 */ addu $s1, $a1, $at
/* 007B4 80AADF24 8E241E08 */ lw $a0, 0x1E08($s1) ## 00001E08
/* 007B8 80AADF28 27A50064 */ addiu $a1, $sp, 0x0064 ## $a1 = FFFFFFEC
/* 007BC 80AADF2C 8E0701F4 */ lw $a3, 0x01F4($s0) ## 000001F4
/* 007C0 80AADF30 0C2AB798 */ jal func_80AADE60
/* 007C4 80AADF34 8E0601EC */ lw $a2, 0x01EC($s0) ## 000001EC
/* 007C8 80AADF38 C7A40064 */ lwc1 $f4, 0x0064($sp)
/* 007CC 80AADF3C C6060024 */ lwc1 $f6, 0x0024($s0) ## 00000024
/* 007D0 80AADF40 C7A8006C */ lwc1 $f8, 0x006C($sp)
/* 007D4 80AADF44 C60A002C */ lwc1 $f10, 0x002C($s0) ## 0000002C
/* 007D8 80AADF48 46062501 */ sub.s $f20, $f4, $f6
/* 007DC 80AADF4C 460A4581 */ sub.s $f22, $f8, $f10
/* 007E0 80AADF50 4600A306 */ mov.s $f12, $f20
/* 007E4 80AADF54 0C03F494 */ jal func_800FD250
/* 007E8 80AADF58 4600B386 */ mov.s $f14, $f22
/* 007EC 80AADF5C 3C0180AB */ lui $at, %hi(D_80AAEC6C) ## $at = 80AB0000
/* 007F0 80AADF60 C430EC6C */ lwc1 $f16, %lo(D_80AAEC6C)($at)
/* 007F4 80AADF64 3C0180AB */ lui $at, %hi(D_80AAEC70) ## $at = 80AB0000
/* 007F8 80AADF68 46100482 */ mul.s $f18, $f0, $f16
/* 007FC 80AADF6C 00000000 */ nop
/* 00800 80AADF70 4614A282 */ mul.s $f10, $f20, $f20
/* 00804 80AADF74 00000000 */ nop
/* 00808 80AADF78 4616B402 */ mul.s $f16, $f22, $f22
/* 0080C 80AADF7C 4600910D */ trunc.w.s $f4, $f18
/* 00810 80AADF80 46105000 */ add.s $f0, $f10, $f16
/* 00814 80AADF84 440F2000 */ mfc1 $t7, $f4
/* 00818 80AADF88 46000004 */ sqrt.s $f0, $f0
/* 0081C 80AADF8C 448F3000 */ mtc1 $t7, $f6 ## $f6 = 0.00 | 512 |
StackExchange |
I have a bunch of table rows with radio inputs:
<tr>
<td>
<input name="myRadio" type="radio" value="1">
</td>
</tr>
Q: How do hide all the rows that are not this row when it is selected?
$('input').filter(':radio').change(function() {
$('tr').find(not this).hide();
});
A:
Try:
$('input').filter(':radio').change(function() {
$(this).closest('tr').siblings('tr').hide();
});
Q:
Can not replace multiple empty lines with one
Why does the following not replace multiple empty lines with one?
$ cat some_random_text.txt
foo
bar
test
and this does not work:
$ cat some_random_text.txt | perl -pe "s/\n+/\n/g"
foo
bar
test
I am trying to replace the multiple new lines (i.e. empty lines) to a single empty new line but the regex I use for that does not work as you can see in the example snippet.
What am I messing up?
Expected outcome is:
foo
bar
test
A:
The reason it doesn't work is that -p tells perl to process the input line by line, and there's never more than one \n in a single line.
Better idea:
perl -00 -lpe 1
-00: Enable paragraph mode (input records are terminated by any sequence of 2+ newlines).
-l: Enable autochomp mode (the input record separators are trimmed automatically, so since we're in paragraph mode, all trailing newlines are removed, and output records get "\n\n" added).
-p: Enable automatic input/output (the main code is executed for each input record; anything left in $_ is printed automatically).
-e 1: Use a dummy main program that does nothing.
Taken all together this does nothing except normalize paragraph terminators to exactly two newlines.
Q:
Is ~~ a short-circuit operator?
From the Smart matching in detail section in perlsyn:
The smart match operator
short-circuits whenever possible.
Does ~~ have anything in common with short circuit operators (&&, ||, etc.) ?
A:
The meaning of short-circuiting here is that evaluation will stop as soon as the boolean outcome is established.
perl -E "@x=qw/a b c d/; for (qw/b w/) { say qq($_ - ), $_ ~~ @x ? q(ja) : q(nein) }"
For the input b, Perl won't look at the elements following b in @x. The grep built-in, on the other hand, to which the document you quote makes reference, will process the entire list even though all that's needed might be a boolean.
perl -E "@x=qw/a b c/; for (qw/b d/) { say qq($_ - ), scalar grep $_, @x ? q(ja) : q(nein) }"
A:
Yes, in the sense that when one of the arguments is an Array or a Hash, ~~ will only check elements until it can be sure of the result.
For instance, in sub x { ... }; my %h; ...; %h ~~ \&x, the smart match returns true only if x returns true for all the keys of %h; if one call returns false, the match can return false at once without checking the rest of the keys. This is similar to the && operator.
On the other hand, in /foo/ ~~ %h, the smart match can return true if it finds just one key that matches the regular expression; this is similar to ||.
| 512 |
nytimes-articles-and-comments | and Amazon are working with the tech of the early 2010s). If it's consumer tech you're worried about, then by all means, regulate Big Tech. But the revolutionary tech of the future will not be consumer tech.
@D
"If you look at the college board's own studies the additional predictive validity of the sat for freshman grades when added on top of HS GPA is pretty much 0."
False. On average, SAT scores add 15% more predictive power above grades alone for
understanding how students will perform in college.
@Len You are wrong. Or things are just different in Vancouver.
They are NOT "always looking" for good young men and women.
NYC Trade Unions, and the Fire, Police and Sanitation Academies, call for apprentice applications VERY rarely, and receive thousands of applicants.
The journey is complex and bureaucratic, with long, long waits. You need flexible employment, too, during the process. People I've spoken to compare it to winning the lottery.
Don't make it sound like young people aren't motivated to do something. The hurdles to entry are
high.
@John
Do you think that if Trump had tried to throw away the votes from white suburbs that Republicans would have gone along with that? I do not.
Besides that hypothetical, there are the FACTS of Republican gerrymandering, the "cleaning up" the voter rolls on specious grounds, the closing and drastically reducing polling places in minority districts. Unlike the current president's accusations of voter fraud, these activities are well documented, and they occurred in many states.
I, too, look forward to Democrats and Republicans working together, but we will not get there by closing our eyes to past transgressions that were driven by racist animosity.
Anyone disturbed by Trump's nightmarish presidency should vote for Biden and any other Blue candidate on the ticket. Without shiny objects like Libertarians and Green party candidates on the ticket last time around, we would have been spared the most anti-free, autocratic President in American History. Consider the irony of that. Focus on preventing the apocalypse now and deal with your idealism down the road. Someone get to Justin Amash and tell him he will be the goat of history is he spoils our shot to save America form Trump and Trumps in 2020. Maybe Biden can offer him a cabinet position?
Great memoir. Here in California 2 million people voted for president Trump, around thirty percent. The wider movement for racial and climate justice fell on deaf ears. Our state has only 2 senators as do North Dakota and other small states. The Republicans repealed state tax deductions that rich people pay in the tax bill. This created an illusion that the Heroes Act would cut their taxes for the rich. The state of California has changed into a majority minority model for other states to follow. We have priorities changed from criminal justice to education and healthcare. Immigration is good, but decades ago was criminalized. Immigration increases innovation and productivity. Diversity is becoming the norm but inequality remains in the country, the largest economy in the world.
Not one penny of taxpayer | 512 |
StackExchange | the TLS block).
You are better off having a C wrapper that calls the assembly function and sets errno.
EDIT: Since you can't use a C function (which, IMO, is senseless, since errno is firmly a C/POSIX concept), you will have to implement the errno gathering yourself. Find the definition of errno in errno.h, and implement whatever is there in assembly. For example, my errno.h defines errno as
extern int * __error(void);
#define errno (*__error())
Therefore, I would make a call to the __error function (which returns an int *), then store to the returned address. For example, here's the assembly my system produces for setting errno:
$ gcc -xc - -o- -S <<EOF
#include <errno.h>
main() { errno = 3; return 0; }
EOF
.section __TEXT,__text,regular,pure_instructions
.globl _main
.align 4, 0x90
_main:
Leh_func_begin1:
pushq %rbp
Ltmp0:
movq %rsp, %rbp
Ltmp1:
subq $16, %rsp
Ltmp2:
callq ___error
movl $3, (%rax)
...
Your system will probably have a different implementation of errno.
Q:
getComputedStyle() and cssText in IE and Firefox
Please refer to this fiddle which illustrates the problem.
I am trying to get the cssText property of a <div> via window.getComputedStyle(element) (which returns a CSSStyleDeclaration object). This works just fine in Chrome (version right out of the repos), but it does not work in Firefox and IE10 and IE11. Actually, cssText is a property on the returned object, it's just an empty string.
It may not work in older versions of IE but I haven't tested it in those versions. I cannot seem to find any reference to this specifically not working in recent versions of IE. Actually Microsoft's documentation has led me to believe that it SHOULD work when in fact it does not ("Sets or retrieves the persisted representation of the style rule"). I am trying a little rubber duck debugging here to see if there is something obvious I've missed, or perhaps it's the VM images I'm using to test code on IE. What am I doing wrong? Thanks!
EDIT: What I'm looking for specifically is a way to get a list of CURRENT styles applied to an element, as happens when getting cssText from the object returned by getComputedStyle() in Chrome, but which does not happen in Firefox or IE. To clarify, it appears using the style.cssText property of an element in IE retrieves a list of styles applied to an element via stylesheets, style tags, and inline style rules, but NOT styles which were applied programmatically via scripts. This may be by design and as intended, but: How can I replicate the behavior seen when using cssText from a CSSStyleDeclaration object in Chrome (as returned by getComputedStyle()), but in Internet Explorer and Firefox?
A:
You should be able to use node.currentStyle to access specific style properties which is much more reliable than cssText.
http://msdn.microsoft.com/en-us/library/ie/ms535231%28v=vs.85%29.aspx
Notice in this example cssText doesn't provide the background color. I'm not sure when runtimeStyle is supposed to work but it doesn't seem to work pre or post javascript manipulation. These are likely bugs in IE.
Note: The getComputedCSSText function is a quick | 512 |
gmane |
for their holes that the rats saved their lives. Major raised his trotter
for silence. "Comrades," he said, "here is a point that must be settled.
The wild creatures, such as rats and rabbits--are they our friends or our
enemies? Let us put it to the vote. I propose this question to the meeting:
Are rats comrades?" The vote was taken at once, and it was agreed by an
overwhelming majority that rats were comrades. There were only four
dissentients, the three dogs and the cat, who was afterwards discovered to
have voted on both sides. Major continued: "I have little more to say. I
merely repeat, remember always your duty of enmity towards Man and all his
ways. Whatever goes upon two legs is an enemy. Whatever goes upon four
legs, or has wings, is a friend. And remember also that in fighting against
Man, we must not come to resemble him. Even when you have conquered him, do
not adopt his vices. No animal must ever live in a house, or sleep in a
bed, or wear clothes, or drink alcohol, or smoke tobacco, or touch money,
or engage in trade. All the habits of Man are evil. And, above all, no
animal must ever tyrannise over his own kind. Weak or strong, clever or
simple, we are all brothers. No animal must ever kill any other animal. All
animals are equal.>*): 6.
Composition specialists and students of prose style will point out that
"word length and sentence length" are only two of the many measures of
verbal complexity. That's important. A worthwhile takeaway from this
might be that Trump is really pushing the envelope of stylistic
bottom-feeding, but that it may very well continue to pay off big time. It
may be a strength, not a weakness.
Dan
Hi List
We need to create a static, offline version for one of our sites, that will make the content available to users without an internet connection. These static files will be stored on a CD or some other media, and browsed from there. I was thinking of using specific software for the job, but...isn't this just the same as doing a static export in OpenCms..? I have never done a "manual" export in OpenCms, so if anyone can answer this (and maybe provide some pointers on how to do it - this has to be done today) I would appreciate it.
Cheers,
Paul
Greetings,
I'm a big fan of using `git status` to determine the state of my local git repository. The following patch adds a .gitignore file to ignore any files or directories built during the cobbler build process. This includes rpm-build/, dist/, *.pyc files etc... Now `git status` will show you what local changes haven't yet been commited, excluding *.pyc, tmp files, and other cobbler `make` created files.
In addition to the .gitignore, a very minor change was made to the Makefile. I'm not sure if the 'rpms' target was intended as the default build target, but I'm more famililar having just a 'build' target which does any | 512 |
StackExchange | one.sort_values('Report month')
one['diff'] = one.groupby('ID Vendedor')['sum'].diff().fillna(0)
one = one.sort_values('ID Vendedor')
print (one)
Report month ID Vendedor sum count Rental Charge diff
0 2018-07-01 803621.0 780.81 42 4 0.0
2 2018-08-01 803621.0 1132.71 77 3 351.9
1 2018-07-01 900000.0 100.90 20 5 0.0
3 2018-08-01 900000.0 1000.10 10 2 899.2
A:
Use DataFrame.sort_values
to sort the DataFrame,
then we can use DataFrame.assign and GroupBy.diff to create the Diff column:
new_df = (df.sort_values(['ID Vendedor','Report month'])
.assign(Diff = lambda x: x.groupby('ID Vendedor')['sum']
.diff().fillna(0))
)
print(new_df)
Report month ID Vendedor sum count Rental Charge Diff
0 2018-07-01 803621.0 780.81 42 4 0.0
2 2018-08-01 803621.0 1132.71 77 3 351.9
1 2018-07-01 900000.0 100.90 20 5 0.0
3 2018-08-01 900000.0 1000.10 10 2 899.2
We could also use GroupBy.shift and Series.sub
(df.sort_values(['ID Vendedor','Report month'])
.assign(Diff = lambda x: x['sum'].sub(x.groupby('ID Vendedor')['sum']
.shift())
.fillna(0)))
Q:
Authenticating a user after #create
This seems to keep coming up for me on various projects and I'm wondering if anyone out there has a great solution:
We have a Rails app with Authlogic authentication. Initially, there's a nice, clean, RESTful ListingsController that requires a user to be logged in before they can post/create:
before_filter :require_user, :only => [ :new, :create]
However, after seeing this in action we decide we need to try out a different flow where unregistered users can fill out the form for the Listing first and then be prompted to register/login. If they abandon registration, we don't need to create the Listing. If they authenticate, we want to wire up the Listing with the current_user as we would normally.
A couple possible snags:
The new Listing form allows users to upload files that we store with Paperclip.
Authentication may happen through a series of redirects for facebook or twitter.
I feel like this authenticate post-creation scenario is a common enough that there would be some resources on standard methods for attacking it, but I haven't really found much. Anyone have a good solution or resource for this?
Thanks!
A:
One solution is to generate a unique token and store it in your model (say Listing.pending_id), then write the same token to a cookie. Later, when the client is first authenticated, you check for a 'pending_id' cookie and link it to the relevant listing if found.
You'd have to schedule a task to remove any unfinished listings older than (x), and make sure that any pending Listings were excluded from normal operations (searching, listing, etc). Depending on your application you might be better off creating a separate PendingListing model and database table.
One downside with this approach is that the listing would not be recovered if added on one computer/browser, but authenticated on another.
Q:
How to use our own data to create map layer dynamically?
We are creating a speed limit map application using different colors to highlight street with different speed limits (similar to ITO speed limit map: http://www.itoworld.com/map/124?lon=-79.37151&lat=43.74796&zoom=12).
The problem we have is that we are conducting our own research and have our own speed limit data instead of pulling the data from OpenStreetMap or Google Map like | 512 |
realnews | also because she is faithful to me. I don’t want to lose her but I am afraid to marry a stripper so I am kind off in a tight spot. I don’t know what to do. She says that she has to do what she has to do to put food in the table. She also says that she will quit when we get married. Should I trust that she will change after we get married or do such girls just belong out there? Please advise me because I really love her. {Mark}
ALSO READ: Six tests you need to take before you sign that marriage certificate
Your Take:
Mark, when you love somebody, you can make them be who you want them to be. So there is absolutely no problem here. However, think about this and be sure that she is the woman you want to spend your life with before you proceed.
{Fred Jausenge}
When you love a cow, love even the rope that it comes with. Love her even with her faults and weakness. Talk to her and let her feel that you trust her and give her an option of quitting and engaging in other income generating projects. I am sure with love and proper communication she will see your point.
{Eric Macharia}
A good relationship is judged on four fronts i.e. love, trust, understanding and honour. She needs to stop what she is doing and you both find something different for her to do. She may not change her habits when you get married and she is still working there.
ALSO READ: Five powerful tips on how to have a second date
{Charles Olanya}
The only thing is you have to be 100 per cent fine and OK with her stripping and keep your jealousy in check. If she makes you happy, you trust and love her then go for it! If she is stable and not destructive i.e. she is not cheating on you, doing drugs, drinking or just a bad person then she maybe good marriage material. Some people do change after marriage so you can change and tame her.
{Andrew Didy Chaplin}
I think, with all the assurance she has given you, she means what she is saying. She may be doing this for her daily bread. Marry her as soon as you can and get her out of there then build trust between you. All said and done, you know the extent of your love for her.
{Ouma Ragumo}
You know her history. There are women married out there who have very dark pasts (some were twilight girls, peddlers or murderers) but they have made good wives and mothers. If she has the qualities of a mother, give her the lines and you will be happy.
{Tasma Charles}
ALSO READ: Four reasons women still cheat despite being in love with their partners
For a lady to be called a stripper, she doesn’t strip for women. When she leaves the job, support her, trust her and mould her into the right ways. You will | 512 |
goodreads | gentler more patient approach to the sentinels wooing their mates.
Once Lexi arrives at the compound she begins to see a different picture then the one she was taught. This leaves her with some difficult decisions to make. She deals with Zach and tries very hard to assimilate everything happening to her but Zach needs her now and pushes for them to bond. I identified with Lexi. She is very stubborn and holds her own beautifully. I liked the fact she stayed true to herself and her feelings; but at times she does come off as a little redundant. She challenges Zach in every way and tries to find common ground for them. Zach is very impatient but it's completely understandable. It seemed a little silly that he is hurt she doesn't trust him right away; considering the way he pushes and forces things on her. When Lexi's test of loyalty comes she handles herself in a truly magnificent gesture. I liked that we see more of Madoc and his running around like a crazy person. I have to say Madoc is my favorite. He is fatalistic in his thinking and you want to smack him while cheering him on.
Ms Butcher gives us some fantastic clues to Sybil and other major characters in the series that left me squeeeeeing for the next in her series-Living Nightmare.
Rating: 4/5
A good BASIC chicken-keeping book.
Lois Lane: Fallout was a very entertaining read. As someone who's had an obsession with the relationship between Lois Lane, Clark Kent, and Superman since childhood, this was one I couldn't pass up. Gwenda Bond does a great job of imagining Lois as the army brat, new kid in Metropolis who quickly gets a job working for the teen contingent of the Daily Planet. She's soon immersed in a mystery involving some kids from her high school and a high tech gaming world that has turned them into something not unlike the Borg.
While Clark Kent never makes a *physical* appearance in the story, he is there via online chats between himself and Lois. He's a bit obnoxious with his *super secret* persona, not even being willing to tell her anything about his alter ego. C'mon, Clark Kent is a farmboy in Kansas, that's all you'd have to tell her....
One of my favorite bits was how Bond brought Lois onto the chatboards where she meets the mysterious SmallvilleGuy; a run-in with a UFO (of sorts) on a long drive across Kansas on one of her family's moves. It was quite clever.
another book that teaches kids to "think" away the dark clouds and see things "in a whole new way"
I haven't read a book by John Irving since A Prayer for Owen Meany (2002), so I wasn't sure if I have become a less tolerant reader or if John Irving has lost his knack for writing. I loved The Hotel New Hampshire, (1981) but I was in my early thirties when I read it, and perhaps not as discriminating. Last Night in Twisted River is one of the worst | 512 |
OpenSubtitles | good, huh?" "Thank you so much for coming." "Mary, who is that?" "She's from the Phoenix office." "Oh someone did come." "Well that's nice." "Well, he certainly does seem to have been well loved." "Yes, he was a good man." "You married?" "Ah looking." "Well, you should do what I did." "Find yourself a crockpot." "Hey, mind if I ask you a question?" "Your parents, is that like a one of each, kind of thing?" "Yeah." "Grt, you might know this." "Jungle fever, is it only when a caucasian" "Lusts after a black person?" "All right, a plate of shrimp and a squirt." "These have tails." "Yes." "No I thought..." "Ah... don't try to understand." "Clean it up, and think about what you feeling," "When you crawling around
"Previously on "Weeds"..." "They found Esteban's body." "You're safe now." "What are you doing?" "Going to New York to find mom." "You're all going?" "Yeah." "We're going to America." "Go home." "There will not be any good photos today." "Come on, Gunder." "I've doubled the sales of your weird flower water." "How's my baby boy?" "Annancy!" "What did he call me?" ""Aunt Nancy."" "Hi." "I'm Nancy." "I'm Zoya's -- I know who you are." "I was hoping we could make a trade." "What do you want?" "You want money?" "I want weed." "Free taste." "Andy:" "Is that why you were avoiding us all day, to smoke a bowl with some new crime buddies or..." "Did you?" "What?" "Avoid us?" "Yes." "Where am I going?" "Urine sample, drug test kit, in my office now." "[ Hooves clopping, up-tempo music plays ]" "Redrum." "Redrum." "Redrum." "Redrum." "Redrum." "Redrum." "It's 8:00 A.M., ladies." "Drug class is in session." "Shelby Keene -- wasted 28 years to smack, did another seven for sale and distribution." "Been where you are." "Heard about you, pretty." "Number." "[ Sighs ]" "Number!" "81426-370." "You like crapping in metal toilets, 370, in full view of the world?" "You like the stench of disinfectant, the lights on all night?" "You miss it?" "Not especially." "You piss positive again, that's where you're going " "Right back, full sentence." "Pretty, sit." "Some of you have been away for years." "You're going out to a changed world." "The city's cleaned up, sentence is twice as hard for possession." "Nice old pusher-man in the park is now a messenger with a beeper and a gun." "Don't nobody use beepers no more, Pocahontas." "That's stone-age shit." "When I used to work for Magic Jim, you call 1-800-get-magic, and whoop, there it is." "Woman:" "Nah." "The real joint's the witch doctor." "Man's got a Twitter feed and a fuckin' iPhone app." "Beep-bop." "He's at your door." "Beeper." "Bitch should be wearing a bone in her hair." "Jamaica Bay, Queens?" "No." "Too far out." "Stay on the island." "Easier to get to Washington Heights." "Three-bedrooms are really expensive." "We still have enough money for return tickets." "Maybe we should all go back." "That money's for rent." "Here." "Come on." "This is what you worked for -- no more flower-water ads." "Big Apple." | 512 |
ao3 | his brother, at losing precious time in fighting him and then avoiding him when he should have sought him out like a brother should, like a friend, at leaving him alone and scheming for years on end because he had been lonely and seething, bitter; and Thor was too full of himself to notice how Loki hurt. For making him feel less when in truth Loki had always been _more_. Better, worthier than Thor had ever been.
"For the brother I've known for more than a thousand years.”
Thor gets up, walking with heavy steps to the windows. He gazes out to the city that never sleeps, but his vision blurs, unfocused millions of lights expanding to fill his sight with their colourful radiation, eerily similar to the view from the _Statesman_ ; billions of lights as far as the eye could see. Until it was the _only_ thing you could see.
_(“Do you really think it’s a good idea to bring_ me _back to earth?”_
_“Probably not, to be honest. Don’t worry, brother, I feel like everything’s gonna work out fine.”_
If he had only known better. If he had that little bit more of time.)
“Don't get me wrong, but you have only known him for a mere expanse of time. Loki had always been everything he is now, but so much more at the same time.” Thor has an arm propped on the glass, forehead resting on the forearm as he gazes out into the city. His artificial eye itches and it’s so hard to ignore, like the tiny empty spot in his heart that, no matter what, cannot be filled. “What you see – what you think you know is only the base of who Loki had been and who he had grown to be before his actions of war."
Steve rubs a hand down his face. “I understand.” Isn’t that what he himself had done when he had found Bucky? Steve hadn’t abandoned him, hadn’t stopped believing his friend _was_ still in there somewhere. “Or I can try to.”
Loki’s reasons and conditions might have been dissimilar to those of Bucky, but when one stripped it down to it they had both been led to villainy through desperation and intolerable suffering in the hands of something greater than them, unwillingly tangled in the biggest seam of things. When Steve had found him, out of his mind and amnesiac, he had done everything he could to retrieve him, get him back into his life and true self, had advocated for him and even fought his comrades for Bucky’s sake. Why should he still hold onto misplaced beliefs about Loki? It would be deceitful, dishonest of him.
“What was he like?” Steve asks, wanting to show Thor that he cares, that he is here, not judging of him. He can see Thor’s smile in his reflection on the glass, it stretches wide, filled with affection, overshadowing the pained twinge.
“Truly? The most fascinating creature I’ve ever met.”
* * *
When it’s time for Steve to Loki-sit it’s near | 512 |
amazon | Wireless Charging Pad for Galaxy S7, S7/S6 Edge Plus Note 5 and All Qi-Enabled Devices - Black (Adaptive Fast Charger NOT Included)</a>.
All I can say is these Adele cd's are great and Amazon is so convenient to shop on.
I love it! It's really protected my phone, but I can't seem to take it off.
This stuff is HOT and adds flavor to any food, especially Thai and Chinese takeaway. I experienced good customer service. Expiration after opening on the directions if fairly short, but I haven't had any problems with spoilage. I keep this product in my refrigerator and I use it sparingly to spice up food.
An enjoyable funny book. He seems like a very nice person and I don't think success has gone to his head. Some of the language I could have done without, but its seems that's par for the course with many comedians. Extremely fun, fast reading.
This wallet is PERFECT!
I plan on purchasing other colors.
Continues the great Sherlock Holmes stories. This is another great collection. Love the intro by Mark Gatiss too.
Fits perfectly! Arrived promptly. Good price.
Bought this for a little boy who was struggling . He is doing so much better well worth the price,
I hate books about love stories because they are always sappy and unrealistic but this book was different. I could relate to the characters and feel what they were going through. I was rooting for these guys the whole way. And the cliffhanger at the end was such a tease. Can't wait for the sequel to come out!
Love the book, I love all books that have good pictures and explanations. can't wait to start working on some projects soon! thanks again
I really enjoyed the characters in these books. The way they interacted with each other. By the time I got through all of them, I felt that they were people I knew instead of characters in a book. They were easy reading-not overly descriptive (the kind that you skip over to get to the rest of the story. I received a copy of this book in exchange for a review.
Cartridges work great. Will buy again.
Bit tight and a bit tuff to get on... almost like a lighter compression sock.... with that said I have worn and washed them several
times and they seem to be holding up just .
small batches of salsa
Work great- better than expected at a good price
I am so pleased with this tortilla press. It is sturdy and heavy but easy to use. The weight of this helps make the pressing a lot easier. I had an aluminum one that was much lighter and required a lot of pushing.
Perfect as advertised it does really work. Wish my big Maglite worked as well.
I really enjoyed this book. I can't wait to read more. Action packed, steamy, and great character development. Five stars from me!
I bought this item June 2015 and hung on outside wall facing my patio. The fold insert (instructions?) say it is a KIWI Solar Lamp model KWC3. This unit has NEVER function. Never came on once. The | 512 |
Github | implementation for sandboxed renderer processes.
| └── worker/ - Logic that handles proper functionality of Node.js
| environments in Web Workers.
├── patches/ - Patches applied on top of Electron's core dependencies
| | in order to handle differences between our use cases and
| | default functionality.
| ├── boringssl/ - Patches applied to Google's fork of OpenSSL, BoringSSL.
| ├── chromium/ - Patches applied to Chromium.
| ├── node/ - Patches applied on top of Node.js.
| └── v8/ - Patches applied on top of Google's V8 engine.
├── shell/ - C++ source code.
| ├── app/ - System entry code.
| ├── browser/ - The frontend including the main window, UI, and all of the
| | | main process things. This talks to the renderer to manage web
| | | pages.
| | ├── ui / - Implement của UI cho các nền tảng khác nhau.
| | | ├── cocoa/ - Cocoa specific source code.
| | | ├── win/ - Windows GUI specific source code.
| | | └── x/ - X11 specific source code.
| | ├── api/ - Implement các xử lý chính của các API.
| | ├── net/ - Network related code.
| | ├── mac/ - Mac specific Objective-C source code.
| | └── resources/ - Icons, platform-dependent files, etc.
| ├── renderer/ - Code that runs in renderer process.
| | └── api/ - The implementation of renderer process APIs.
| └── common/ - Code that used by both the main and renderer processes,
| | including some utility functions and code to integrate node's
| | message loop into Chromium's message loop.
| └── api/ - The implementation of common APIs, and foundations of
| Electron's built-in modules.
├── spec/ - Components of Electron's test suite run in the renderer process.
├── spec-main/ - Components of Electron's test suite run in the main process.
└── BUILD.gn - Building rules of Electron.
```
## Structure of Other Directories
* **.circleci** - Config file for CI with CircleCI.
* **.github** - GitHub-specific config files including issues templates and CODEOWNERS.
* **dist** - Temporary directory created by `script/create-dist.py` script when creating a distribution.
* **external_binaries** - Downloaded binaries of third-party frameworks which do not support building with `gn`.
* **node_modules** - Third party node modules used for building.
* **npm** - Logic for installation of Electron via npm.
* **out** - Temporary output directory of `ninja`.
* **script** - Scripts used for development purpose like building, packaging, testing, etc.
```diff
script/ - The set of all scripts Electron runs for a variety of purposes.
├── codesign/ - Fakes codesigning for Electron apps; used for testing.
├── lib/ - Miscellaneous python utility scripts.
└── release/ - Scripts run during Electron's release process.
├── notes/ - Generates release notes for new Electron versions.
└── uploaders/ - Uploads various release-related files during release.
```
* **tools** - Helper scripts used by GN files.
* Scripts put here should never be invoked by users directly, unlike those in `script`.
* **typings** - TypeScript typings for | 512 |
ao3 | arms around Eduardo's waist and pull him closer. _Mark is actually kissing him back_.
Eduardo licks across Mark's lips, a silent plea that Mark picks up on at once. He opens his mouth and Eduardo kisses harder, kisses closer. Mark's hands are scrabbling up Eduardo's back and Eduardo slides one hand from Mark's face to the back of his neck. Eduardo runs his nails lightly across the back of Mark's neck and feels Mark push closer to him and make a small, wild moan at the back of his throat. ( _maybe the mics picked up that_ , Eduardo thinks, semi-hysterically.)
So Eduardo kisses harder, tangles his tongue with Mark's, and Mark pushes back, like they can't be close enough. It's wet and a little messy and aggressive, and it feels to Eduardo instantly familiar, as if he and Mark have been doing this forever. It is, simply, the best kiss of Eduardo's life.
~
You know that cliche about a kiss being so amazing that there birds singing and bells ringing? Eduardo's starting to wonder if that might actually be true, because, as if from a great distance he can hear ... a piano?
Wait ... Mark's stepping back from him, a look that is beyond words on his face. He points beyond Eduardo's shoulder and laughs.
And then there's ... music? _Actual_ music? It's not just in Eduardo's head? He turns to see where Mark's pointing. Chris is holding up his iPhone, which has somehow been wired into the building's intercom system ( _Dustin!_ ) and is now blaring Pete Townshend - LINK.
Dustin has tears in his eyes that he's trying (and failing) to hide. Chris is smiling and bopping his head along. Mark walks up behind Eduardo, claps him again on the shoulder. "I bet Dustin saw this in a movie," he whispers.
And then, even over the music, Eduardo becomes aware of the roar of the press.
~~
Mark waves at Dustin and Chris, motions for them to turn the music off, but he's smiling so hard _Eduardo's_ face hurts from it. Chris turns the music off, slides the phone into his pocket. He gives them a double thumbs up. Dustin is scrubbing at his eyes with palms of his hands, pretending he wasn't crying. "Let's do this then," Mark says squeezing Eduardo's shoulder. They turn to face the press corps.
~~
It's deafening. Everyone seems to be shouting over each other, or into phones, or at their lighting technicians. If they aren't waving their hands madly to try to get Mark's attention for a question, they are urgently reporting back to their live studio streams. Eduardo hears snippets. _The man appears to be Eduardo Saverin, Facebook co-founder and former CFO who had a very public falling out with Mr. Zuckerberg_ \- _No word yet on if Mr. Zuckerberg knew what Mr. Saverin had planned but the current feeling among observers here is that he did not_ \- _We're waiting to see if Mr. Zuckerberg and Mr. Saverin will take questions_ -
Mark laces their fingers together | 512 |
gmane | differently with every run even though I
initialized the random seed to 1. Finally I found the problem was that
the RInside constructor secretly calls srand with the current time.
I noticed a comment explaining that the srand call was needed by
tempfile(), but is this absolutely necessary? How will tempfile()
break if srand was static? It seems like a huge disadvantage to not be
able to deterministically debug a program. At the very least, the call
to srand should be made very obvious to the user.
Thanks for your time.
Joseph
Hi,
Thanks for all your comments and advices.
@Harold, yes I have already tried to define MAC in static mode with no more success.
@Jan, I'm not sure to understand what you have done. You have defined a specific route to address hercules machine on all machines which act as a client (from a hercules point of view).?
If it's right, what have you done when Hercules acts as a client ?
@Fish, as this ESX is a professional machine, I don't know if it'is possible to configure network adapter as 'Bridged'. I will ask and give you a feedback.
Best regards
In the Group buffer I have often observed this: when point is on the
first group in a topic and in column 0, then after I type `M-g' and the
number of new articles in the group is updated, point moves up one line,
to the name of the topic. Unfortunately, this doesn't happen every time
and I haven't found a reproducible recipe. But maybe someone else has
seen this or has an idea, what the problem could be.
Steve Berman
Hi Friends
This is Imthiaz Rafiq H.M from Chennai, India. We have just
started a site www.BoredGuru.com. This is a big forum or message board
site. The total site was done using only open source projects. We want
to unite all the programmers, Students and IT industry people of India
together. This is our start in doing so. A regular poster of the site
can win good prize every month. This was done to encourage the members
contributing to community. We have formed rules and
<http://www.boredguru.com/rules.php> regulation for the same. This is a
non profit organization. We may collect ads to run the site and to give
away prizes. We are giving away books as price. All the books will be
related computers. This is started by a team of young students and
passed out of colleges. We know it is not fair on my part to ask this to
you but no other option we have. Can you all please help us in bringing
your friends and others to this forum. We are all students and we don't
have money to fund any advertisement. And we want to promote our site.
In the same way we can promote the Lug banners in the site. If you have
personal site you can also show the latest topics in your site from here
<http://www.boredguru.com/topics_anywhere.php> .
Please help us to grow and serve better...
Regards,
Hi, all
How many https virtual | 512 |
StackExchange |
)),
Expanded(
flex: 5,
child: Center(
child: Text(
"Scan Physical Ticket Below",
style: TextStyle(
fontWeight: FontWeight.bold,
fontSize: 45.0)))),
Expanded(
flex: 1,
child: Container(
alignment: Alignment.centerLeft,
padding: EdgeInsets.symmetric(
horizontal: 10.0, vertical: 5.0),
child: Image.asset(
'images/downarrow.png',
fit: BoxFit.contain,
),
)),
])))
],
),
));
Q:
bash: limiting subshells in a for loop with file list
I've been trying to get a for loop to run a bunch of commands sort of simultaneously and was attempting to do it via subshells. Ive managed to cobble together the script below to test and it seems to work ok.
#!/bin/bash
for i in {1..255}; do
(
#commands
)&
done
wait
The only problem is that my actual loop is going to be for i in files* and then it just crashes, i assume because its started too many subshells to handle. So i added
#!/bin/bash
for i in files*; do
(
#commands
)&
if (( $i % 10 == 0 )); then wait; fi
done
wait
which now fails. Does anyone know a way around this? Either using a different command to limit the number of subshells or provide a number for $i?
Cheers
A:
xargs/parallel
Another solution would be to use tools designed for concurrency:
printf '%s\0' files* | xargs -0 -P6 -n1 yourScript
The -P6 is the maximum number of concurrent processes that xargs will launch. Make it 10 if you like.
I suggest xargs because it is likely already on your system. If you want a really robust solution, look at GNU Parallel.
Filenames in array
For another answer explicit to your question: Get the counter as the array index?
files=( files* )
for i in "${!files[@]}"; do
commands "${files[i]}" &
(( i % 10 )) || wait
done
(The parentheses around the compound command aren't important because backgrounding the job will have the same effects as using a subshell anyway.)
Function
Just different semantics:
simultaneous() {
while [[ $1 ]]; do
for i in {1..11}; do
[[ ${@:i:1} ]] || break
commands "${@:i:1}" &
done
shift 10 || shift "$#"
wait
done
}
simultaneous files*
A:
You can find useful to count the number of jobs with jobs. e.g.:
wc -w <<<$(jobs -p)
So, your code would look like this:
#!/bin/bash
for i in files*; do
(
#commands
)&
if (( $(wc -w <<<$(jobs -p)) % 10 == 0 )); then wait; fi
done
wait
As @chepner suggested:
In bash 4.3, you can use wait -n to proceed as soon as any job completes, rather than waiting for all of them
A:
Define the counter explicitly
#!/bin/bash
for f in files*; do
(
#commands
)&
(( i++ % 10 == 0 )) && wait
done
wait
There's no need to initialize i, as it will default to 0 the first time you use it. There's also no need to reset the value, as i %10 will be 0 for i=10, 20, 30, etc.
Q:
Facebook graph-api get link stats
I was using fql to get link stats like this:
https://graph.facebook.com/fql?access_token={token}&q="SELECT share_count, like_count, comment_count, click_count,url FROM link_stat WHERE url=http://someUrl.com"
And the response is:
{ | 512 |
Gutenberg (PG-19) | Fathers have been diligently disciplining, to good
perfection, for four centuries come the time.
France, urged by Pompadour and the enthusiasms, was first in the field.
The French Army, in superb equipment, though privately in poorish state
of discipline, took the road early in March; "March 26th and 27th,"
it crossed the German Border, Cleve Country and Koln Country; had been
rumored of since January and February last, as terrifically grand;
and here it now actually is, above 100,000 strong,--110,405, as
the Army-Lists, flaming through all the Newspapers, teach mankind.
[_Helden-Geschichte,_ iv. 391; iii. 1073.] Bent mainly upon Prussia,
it would seem; such the will of Pompadour. Mainly upon Prussia; Marechal
d'Estrees, crossing at Koln, made offers even to his Britannic Majesty
to be forgiven in comparison; "Yield us a road through your Hanover,
merely a road to those Halberstadt-Magdeburg parts, your Hanover shall
have neutrality!" "Neutrality to Hanover?" sighed Britannic Majesty:
"Alas, am not I pledged by Treaty? And, alas, withal, how is it
possible, with that America hanging over us?" and stood true. Nor is
this all, on the part of magnanimous France: there is a Soubise getting
under way withal, Soubise and 30,000, who will reinforce the Reich's
Armament, were it on foot, and be heard of by and by! So high runs
French enthusiasm at present. A new sting of provocation to Most
Christian Majesty, it seems, has been Friedrich's conduct in that
Damiens matter (miserable attempt, by a poor mad creature, to
assassinate; or at least draw blood upon the Most Christian Majesty
["Evening of 5th January, 1757" (exuberantly plentiful details of it,
and of the horrible Law-procedures which followed on it: In Adelung,
viii. 197-220; Barbier, &c. &c.).]); about which Friedrich, busy
and oblivious, had never, in common politeness, been at the pains to
condole, compliment, or take any notice whatever. And will now take the
consequences, as due!--
The Wesel-Cleve Countries these French find abandoned: Friedrich's
garrisons have had orders to bring off the artillery and stores, blow up
what of the works are suitable for blowing up; and join the "Britannic
Army of Observation" which is getting itself together in those regions.
Considerable Army, Britannic wholly in the money part: new Hanoverians
so many, Brunswickers, Buckeburgers, Sachsen-Gothaers so many; add those
precious Hanoverian-Hessian 20,000, whom we have had in England guarding
our liberties so long,--who are now shipped over in a lot; fair wind
and full sea to them. Army of 60,000 on paper; of effective more than
50,000; Head-quarters now at Bielefeld on the Weser;--where, "April
16th," or a few days later, Royal Highness of Cumberland comes to take
command; likely to make a fine figure against Marechal d'Estrees and his
100,000 French! But there was no helping it. Friedrich, through Winter,
has had Schmettau earnestly flagitating the Hanoverian Officialities:
"The Weser is wadable in many places, you cannot defend the Weser!"
and counselling and pleading to all lengths,--without the least effect.
"Wants to save his own Halberstadt lands, at our expense!" Which was the
idea in London, too: "Don't we, by Apocalyptic | 512 |
realnews | at Serenity House’s night-by-night shelter, said his experience made it clear that there are possibly smaller projects that should be funded too.
He suggested dedicating a portion of the fund specifically for smaller projects.
“We are generally so focused on the larger-scale projects, but what jumped out is there are probably some opportunities to take some small dollar amounts to apply toward specific pieces of infrastructure within some of these facilities that will have an out-sized impact compared to the investment,” Ozias said.
________
Reporter Jesse Major can be reached at 360-452-2345, ext. 56250, or at [email protected].
It might have not have been love at first sight but to Saskia Sheehama there was always a connection between her and Namibia’s musical legend Ras Sheehama, now her husband. The musical legend is turning 50, and Saskia together with the Namibian nation is ready to celebrate this monumental moment with him. Sabina Elago speaks to the woman behind the musical legend.
Although they had known each for 17 years they only started dating in 2007, which is six years now, and married in 2013, three years in matrimony now. At the different occasions they have been seen together certainly they could not be mistaken for anything else but in love. Saskia being a music lover herself, describes Ras as a wise, kind, sweet and talented musician who would not do anything else as music is in his blood. “I believe people should always be what they are and music makes Ras happy. When he is on stage I can see he is more alive, I wouldn’t wish him to be anything else,” says Saskia. He might be a national musical legend but to Saskia he is just her loving husband.
“He is just my man, only at times like this I realises he is a very well know man in Namibia but to me he is the man I wake up next to every morning,” she adds. Saskia adds that they live an ordinary life and her husband fame does not distress her. They do what other normal couples do, for instance attending live concerts and the fact that they both don’t have eight to five jobs allow them to spend more time together. “We got quite a bit of freedom because it just get busy at times like this when he got a show coming up, as there is a lot of interviews, rehearsal and preparation but most of the time we are just home. While I am doing my work, he is composing songs or watching movie,” explains Saskia.
She believes her husband can make music for as long as he lives. “I can’t believe he is fifty although I am also getting there soon, it feels like he is much younger than that. I hope he can remain in his music and remain hosting concert and keep on making new music.”
Although there is a believe that fame brings a lot of insecurity in many marriages this is not her worry as she chose and trust Ras to be her | 512 |
reddit | whistle for icing when he thinks a player has the advantage to beat the opposing player to the puck. they changed it to stop high speed boarding/injuries
Imagine, I get some people together.. We explore some systems in the far reaches of space, thousands of lightyears from the core systems. We find one with a habitable planet and great resources. We decide to start mining after setting up a small outpost we brought with us. It took three of our largest cargo vessels to haul the pieces of the outpost, but we think it's worth it.. this could be a home. With the right materials mined from asteroids, some machines brought in from the core worlds, and some time.. we get a more complex factory rolling. We have our outpost start churning out materials that can be used by the game engine to construct more complex outposts or even potentially a station. Eventually, we invite more and more people in to join our little group, many of them NPCs we've invited from the core worlds. The annoucement we placed on Galnet brings in all kinds of people. Maybe other outposts are formed in the budding system in the middle of nowhere, brought in by player and NPC alike. Perhaps in our attempts a small group disagrees with our methods and colonizes a neighboring system.. or maybe winds up as a second minor faction within our own system. Now we have players and NPCs alike actively working against us to gain influence. All the while, the larger we grow, the more NPCs from the core worlds show up. Eventually, our system becomes alive and it doesn't even need us anymore. The player factions can vote on where to go and what to build, but if noone votes.. the faction still makes a decision based on the way we founded it. The principles we set up in the beginning guiding the NPCs in how to direct all this. Maybe a civil war breaks out.. but this time is means something more than just conflict zones and bond vouchers.. fuck, this is our home. We built it together. Who wins decides more for us than you can imagine. The fight is bloody and nearly endless.. but we prevail. The outcast survivors of the losing faction then sit on the sidelines of system politics.. hiding.. They set up black markets and raid our ships in the name of their once beloved nation destroyed by war. They've resorted to crime and piracy.. we need police forces.. at first it's players doing the job.. Trying desperately to stem the advance of these raiders and prevent trade from being disrupted. It's not enough.. we, as the controlling faction, hire out the job to numerous NPCs.. we set up bounty systems and laws to try and stop the raiding.. People are leaving due to crime.. After the recent war, there aren't many left anyway.. What do we do? This is the kind of shit I want.. not just sitting in fed space mindlessly waiting for NPCs I'm not invested in | 512 |
ao3 | think he'll feel up to exploring the island tomorrow." Castiel said in-between bites.
"I am here for you Castiel and I am glad to hear that. I'll have breakfast ready for you to bring up to him in bed in the morning and I'll pack a lunch for you to take with you on your walk. Now off to bed with you." Ellen said picking up the alpha's dirty dishes.
"Night Ellen." Castiel said giving the beta a warm smile.
Dean was resting peacefully so Cas tried to be careful when he crawled into bed as not to wake him. When the alpha put his arms around the omega, Dean turned over into Cas' embrace, snuggling into his neck still asleep. Cas all but purred in contentment as he gave himself to sleep.
The next few days Castiel and Dean spent walking around the island and exploring the ruins. The last day they spent sunning in the garden and enjoying each others company. Soon they would return to the real world but they were ready to build their life together.
That evening Castiel called Rufus to pick them up in the morning. They would spend a few days is Glasgow shopping and seeing the sites before flying back home. Castiel looked forward to knotting Dean on the jet ride home.
Dean brought up the possibility of being pregnant a few times. Castiel pictured his mate full with child and he had to calm himself down before he popped his knot. The alpha hoped his mate was but if not they would just have to try harder his next heat. He looked forward to that.
27. Chapter 27
**Notes for the Chapter:**
> Short chapter to set up for the finale. Enjoy!
Cas and Dean disembarked from the plane to the sight of Gabriel and Sam holding a sign that said “Welcome Home Mr. & Mr. Winchester. Dean laughed at the sight. The omega was still pretty calm from the two knottings his alpha had given him on the plane ride. They all four had dinner together before Gabriel and Sam left on a trip to Greece to look in on a couple of their properties and meet with investors in France and Spain.
Castiel was anxious to settle back into normal life with Dean. He wanted to go back to work at Angel’s Grace and continue his low key work in the community. Dean decided that he was going to work the store with his alpha. It was important work for Cas so it was important to him too. Dean also felt it would be an excellent way for them to continue growing their bond as mates. The omega liked the idea of spending time with his alpha. Plus the building still needed a lot of work and Dean felt he had the skills to fix the place up.
The first month back was normal and routine. Dean had for the most part given up on the idea of being pregnant. He didn’t feel any different. His scent didn’t change or anything | 512 |
amazon | full marks.
The first story, "The Five Heiresses," is the best, in my mind. It's also the most traditional (which tells you again what I look for in a pastiche). A man entrusts his five young daughters to Holmes when he realizes that someone in his household is attempting to kill all the heirs to the family fortune. It's really quite an engaging tale. The second story, "The Adventure of the Blue Rings," seemed to me like it was having a problem keeping on point, but it basically revolved around a man who left behind a string of riddles, hoping to keep his son-in-law from inheriting his money by hiding his will from anyone who could not follow the clues. Holmes unravels the puzzles, but the story wandered around so much that by the time it was done, I was having a problem remembering what it was supposed to be about. "The Mystery at The Raymont Hills" returns to a more traditional theme: a man finds his father and a family friend (and their dogs) dead and turns to Holmes to solve the mystery because he's convinced the police will arrest him for the murders. "The Mysterious Missing Monkey" starts with Holmes accepting a case to find a missing toy for a child, and ends up with the detective crossing swords with a boat full of murderous female pirates. Somewhere in the middle come some strange goings-on involving Holmes and his family (brothers, sisters, cousins) and he and Watson also somehow find time go Christmas caroling as well as Christmas shopping. Although this story is a bit wobbly, it never seems to lose the plot thread entirely and is quite amusing by the end. After the four stories come what are described as three handwritten pages which appear to have been torn from Watson's journal, giving a hint as to the future of two companions.
Overall, I would characterize this book as a fun read!
I have all of the Harry Potter audio series, because I prefer to listen or watch fictional storie than to read them. Just a preference of mine. The audio series is great. I listened to them at home on my back patio and while in the car on a road trip. THEY ARE VERY DETAILED, ENGAGING AND JUST PLAIN FUN TO LISTEN TO.
I am a musician and use these wraps for all my cables.
I'm kind of made at myself for not checking the page length before ordering. I feel cheated that I spent $10 on a paperback that is little more than a glorified pamphlet. The same revision of the Lilith-Lucifer-Cain story can be found Michael W. Ford's Luciferian Witchcraft with added bonus of hundreds more pages of myths, spells, rituals, and philosophy. If you really want know what's in Liber Qayin by the kindle version.
Random brittle areas jammed my 3D Printer with a Bowden extruder.
basically the perfect ice pack for the food cooler, no more water sitting at the bottom of the cooler after lbs of ice melt. works exactly how i was hoping it would. | 512 |
DM Mathematics | the second derivative of 0 - 1/4*w**4 - w**2 + 1/20*w**5 - 1/3*w**3 + 4*w. What is x(3)?
-8
Let a(d) = d**2 - 6*d + 1. Let y be (14/4*-1)/((-20)/40). What is a(y)?
8
Let s(w) = 12*w**3 + 16*w**2 - 29*w + 6. Let p(q) = -4*q**3 - 5*q**2 + 9*q - 2. Let n(c) = 19*p(c) + 6*s(c). What is n(-2)?
40
Let j = 61 + -59. Suppose 2*l + 3*v = -2*l + 2, 4 = 5*l + 3*v. Let g(i) = 1 + 0*i**2 + l*i + 0*i**2 + i**2 + 2*i**j. Give g(-2).
9
Suppose 0*w - 29 = -w - 5*y, y - 97 = -5*w. Suppose 3*m + 1 = 2*m, 5*p + 4*m + w = 0. Let k = 2 + p. Let u(n) = n**3 + 2*n**2 + n. Give u(k).
0
Suppose -6 = -5*z + 4. Let r(y) = -8 + y**z + 10 - 6*y - 2 + 5. Calculate r(5).
0
Let f(v) be the third derivative of 3*v**2 + 0*v + 2/3*v**3 + 0 - 1/8*v**4. Give f(5).
-11
Let b(w) = w**3 + 3*w**2 - 4*w - 7. Let i = 245 + -248. What is b(i)?
5
Let f(w) = w - 8. Suppose -20 = 4*o, -3*y + 0*o = o - 22. Let d be (-2)/(-7) + (-178)/(-14). Let g = d - y. Give f(g).
-4
Let t(j) = 2*j**2 + 8*j. Let v(n) = -n**2 - 4*n. Let d(o) = 2*t(o) + 5*v(o). Suppose 0 = -2*f - h + 23 - 2, 5*h = 15. Let a = f - 11. Determine d(a).
4
Let t(y) = -2*y**3 + 52*y**2 - 4. Let h be t(26). Let b(w) = 13*w + 6. Determine b(h).
-46
Suppose -c + 3*q = 2*c - 189, -2*c + 131 = 3*q. Let f be ((-6)/4)/(((-36)/c)/3). Let s(n) = -n**3 + 9*n**2 - 8*n - 9. What is s(f)?
-9
Let i(b) = -b + 1. Let m be i(-3). Let f(o) = -o**2 - o - 1. Let l(g) = -4*g**2 + 2*g - 5. Suppose 31*y - 33*y = -6. Let k(u) = y*f(u) - l(u). Calculate k(m).
-2
Let j(x) = x**3 + 2*x**2 - 2*x + 2. Let i be 3 + (2/1 - 8). Let m = 1 - i. Suppose 5*p + 19 = m. Give j(p).
-1
Let w(b) = 9*b**2 - 3*b - 1. Let x(u) = 4*u**2 - 2*u - 1. Let c(f) = 3*w(f) - 7*x(f). Suppose -9 - 32 = -5*m - 3*d, 2*m = -5*d + 24. Determine c(m).
-10
Let b(m) = 7 + 3*m - 9*m + 0*m - 2*m**2. What is b(-5)?
-13
Let f(t) = -t**3 - 7*t**2 + 3*t - 2. Let s(z) = -2*z**3 - 15*z**2 + 5*z - 5. Let c(y) = 5*f(y) - 2*s(y). Let a be 32/(-176) - (-1 + 225/33). Determine c(a).
6
Let t be (-42)/(-9)*24/28. Suppose -t*m = -1 - 31. Let l(k) = -k**3 + 8*k**2 - | 512 |
Gutenberg (PG-19) | War in America,” by the
Count of Paris, a large number of pamphlets, newspapers (Northern and
Southern), beside many other publications, collecting, in the course of
the seven years in which I have been engaged in this self-imposed task,
a very large and varied assortment of the literature of the war.
Where radically different versions of the same event have been
given me, I have generally adopted that of the officer who had the
responsible command at the time, or of the soldier whose relations
to the event were such as to afford him the best means of accurate
knowledge. In other cases, I have used my own judgment in the premises,
adopting or discarding the version that seemed to me most in harmony or
at variance with the truth.
Knowing the sensitive nature of most soldiers, and not wishing to
excite new or revive old jealousies, I at first resolved to avoid the
bestowal of praise upon any one connected with the regiment. But I
soon found that this plan was as difficult of execution as it would
be unjust in its operation. I therefore abandoned it, and I desire it
to be distinctly understood that I assume the entire responsibility
for all I have said in the following pages, commendatory or otherwise,
of any person, having had no motives of favoritism or feelings of
prejudice, that I am aware of. My position in the regiment being that
of a mere private soldier, rendered me naturally neutral, especially
toward the officers; what I have said in praise of them, therefore, I
have said from a sense of justice alone.
One of the most difficult parts of my task has been that of preparing
the rolls of the regiment; and I am compelled to admit, much to my
sorrow, that here I have failed to overcome certain difficulties that
existed from the first, and which must increase in magnitude with every
passing year. After the most careful investigation, I have not, in most
instances, been able to give more than the name of and the highest rank
attained by each soldier. My failure to accomplish more than this, is
owing to the imperfect condition of our rolls at the War Department,
and the impossibility of holding personal conferences or having
communication with many of the living members.
In attempting even what I have indicated, it is possible that I have
made errors; but if these be not more serious than mistakes about rank
or the right spelling of a name, I shall be grateful, for I have had
fears that, after all, the names of a few who served faithfully in the
regiment have been omitted altogether. On the other hand, it is more
than probable that the names of soldiers appear upon our rolls who
deserted, or who never joined the regiment for service. I concluded,
however, not to drop the name of any man from the rolls that had ever
been properly put there, and to give no lists of deserters, for the
reason that some so reported upon our | 512 |
ao3 | looks skeptic. She looks her father straight in the eye." We would have to leave all our friends wouldn't we?" At that Thrains eyes widen in understanding. " yes we would, but we would return for visits or when every you want." Can we have some time to think about it?" Thrain asked looking to his sister. " Of course you can,love." With that said both children run out of the room. It was several days before the children brought up there conversation they had in the study. Over the course of those days the children showed the boys there favorite places in the shire,and told stories of all the pranks they pulled. It was Emerald who sought her dad out for them. She lead him to hers and thrains room. " we have made a decision." ️She said looking at her brother to make sure he agreed. He shook his head yes and looked at his father. His sister did the same. " we've decided that.." To Be Continued.....
“Evie,” Jacob called, boarding the train like a proper passenger for once. Rather than chase down the train Jacob choose to wait at the station, giving himself time to understand what had happened and how best to brag to Evie. He'd been wooed. Properly wooed.
Evie was sitting on the settee he liked to lounge on, an open book in her lap. She looked up as he entered, closing the book around her finger to keep her place.
“Did you talk to Sergeant Abberline?” she asked.
Jacob grinned, squashing himself between his sister and the side of the settee. “I did. It was him.”
Evie’s eyes went wide as the book slipped through her fingers and hit the floor. “It was?”
Jacob nodded, “It was. It was him. He was the one sending me those gift. He WOOED me Evie. Honest to God wooed me. I'm a proper lady now, Evie.”
Evie smacked his shoulder for his last remark but her hit lacked heat. Her grin was almost as wide as Jacob’s was. “I'm happy for you, Jacob.”
“I’ll have Freddy talk to Greenie,” Jacob told her, rising from the sofa and heading towards the door. He lurched a bit as the train began to move.
“How come?” Evie asked, leaning down to pick up her book.
Jacob opened the door, sending her a cheeky grin. “Because Greenie’s going to need all the help he can get trying to woo you.”
He saw the book leave her hand and slammed the door between coaches shut, leaving himself to the mercy of the roaring wind. He heard the thunk of the book hitting the door a moment later and couldn’t help but laugh. He jumped across the gap to his coach and opened the door. He can't wait to see what tomorrow would bring.
**Epilogue**
“Bye, Evie,” Jacob called, poking his head into the dining coach.
Evie didn’t look up from her book. “Where are you off to?”
“Top of St. Paul’s Cathedral. Now that I've been wooed I have to keep the | 512 |
gmane | plugin's statusbarpanel no longer displays the tooltip in FF 3b3..
turns out that the tooltip works just fine, it just doesn't position very
well so when the Firefox window is maximized or too close to the bottom of
the screen, the tooltip disappears.. even when the bottom of the window is
sufficiently lifted off the bottom of the screen, the tooltip ends up
rendering below the window instead of above it..
i double-checked and this happens in FF2, as well, except that FF2 seems to
recognize that the tooltip won't display properly when the window is too
close the to bottom of the screen and then positions the tooltip above the
element instead of below.. any idea if there's a work-around for this? or
where i should submit a bug for it?
thanks,
Saleem.
Can anyone recommend or is anyone interested in doing a few days as a TDD
coach (and general altnet type guru)?
I'm looking for someone who might be willing to come down to our small
agency in Bournemouth, UK (or we can possibly come to you 2-6 people
depending on availability/cost etc) and help us get started with some of the
AltNet concepts.
We have a small team of capable and enthusiastic developers but after having
tried to go down the self-teaching route I really think the investment in
spending a few days on a test project with someone with even a bit of
experience would be well worth it. As has been noted in several threads the
learning curve for this stuff is pretty intense and without anyone already
here with the knowledge its a bit of a slog to get into whilst still
delivering client projects to pay the bills.
Any suggestions much appreciated, you don't have to be a full-blown TDD
coach or professional trainer just someone with the experience, good
personality and a willingness to share skills.
Cheers,
Dan
Ooops sorry,
enabled it and it still works, though I did need to increase the amount of memory for the JVM (Out of memory exceptions).
...and a ugly startup "picture" while trying to instrument e.g. some tomcat classes....
My ear deployed ok with the ejb and aop and worked for invocation and webconsole did ok (haven't tried anything elese than my small hack).
/Mario
Say I have a file full of lines that look like the following:
access-list dmz extended permit ip object-group SOMETHING1 object-group SOMETHING2 log
I need a perl script that takes in each line, compares SOMETHING1 to SOMETHING2, and then prints the original line ONLY if they match. Not all of the lines have the same number of columns, and I also need to ignore lines that only have one "object-group" in them.
I'm thinking some sort of regex like this would work, but I'm unsure how to impelment, and need to get this done fast:
/ object-group (\S+).+object-group (\S+)/
I think that's how you pull matches out of a regex, but I forgot how to reference them, or even to check my $line variable against them that is populated while going | 512 |
gmane | th FPSpreadSheet component. However, I don't
know where I should send it (this Lazarus mailing list doesn't seem the
right place), besides I have some comments on it I would like to be more
publicly available than this mailing list.
So i hope someone can guide me on where and how to do so.
Kind regards,
- Torsten Bonde Christiansen.
Hello,
I have a little question that I am not sure about:
I will set up a server at a hosting facility, is it possible to install Samba
on the server and access shares of this server over the internet?
Would I just have to use the right workgroup, maybe restrict access to
certain IP's, and would I then be able to access the shares from just
anywhere on the internet, as long as I have the correct workgroup???
This might be a silly question, but I haven't really seen an answer anywhere
yet.
Thanks,
DrTebi
All,
For some time the mpls working group chairs have been very
concerned about the lack of progress on a BFD based solution
for CV, CC and RDI.
To improve on this situation the working group chairs have decided
to create a team modeled after how we worked with the LDP specification
when we started up the MPLS work.
The new team will work based on a mandate from the working group
chairs, with clear instructions progress the draft in such a way
that author contributions are recognized, that the IETF expertise
on BFD is involved and to seek a quick rough consensus among the
authors.
Note that this means that the people currently involved in the
draft-asm remain as authors.
We will therefore have one team of editors consisting of
Dave Allan
Hi!
I have a background in web programming which I haven't used for some years,
but I am now considering making an iPhone app. I saw this interesting
alternative to create apps, and since I already know web programming it
would be a smooth transition for me. However, there seem to be some
disadvantages with these kinds of apps. Can't just Apple forbid all other
ways of making apps other than the native iOS programming language, and
then all of a sudden this knowledge is worthless when it comes to making
"native" apps? It would be interesting to hear your opinion on this matter.
Thanks in advance.
Regards
Hi L-E, all,
Thanks for this. On the ROHC-TCP/FN front what is there to discuss in deciding if we can ship it? This question arises partly out of me being unfamiliar with IETF procedures such as WGLC.
What I'm looking to avoid is either:
1. Turning up at the IETF for no good reason - though it would be great to meet up =)
2. Not turning up and finding out afterwards that key decisions about the FN have been made that I wasn't party to. Whilst in theory all decisions are made on the list, I know from past experience that if people agree something at an IETF they tend to stick.
Thanks in | 512 |
reddit | have town gear sets anyways, so it's fun to have some different options. I just want to look efficient when actually fighting monsters. I'm more into stylish towngear personally, but if someone wants to enjoy the Ul'dahn sun wearing a miniskirt and a bikini top, who am I to judge. :)
> The line absolutely should be drawn there; before that line is non-viability, where nothing you can do will save the fetus after removal. After that line, however, you have the ability to keep it alive, so the circumstance is changed. There are lots of human beings who are "not viable" in the way you mean. That doesn't make them any less deserving of rights.
OK, I think what I was getting confused was hatred towards women vs hatred towards femininity. this makes a lot more sense. I think that's an element -- but I also think to argue that it's the "root cause" is a stretch. It's probably a stretch to suggest any root cause
Yeah, it is. I know it sounds like I'm making up those punishments, but they really will and have gone to those extremes. No one likes the rule, even some of the younger teachers think it's dumb. I think the reason it's still a thing is that the administration is a bunch of really old people.
Pretty much everyone here is a better guitar player than me but, FWIW, if you've NEVER played guitar (and don't even know for sure if you dig it or will stick with it) I think you could do MILES worse than [any of the electrics from Monoprice](http://www.monoprice.com/category?c_id=115&cp_id=11501&cs_id=1150101). Not a sexy brand but pretty stupid good value for money (and, even though I'm not a great guitar player, more than a few folks who are seem to agree about the value bit). The whole used/pawnshop route can make a ton of sense - IF you know what you're looking for and how to find it - otherwise, something new out of the box that you know what you're getting makes sense to me.
Training might help but for the distress your dogs are feeling I would recommend a dog behaviorist. It will be expensive but well worth it and they can recommend some great less expensive trainers. This will be a long road and it is perfectly acceptable to chase dogs away and tell owners to get their dogs under control.
I think Metal Sonic had a psedorandom attack sequence, where you didn't know if he was going to roll or roll-jump. Also, just executing the dodges on him was tough. Same with robotnik; you had to jump at exactly the right moment. So even though you knew *what* to do it was still hard to do it. Not saying lasers weren't tough though :)
I was playing a guy a couple weeks ago (just for context I always skip replays) and mid second period while he's up 1-0 he starts to circle around in his zone ragging the puck. I put my mic on and comment something to the extent of "wtf man", | 512 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.