meta
dict | text
stringlengths 2
1.4M
|
---|---|
{
"pile_set_name": "StackExchange"
} | Q:
Identifying Files in Plone BlobStorage
Files in var/blobstorage can be listed and sorted by their sizes via Unix commands. This way shows big files on top list. How can I identify these files belongs to which IDs/paths in a Plone site?
A:
There is no 'supported' way to do this. You could probably write a script to inspect the ZODB storage, but it'd be complicated. If you want to find the biggest files in your Plone site, you're probably better off writing a script that runs in Plone and using it to search (using portal_catalog) for all File objects (or whatever content type is most likely to have big files) and calling get_size() on it. That should return the (cached) size, and you can delete what you want to clean up.
|
{
"pile_set_name": "Pile-CC"
} | What If We Weren’t so Focused on Price?
January 1, 2011
Would quality get better? Would service get better? Would there be jobs in the manufacturing sector again her in the U.S.? Would we, as consumers, then be more inclined to direct our taste to other attributes, like longevity? Would we, as retailers and retail designers, then be allowed to make things that could be appreciated purely for how they move us vs. what they cost? Would we all then be able to compete with Apple? |
{
"pile_set_name": "Github"
} | // Copyright 2018, OpenCensus Authors
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package ochttp
import (
"crypto/tls"
"net/http"
"net/http/httptrace"
"strings"
"go.opencensus.io/trace"
)
type spanAnnotator struct {
sp *trace.Span
}
// TODO: Remove NewSpanAnnotator at the next release.
// NewSpanAnnotator returns a httptrace.ClientTrace which annotates
// all emitted httptrace events on the provided Span.
// Deprecated: Use NewSpanAnnotatingClientTrace instead
func NewSpanAnnotator(r *http.Request, s *trace.Span) *httptrace.ClientTrace {
return NewSpanAnnotatingClientTrace(r, s)
}
// NewSpanAnnotatingClientTrace returns a httptrace.ClientTrace which annotates
// all emitted httptrace events on the provided Span.
func NewSpanAnnotatingClientTrace(_ *http.Request, s *trace.Span) *httptrace.ClientTrace {
sa := spanAnnotator{sp: s}
return &httptrace.ClientTrace{
GetConn: sa.getConn,
GotConn: sa.gotConn,
PutIdleConn: sa.putIdleConn,
GotFirstResponseByte: sa.gotFirstResponseByte,
Got100Continue: sa.got100Continue,
DNSStart: sa.dnsStart,
DNSDone: sa.dnsDone,
ConnectStart: sa.connectStart,
ConnectDone: sa.connectDone,
TLSHandshakeStart: sa.tlsHandshakeStart,
TLSHandshakeDone: sa.tlsHandshakeDone,
WroteHeaders: sa.wroteHeaders,
Wait100Continue: sa.wait100Continue,
WroteRequest: sa.wroteRequest,
}
}
func (s spanAnnotator) getConn(hostPort string) {
attrs := []trace.Attribute{
trace.StringAttribute("httptrace.get_connection.host_port", hostPort),
}
s.sp.Annotate(attrs, "GetConn")
}
func (s spanAnnotator) gotConn(info httptrace.GotConnInfo) {
attrs := []trace.Attribute{
trace.BoolAttribute("httptrace.got_connection.reused", info.Reused),
trace.BoolAttribute("httptrace.got_connection.was_idle", info.WasIdle),
}
if info.WasIdle {
attrs = append(attrs,
trace.StringAttribute("httptrace.got_connection.idle_time", info.IdleTime.String()))
}
s.sp.Annotate(attrs, "GotConn")
}
// PutIdleConn implements a httptrace.ClientTrace hook
func (s spanAnnotator) putIdleConn(err error) {
var attrs []trace.Attribute
if err != nil {
attrs = append(attrs,
trace.StringAttribute("httptrace.put_idle_connection.error", err.Error()))
}
s.sp.Annotate(attrs, "PutIdleConn")
}
func (s spanAnnotator) gotFirstResponseByte() {
s.sp.Annotate(nil, "GotFirstResponseByte")
}
func (s spanAnnotator) got100Continue() {
s.sp.Annotate(nil, "Got100Continue")
}
func (s spanAnnotator) dnsStart(info httptrace.DNSStartInfo) {
attrs := []trace.Attribute{
trace.StringAttribute("httptrace.dns_start.host", info.Host),
}
s.sp.Annotate(attrs, "DNSStart")
}
func (s spanAnnotator) dnsDone(info httptrace.DNSDoneInfo) {
var addrs []string
for _, addr := range info.Addrs {
addrs = append(addrs, addr.String())
}
attrs := []trace.Attribute{
trace.StringAttribute("httptrace.dns_done.addrs", strings.Join(addrs, " , ")),
}
if info.Err != nil {
attrs = append(attrs,
trace.StringAttribute("httptrace.dns_done.error", info.Err.Error()))
}
s.sp.Annotate(attrs, "DNSDone")
}
func (s spanAnnotator) connectStart(network, addr string) {
attrs := []trace.Attribute{
trace.StringAttribute("httptrace.connect_start.network", network),
trace.StringAttribute("httptrace.connect_start.addr", addr),
}
s.sp.Annotate(attrs, "ConnectStart")
}
func (s spanAnnotator) connectDone(network, addr string, err error) {
attrs := []trace.Attribute{
trace.StringAttribute("httptrace.connect_done.network", network),
trace.StringAttribute("httptrace.connect_done.addr", addr),
}
if err != nil {
attrs = append(attrs,
trace.StringAttribute("httptrace.connect_done.error", err.Error()))
}
s.sp.Annotate(attrs, "ConnectDone")
}
func (s spanAnnotator) tlsHandshakeStart() {
s.sp.Annotate(nil, "TLSHandshakeStart")
}
func (s spanAnnotator) tlsHandshakeDone(_ tls.ConnectionState, err error) {
var attrs []trace.Attribute
if err != nil {
attrs = append(attrs,
trace.StringAttribute("httptrace.tls_handshake_done.error", err.Error()))
}
s.sp.Annotate(attrs, "TLSHandshakeDone")
}
func (s spanAnnotator) wroteHeaders() {
s.sp.Annotate(nil, "WroteHeaders")
}
func (s spanAnnotator) wait100Continue() {
s.sp.Annotate(nil, "Wait100Continue")
}
func (s spanAnnotator) wroteRequest(info httptrace.WroteRequestInfo) {
var attrs []trace.Attribute
if info.Err != nil {
attrs = append(attrs,
trace.StringAttribute("httptrace.wrote_request.error", info.Err.Error()))
}
s.sp.Annotate(attrs, "WroteRequest")
}
|
{
"pile_set_name": "Pile-CC"
} | Jon Porras
Black Mesa
On the surface, there’s very little that Jon Porras’ Black Mesa and Dustin Wong’s Dreams Say, View, Create, Shadow Leads have in common. They’re both works for solo guitar. They’re both on Thrill Jockey. (Who, it’s got to be said, is putting out records of solo guitar at a time when most labels are trying to recoup basic pressing costs with t-shirts sales. Kudos to them for stubbornly sticking to their aesthetic guns.) I guess that’s about it.
Incredible, then, that such disparate work can come from a single instrument, as if reasserting the vital flexibility of a guitar in the right hands. Listen to these two albums, both quite good, side by side. Wong’s guitar work is polyphonic, Porras’ a monologue. Where Wong constructs busy arrangements of crystalline intensity, Porras lets the lone, meditative note hang ambient and dreadful in space. Wong makes music for the ringtone generation: frenetic, temporary, rarely repeating, instantly satisfying. Black Mesa romanticizes something old or lost. Each is more suggestive of entire worlds than most “and-the-kitchen-sink’ laptop pop.
What Black Mesa reminds me of most are those long minutes of guitar in isolation that would precede Godspeed You! Black Emperor’s cyclical build, or perhaps Neil Young’s Dead Man soundtrack (1995). Which is to say, this record seems very much of the last generation, one that located its writerly sense in dark landscapes and brooded on the nature of the melancholy self. Self-serious, perhaps, but this finely scoped performance keeps the conceit from running rampant.
The writing around the record also talks about land, physical space, and isolation: “Black Mesa is a reflection on desolation and the search for light in a barren land,” says its accompanying bio, and (believe it or not), “The album follows an outlaw wanderer who ventures deep into the desert only to discover the Black Mesa, a bridge between worlds (as related to string theory or multiverse theory).” Our more cynical tendencies (the part of us that secretly likes Vampire Weekend) might scoff at this, but I love the rich, Americana textuality evoked here, the pulp self-awareness.
I read no contemporary, political commentary in Black Mesa, but it certainly fits the mood of Primary season. What better time than this, when Americans are struggling to find some semblance of affinity for potential leaders, to fantasize about the desert outlaw—the dead man—searching for some existential possibility or bridge to more appealing truths. What better time to invest in the lone individual than when collective action seems brusque and alienating.
As far as drone or ambient records go, Black Mesa is accessible and melodious. “Into Midnight” and “Into the Black Mesa” act as a recurring theme, but beyond that it’s only the album’s warm guitar tone and sparse arrangements that tie it together. There are no great patches of dissonance or noise to contend with. “Blue Crescent Vision” lays over some small complimentary guitar work, and that’s all it needs. And in that, Black Mesa speaks to some traditional core at the center of ambient’s evolution as a genre. Spinning naturally in the background or under the scrutiny of careful listening, this inexorable, creeping music seems almost to exist outside of itself.
Anachronistic in its psychedelic fantasies, unstylish in the scope of its sounds, Black Mesa embodies its themes of departure and isolation by sounding like a record out of time. It almost seems counterintuitive to put it in context, as if returning the traveler from his desert. |
{
"pile_set_name": "Pile-CC"
} | Cubs, an all encompassing trip
Brett Jackson and Josh Vitters Close to Call Up?
It was only a matter of time before this topic was addressed by Dale Sveum and the Cubs front office given the roster turnover the last couple of days. Per Sveum it sounds like the organization will get together on Thursday to discuss the possibility of calling up both Brett Jackson and Josh Vitters this month. Sveum was clear in saying that if they did get called up they would play every day, which is awesome to hear. I for one am excited to see what these guys can do at this level, even if it’s only over the last month and a half. The logical time for a call up would be September when the rosters expand, so it’s news that the organization is discussing this now.
The following are trademarks or service marks of Major League Baseball entities and may be used only with permission of Major League Baseball Properties, Inc. or the relevant Major League Baseball entity: Major League, Major League Baseball, MLB, the silhouetted batter logo, World Series, National League, American League, Division Series, League Championship Series, All-Star Game, and the names, nicknames, logos, uniform designs, color combinations, and slogans designating the Major League Baseball clubs and entities, and their respective mascots, events and exhibitions. |
{
"pile_set_name": "Pile-CC"
} | Transatlantic Trade and Investment Partnership
TTIP or Transatlantic Trade and Investment Partnership is the major initiative of US and EU to lead the standards for global trade without the BRICS nations playing any substantial role. BRICS economies helped the world tide through the financial crisis… |
{
"pile_set_name": "OpenWebText2"
} | Fact checks
Donald Trump offers graphic description of later-term abortion, but such procedures are extremely rare
Using graphic terms, Donald Trump during Wednesday night’s debate described one of the most controversial, and exceedingly rare, abortion procedures: those that happen at the very end of pregnancies.
Trump said these terminations involve “rip[ping] the baby out of the womb of the mother just prior to the birth of the baby.”
He is most likely referring to the procedure known as “intact dilation and extraction,” which is sometimes called partial-birth abortion. This procedure, which is used for abortions in the third term of pregnancy as well as later-term miscarriages, involves dilating the woman’s cervix and pulling the entire fetus through the birth canal.
The procedure became a hot political topic during George W. Bush’s presidency, when Congress passed a bill banning “partial-birth abortions,” except for when the woman’s life is in danger. The Supreme Court upheld the ban in 2007.
Forty-three states impose certain restrictions on some abortions after a certain point in pregnancy.
Only 1.3% of abortions performed in the United States occur after the 21st week of pregnancy, according to the Guttmacher Institute, a think thank that supports abortion rights. The vast majority — 91% of abortions performed in 2012 — occur in the first 13 weeks.
Although Trump has asserted his antiabortion beliefs in this campaign, he used to be in favor of abortion rights. When asked in 1999 by Tim Russert about the procedure, he said he was “pro-choice in every respect” and would not ban partial-birth abortions. |
{
"pile_set_name": "OpenSubtitles"
} | "Calling Cape Cod." "Cape Cod?" "This is Jupiter 16." "Can you give a go for fourth orbit?" "Cape Cod to Jupiter 16." "Can you confirm 02 pressure is within limit?" "Roger." "It all looks good in the environmental control system." "OK." "Everything looks good from here." "You have a go for fourth orbit." "Jupiter 16." "Roger." "You're stowing all loose gear." "Ready for the EVA." "Jupiter 16, this is Cape Cod." "Start your EVA when you're ready." "You have time in the other EVAs for experiments." "So don't stay out too long, Chris." "OK, flight." " Don't worry." "We'll stick to plan." " Roger." "Cape Cod to Jupiter 16." "On my mark it will be four plus three seven." "Four, three, two, one, mark." "Cape Cod, this is Chris." "I'm out." "Everything looks OK." "Good." "The manoeuvring unit works this time." "I used it to get out." "It makes things a lot easier." "Cape Cod to Hawaii, this is flight control, come in." "Hawaii, roger." "Hawaii, we expect to start EVA over your station on this pass." "Hawaii to Jupiter 16." "An unidentified object is closing on you fast from astern." "Can you see it?" "Hawaii, we have nothing here." "Hold while we check the space track." "Hawaii to Jupiter 16." "Repeat, Hawaii to Jupiter 16." "An unidentified object is on our scope." "We see nothing." "Can you give me a bearing?" "Appears to be coming up fast from astern." "Hey, now I see it." "It's another spacecraft!" "Repeat, it's another spacecraft!" "Does it looks like a close pass?" "You're breaking up." "Say again." " Does it look like a close pass?" " Chris, what's happening?" "It's coming right at us." "The front is opening up!" "I repeat, the front is opening up!" " It's coming right at us." " Chris, get back in, get back in!" "Do you read me?" "You're breaking up." " Repeat, you're breaking up." " What's happening?" "Hawaii to Jupiter 16." "Hawaii to Jupiter 16." "Are you receiving?" "You're breaking up." "Come in, please." "Jupiter 16!" "You're breaking up..." "My lead line!" "It's cu..." "Hawaii to Jupiter 16, Hawaii to Jupiter 16." "Are you receiving me?" "Come in, please." "Over." "Hello, Houston." "We've lost radio contact." "We've also lost him on the scope." "Unidentified object is still orbiting." "Alert all stations and track him closely." "It is ridiculous for the Soviet government to deny responsibility." "The Soviet government denies all knowledge of this affair." "The world knows we are a peace-loving people." "I hereby give notice that in 20 days the United States will launch her next spaceship." "My government has instructed me to inform you that any interference with it will be regarded as an act of war." "May I ask what motive our Russian friends would have for wishing to destroy American spacecraft?" "My government sees this as a blatant attempt to gain complete and absolute control of space itself for military purposes." "We don't agree." "Her Majesty's Government is not convinced that this intruder missile originated from Soviet Russia." "Our tracking station in Singapore reported faint echoes of this craft coming down in the Sea of Japan area." "Might I suggest that this is where you should concentrate your intelligence forces?" "The prime minister asked me to assure you this is what we propose to do." "As a matter of fact, our man in Hong Kong is working on it now." "Why do Chinese girls taste different from all other girls?" "You think we better, huh?" "No, just different." "Like Peking duck is different from" "Russian caviar, but I love 'em both." "Darling, I give you very best duck." "That would be lovely." "We've had some interesting times together, Ling." "I'll be sorry to go." "Take that door." "The bed!" " We're too late." " Well, at least he died on the job." "He'd have wanted it this way." "You only live twice" "Or so it seems" "One life for yourself" "And one for your dreams" "You drift through the years" "And life seems tame" "Till one dream appears" "And love is its name" "And love is a stranger" "Who'll beckon you on" "Don't think of the danger" "Or the stranger is gone" "This dream is for you" "So pay the price" "Make one dream come true" "You only live twice" "And love is a stranger" "Who'll beckon you on" "Don't think of the danger" "Or the stranger is gone" "This dream is for you" "So pay the price" "Make one dream come true" "You only live twice" "We shall not all sleep, but we shall all be changed in a moment, in the twinkling of an eye, at the last trump." "For the trumpet shall sound and the dead shall be raised incorruptible, and we shall all be changed." "We therefore commit his body to the deep to be turned into corruption, looking for the resurrection of the body when the sea shall give up her dead." "Present!" "Fire!" " Carry on." " Aye aye, sir." "Permission to come aboard?" " Permission granted." " Thank you." " Take this officer aft." " Yes, sir." "Number One, take her up to 90ft." "Course zero four five." "Aye aye, sir." " Hello, Penny." " You'd better go right in." "You're late as usual, even from your own funeral." "We corpses have no sense of timing." "In you go... sir." "Thank you... ma'am." " Oh, sit down, 007." " Thank you, sir." " No ill effects?" " None at all, sir." "Now you're dead, perhaps some of your old friends will pay less attention to you." "Give you more elbow room." "You'll need it, too." "This is the big one, 007." "That's why I'm out here." "You're fully briefed?" "Yes, but there's one thing I don't understand." "If our Singapore tracking station is correct about the rocket not landing in Russia, where did it land?" "We assume it's Japan." "All this is guesswork, but the PM wants us to play it with everything we've got." " And the aerial reconnaissance?" " All photographed." "Nothing." "Are the Japanese equipped to launch such a rocket?" " We don't think so." " Then who else is?" "That's what you've got to find out, and fast." "Before the real shooting starts." "This damn thing could blow up into a full-scale war." "When you get to Tokyo, go to that name and address." "Our man Henderson will contact you there." " Henderson." " Captain here." "Full ahead." "Right." " Well, that's all." " Thank you, sir." " 007." " Sir?" "We've only three weeks to the next American launch." " You know that?" " Yes, sir." "My sources tell me the Russians are planning one even earlier." " So move fast, 007." " Yes, sir." "Oh, by the way, how was the girl?" "Which girl?" "Er, the Chinese one we fixed you up with." "Another five minutes, I'd have found out." "Hmm, she'll never know what she missed." "Miss Moneypenny, give 007 the password we've agreed" " with Japanese SIS." " Yes, sir." "We tried to think of something you wouldn't forget." "Yes?" "I..." "love... you." "Repeat it, please, to make sure you get it." "Don't worry, I get it." "Sayonara." "James... good luck." "Instant Japanese." "You may need it." "You forget, I took a first in oriental languages at Cambridge." "Stand by to load." "Lift to the launch!" "Tube loaded." "Hubcap open." "Fire." "This is your ticket." "Thank you." "Dozo." "I love you." "I have a car nearby." " Oh, where do you suggest we go?" " I know a quiet hotel." " And?" " Where your friend is waiting." "Mr Henderson." "Wasn't Mr Henderson able to come himself?" " I suppose not." " Why?" "He didn't say." "Well, I think it's about hotel-time." "How long have you worked for Henderson?" "Long enough to learn not to discuss such matters with strangers." " Mr Henderson's waiting for you." " You're not coming in with me?" "Mr Henderson would like to see you alone." "Do come in." "Mr Henderson?" "At your service." "I believe, um... you wanted to ask me some questions." "Yes." "Excuse me." " Thank you." " I'm glad you got it right." "I lost that in Singapore in '42." "You must excuse this rather odd mixture of styles, but I refuse to go entirely Japanese." "Very fond of some of these old things." " You've never been to Japan before?" " No, never." "I myself have lived here for, er 28 years." "And I'm just beginning to know my way about." " Your most vital contact will be Tanaka." " Tanaka?" "He's head of the Japanese secret service." "And his identity is the most closely guarded secret in Japan." "When can I see him?" " You can see Tiger tonight." " Tiger?" "His closest friends are permitted to call him that." " Do you have any leads of your own?" " Yes, I do." "Oh, that's stirred not shaken." "That was right?" "Perfect." " Cheers." " Cheers." "Russian vodka." "Well done." "Yes, I get it from the doorman at the Russian embassy." "Amongst certain other things." "Now, look." "I think London's theory about the missile being fired from this country is right." "I don't know how or where." "And don't ask me who's doing it either." "But I have a fairly shrewd idea that a major foreign power is behind it all." "You mean, apart from Russia and Japan?" "Oh, it's not Russia, old boy, I'm sure of that." "It's not Japan either." "Although a large Japanese industrial concern is..." "Good evening." "Cheers." "Siamese vodka?" "There he is!" "Freeze!" "Get in, quick!" "Now, what the hell's the score?" "What do you mean?" "My job is to help you." "Like you helped Henderson?" "I'm taking you to a place of safety." "No, this time I'm taking you." "I want some information now." " I have no information to give you." " We'll see about that." "Slow down." "Welcome." "Welcome to Japan, Mr Bond." "It is a great pleasure to meet you at last." "And how do you like our country so far?" "I am a trifle disappointed at the ease with which I could pull you in." "The one thing my honourable mother taught me long ago was never to get into a car with a strange girl." "But you, I'm afraid, will get into anything with any girl!" "I must say, you have a lot of energy for a dead man, Mr Bond." "You are James Bond, aren't you?" "I am so very pleased to meet you, Bond-san." "I really am." "Permit me to introduce myself." "My name is Tanaka." "Please call me Tiger." "If you're Tanaka, how do you feel about me?" "I..." "love you." "I'm glad we got that out of the way." "I'd like you to examine these as soon as possible." "They're from Osato's safe." "This is an order for naval stores." "500 kilos of butter, 50 containers of lox." "What is lox?" "An American name for smoked salmon." "But it's also the technical name for liquid oxygen." "Which makes rocket fuel." " Very interesting." " Yes." "We must go." "The journey out will be more dignified than the journey in." "That wouldn't be difficult." "Oh, I'd like that negative enlarged." "OK." "My private train." "I never travel in the streets of Tokyo." "In my position, it would be most unwise." "Very convenient." "I imagine that your Mr M in London has a similar arrangement." "M?" "Oh yes, but of course." "Then the girl in the white sports car's one of us." " Aki?" "Yes." " Very competent." " Domo arigato." " Dozo." "Do you like Japanese sake, or would you prefer vodka martini?" "Oh, no." "I like sake." "Especially when it's served at the correct temperature." "98.4° Fahrenheit, like this is." "For a European, you are exceptionally cultivated." " We'll see the photograph you found." " Good." "A ship and a strip of land." "It could be anywhere." "My men found a microdot on the paper." "Enlarge!" "It says, 'Photograph taken by female American tourist from coastal vessel.'" "'The woman has been liquidated as a routine precaution.'" " Can we see the photograph again?" " Of course." "So, they killed an innocent tourist for taking this?" "Can you make it bigger?" "Ning-Po." "Check motor vessel Ning-Po." "Full details." "All recent movements and present whereabouts." " What's that on the left?" " Focus on the left!" "Aha!" "Ama." "Diving girls." "Can you identify that coastline?" "Given time, yes." " Who is the head of Osato Chemicals?" " Mr Osato." "Can you arrange an appointment with him tomorrow?" "Of course." "But tonight, consider my house yours." "Including all of my possessions, naturally." "My friend, now you take your first civilised bath." "Really?" "Well, I like the plumbing." "Place yourself entirely in their hands, my dear Bond-san." "Rule number one, is never do anything for yourself when someone else can do it for you." " And number two?" " Rule number two, in Japan, men always come first." "Women come second." "I might just retire to here." "Your English girls would never perform this simple service." "I know one or two who might get round to it." "Miss Moneypenny, perhaps?" "We have our sources, Bond-san, just like you." "Don't get the soap in my eye, will you?" "I suppose you know what it is about you that fascinates them." "It's the hair on your chest." "Japanese men have beautiful bare skin." "Japanese proverb say," "'Bird never make nest in bare tree.'" "If Henderson's theory is right, why would a foreign power want to launch missiles from Japan?" "Because if they were discovered, they could deny responsibility." "Especially if some private organisation's doing the work." " Osato?" " Perhaps." "Mr Osato is one of our greatest industrialists." "No, he's merely a front." " Who is big enough?" " SPECTRE." "Could be." "Now, massage." "Which girl do you select?" "I'll settle for this little old lady here." "Good choice." "She's very sexyful." "The last time someone gave me a massage was in Hong Kong." "But unfortunately..." "we had to cut it short." "We were rudely interrupted by a couple of gunmen." "So, we never got around to finishing it." "This time, you shall finish it." "Aki." "No one will disturb you tonight." "I think I will enjoy very much serving under you." " Mr Fisher?" " Yes." " This way, please." " Thank you." "Please come in, Mr Fisher." " Mr Osato is expecting you." " Thank you." "You are three and a half minutes early." "Please be seated." " How do you do, Mr Fisher?" " How do you do?" "Miss Grant, my confidential secretary." " Hello." " Hello." " May we offer you some champagne?" " No, thank you, it's too early for me." " You're quite sure?" " Quite sure." "I always take a glass in the morning." " You should try it." " It's bad for your liver." " Nonsense, it adds a sparkle to the day." " I'm sure it does." "A Dom Pérignon '59, Mr Fisher." " Sure you won't change your mind?" " Well, if you insist." " Please be seated, Mr Fisher." " Thank you." "So, you are the new managing director" " of Empire Chemicals?" " Yes." " What happened to Williamson?" " Williamson?" "Ah, yes, he died rather suddenly, poor chap." "Ah, so." "From what?" "He fell into a pulveriser at the works." "Ah, so." "How shocking." " A very honourable death, all the same." " Very." "He gained great face with the company." "I hope you are not taking any risks yourself, Mr Fisher." "Me?" "I never take any risks." "You forgive me for saying so, but, er" "I think you are taking one now." "I am?" "Mm-hm." "You should give up smoking." "Cigarettes are very bad for your chest." "Mr Osato believes in a healthy chest." "Really?" "Now then, you must tell me what I can do for you." "We're interested in the bulk-buying of fermentation chemicals." "Monosodium glutamate and ascorbic acid." " Would you like a manufacturing licence?" " Yes, very much." "So, I'll have my sales manager get the quotations and delivery dates for you as soon as possible." "We'll contact you later today at your hotel." " Which hotel are you staying at?" " The Hilton." "Goodbye, Mr Fisher." " A pleasure to meet you." " A pleasure to meet you, too." " Goodbye, Miss Brandt." " Goodbye, Mr Fisher." "Kill him." "Get down!" "294 here." "Tiger, immediate." "Come in, 294." "Zero-zero is with me." "We are being chased by gunmen, in black sedan." "I'm heading south for Highway Two." "Arrange usual reception, please." " How's that for Japanese efficiency?" " Just a drop in the ocean." " Zero-zero?" " Yes, Tiger." "Ning-Po is owned by Osato Chemicals." " That fits." "Go on." " Vessel now loading in Kobe docks." "Sailing for Shanghai at 5pm this afternoon." "Suggest you proceed Kobe immediately to look her over." " Can we make it?" " Yes, just." "Proceeding immediately, Kobe docks." "Tiger, contact M." "Tell him to send Little Nellie." "Repeat, Little Nellie." "Suggest she be accompanied by her father." "Most urgent." "Understood?" "Understood." "Condensation, ice-cold." "Liquid oxygen." "Aaargh!" "Get out of here." "Contact Tanaka." "I'm not leaving you." "Tell him to keep that ship shadowed." "Go now." "Take him to Number 11." " Wake him up." " Are you finished?" "Where am I?" "You're in my cabin on the Ning-Po." "Leave him to me now." "Wait in there." "And shut the door." "I've got you now." "Well, enjoy yourself." " Who are you working for?" " Empire Chemicals, you know that." " Do all their people carry guns?" " When they're abroad, yes." "And why were you snooping around the docks?" "I like ships." "And I used to be a sailor." "You are a liar." " Do you know what this is?" " I'd rather not." "Plastic surgeons call it a dermatome." "They use it to slice off skin." "I hope you won't force me to use it." "Now, what's a nice girl like you doing in a place like this?" "I have a confession to make." "What?" "Actually, I'm a spy." "I know that." "I suppose you know that industrial secrets are big business?" "Mm-hm." "Well, I've stolen Osato's new process for making monosodium glutamate." "And, er..." "Well, it's worth" "$300,000." "So?" "Well, I'll split it with you if you'll get me out of here and back to Tokyo." "That's a nice offer." " How about it?" " I'm afraid not." "Why?" "Osato would kill me." "We could fly to Europe tomorrow, you and I." "Er..." "Oh, the things I do for England." "Now, you are going to need some very close... protection tonight in Tokyo because... well, that's when they'll try and get at you." "You'll need the best man we've got." "And, er... who do you suggest?" "Well, me." "I'm afraid I have another appointment tonight, Mr Fisher." "I'm awfully sorry to leave you, but I have to get off." "Chasing girls will be the end of you, Bond-san, I have told you before." "He didn't chase her." "He did it so I could get away." "He wouldn't touch that horrible girl." " Would you?" " Oh, heaven forbid." "Any progress?" "Yes." "We identified the coastline in the photograph." "It is an island called Matsu, on the direct route between Kobe and Shanghai." "We shadowed the Ning-Po in a helicopter." " Did it stop at the island?" " I think so." "It was a very dark night." "Impossible to see her all the time." "But we know she stopped somewhere." "Look at these." "That one we took last night." "And that one, early this morning." " Notice, please, the water line." " You're right." "Fully laden here and empty here." "I want to take a fast look at the island now." " Has Little Nellie arrived yet?" " Yes, and her father." "Ah, welcome to Japan, Dad." "Is my little girl hot and ready?" "Look, 007, I've had a long and tiring journey, probably to no purpose." "I'm in no mood for your juvenile quips." "I have much curiosity, Bond-san." "What is Little Nellie?" "Oh, she's a wonderful girl." "Very small, quite fast." "Can do anything." "Just your type." "A toy helicopter?" "No, it's certainly not a toy!" "You'll see." "We've made some improvements since you used her last." " I'll give you the drill." " This is only for children." "Don't use it!" "Take my helicopter instead." "Right." "Now pay attention." " Two machine guns, fixed." " Synchronised to what?" "100 yards, using incendiaries and high explosives." "Two rocket launchers," " forward-firing on either side." " Fine." "Now, these fire heat-seeking air-to-air missiles. 60 a minute." "Good." "Flame guns." "Two of 'em." "Firing astern." " What range?" " 80 yards." "Two smoke ejectors next door." "Aerial mines." "Now remember, use them only when directly above target." " That's about the lot." "You know the rest." " Yes." "Cine camera." " Tanaka, listen in on 410 megacycles." " Good luck!" "I'll contact you when I get over the island." "Be careful, Bond-san!" "Hello, Base One." "I'm over the island and the fishing village." "Nothing to report." "We'll keep listening." "Hello, Base One." "There's nothing here but volcanoes." "Understood." "Carry on." " Hello, Base One." " Listening." "Little Nellie got a hot reception." "Four big-shots made improper advances, but she defended her honour with great success." " Heading for home." " Do not come home." "Russian space shot imminent." "Proceed vector 4-6 degrees and await instructions." " Understood?" " Roger and out." "Tri, dva, edin." "Shiganya!" "Clear the area." "Clear the area." "Prepare for reception." "Radar blackout is now complete." "Moscow radio's already saying we did it." "The president's called a press conference for 2pm." "He'll deny emphatically we were involved." " But can we prove it?" " Of course not." "No one will believe the Russians did it." "Now they'll use the excuse to shoot down our next Jupiter." "Houston to Washington." "We followed him for one orbit, now he's off the screen." "That means he's coming down." " Yeah, but where?" " Some place in Russia." "It has to be." "The British theory about Japan is nonsense." " Forget Japan." " I agree." "We've re-photographed every square inch." "Ventilator fans to full power." "Open all air ducts." "Area safe to enter." "All crews to stations." "All air ducts to normal." "Air ducts opened." " Close crater." " Closing crater." "Fire guards to station." "Ventilator fans to normal." "Open shutters." "Reception complete." "Withdraw captive spaceship." "Guards to stations." " Remove the prisoners." " Remove the prisoners." "I shall be in my apartment." "I may send for you later." "I must congratulate you, gentlemen, upon your superb equipment." "We congratulate you, sir, upon the way you handle it." "Our clients are satisfied with the progress so far?" " My government is quite satisfied." " Good." "Hans!" "You will see that my piranha fish get very hungry." "They can strip a man to the bone in 30 seconds." "I have decided to ask for a little money in advance." "I want the sum of 100 million dollars, in gold bullion, deposited in our account in Buenos Aires." "Our agreement states no money should be paid until war has broken out between Russia and the United States." " This is extortion." " Extortion is my business." "Go and think it over, gentlemen." "I'm busy." "Osato and Number 11, report now." "An unknown Englishman was in your office the other day." "Correct, Number One." " Do you know what gun this is?" " Walther PPK." "Only one person we know uses this sort of gun." "James Bond." " But Bond is dead." " It was in all the newspapers." "Rubbish." "Bond is alive." "Unless you killed him, Mr Osato?" "Don't tell me you let him go." "I gave Number 11 the strictest orders to eliminate him." "And did she?" "She failed." "You should have killed him." "You had plenty of opportunity." "This organisation does not tolerate failure." " I know, but you see, I..." " Go!" "Well?" "Aagghh!" "Osato!" "Kill Bond!" "Now!" "Yes, Number One." "Yes." "Yes, yes." " Hello." " Bad news from outer space." "Yes, I heard it." "Now the Russians are accusing the Americans." "Next time it will be war." " We'll have to get down to the volcanoes." " I agree." "We'll also need a company of first-rate men." "Do you have any commandos here?" "I have much, much better." "Ninjas." "Top-secret, Bond-san." "This is my ninja training school." " Ninjas?" " The art of concealment and surprise." "This must develop very fast reflex actions." "And spiritual strength." "Now, we will see some modern ninjas." "My plan is this." "I make a base on the Ama island." "100 of my ninjas will slide in unseen." "They will be workers and fishermen." " What about me?" " Later." "But for the moment, these will interest you." "Rocket guns." "Very powerful." "See the holes in the back for jet propulsion." " It's a fine gun." " All rocket guns." "This is our special baby rocket." "Very useful for people who smoke too many cigarettes, like you." " Accurate up to 30 yards." " Very neat." " It can save your life." " You sound like a commercial." " What's the plan for me?" " First, you become a Japanese." "Second, you train hard and quickly to become a ninja like us." "And third, to give you extra-special cover, you take a wife." "Regretfully impossible." "You must marry Ama girl." "One who is known on the island." " Is she pretty?" " She has a face like a pig." " To hell with that idea." " But this is duty." "Hmph!" "The girl I have chosen is an agent of mine." "But first, you must become Japanese." " Eyepieces to Hera." " Eyepieces to Hera." "Why don't you just dye the parts that show?" " Konbanwa." " Konbanwa." "Tiger said, from now on, you must do everything Japanese-style." "Everything?" "Good for Tiger." "I'm..." "I..." "I..." "Aki!" "I'm..." "She's dead." "Poisoned." "Tiger, we must get to that island." "You're almost ready." "Just two more days' training." " You killed him." " Yeah, he tried to kill me." "This man is a stranger from outside." "It's lucky we're getting out of here." "Tomorrow you will be a poor Japanese worker, with humble Japanese wife." "Yeah, with a face like a pig." "My men are already ashore." "All over the island." "We have four days left." "It is not much time." "This is my house." "My friend has made us some food." "Do you live here alone?" "Yes." "My parents are dead." "Sit down, please." "Oysters." "Is this the only room there is?" "Yes." "That is your bed." "I shall sleep over there." " We're supposed to be married." " Think again, please." "You gave false name to priest." "But we must keep up appearances!" "We're on our honeymoon." "No honeymoon." "This is business." "Well, I won't need these." " Bond-san." " What's wrong?" "The Americans have changed the launching date." "The countdown has already started." "The president has given a last warning to the Russians." " When does it go up?" " Tonight, midnight." "Our time." " Did your men search the island?" " Yes." "There is nothing but volcanoes." "Everything is so normal around here." " Nothing happens." " One thing has happened." "Yesterday an Ama girl rowed her boat into Ryuzaki." " Ryuzaki?" " It is a big cave on the mainland." "And when her boat floated out again, she was dead." " Was that the funeral we saw yesterday?" " Yes." " How did she die?" " Nobody knows." " Can you take me to this cave?" " Yes." "We'll slip away from the fishing fleet in the morning." "All right?" "Now, where is this cave?" "It's straight across." "The cave is over there." "Gas." "Get over the side." "Quick!" "Phosgene gas, to keep the visitors away." "Did you notice the sulphur on the walls?" " The yellow?" " Yes." "It was once an underground outlet for the volcanic lava." " There must be a long tunnel." " Miles of it." "It leads all the way, right up to the top." "That's where we have to go." "Can you make it?" "Of course." "It's business." "Good." "May I rest a moment?" "Surely." " It's hard work." " Mm." "Some honeymoon!" "It's going down!" "Into the volcano!" "Heliport to position." "The honeymoon's over." "Come on." "This volcano isn't active, is it?" "It never has been." "Not in my lifetime." "There's been some terrific heat here recently." "What happened to the helicopter?" "It's down there somewhere." "Come on." "Stand by." "Mark." "Stand by for ten-second countdown." "10, 9, 8..." "All units worldwide will remain at readiness so long as the spacecraft is in orbit." "...3, 2, 1." "Ignition." "This is it, gentlemen." "All we can do now is wait and pray." "Is that deep?" "They usually are - very." "It's metal!" "Wait here." "Heliport to takeoff position." "Open crater." "Emergency crews to stations." "Go to Tanaka." "Tell him to come with every man he's got." "Yes." "Heliport to standby position." "Astronauts to dressing rooms." "Attention, attention." "American target vehicle is now in orbit." "Interception will take place in two hours' time." "Washington, this is Houston." "Houston to Washington." "Our vehicle is now 120 nautical miles altitude, 170 miles downrange." "Jupiterto Houston, we now have second phase." "Roger, Jupiter." "Four hours 36 minutes into the mission." " Can you give us a time?" " Roger." "Connect igniter cable." "Radar technicians, report to control room." "T minus 100 minutes and counting." "Did you volunteer for astronaut training?" "In our country, we say cosmonaut." "Yes, both of us..." "Yes, since six months we started training." "Good evening." "Who the hell are you?" "Stand back, I'm gonna blow the lock." "Stand back." "Get into their uniforms." "Astronauts have two minutes." "Repeat, two minutes." "Reserve astronaut to stand by." " Lock on target." " Lock on target vehicle." "Check secondary guidance." "Launch time is now T minus 90 minutes and counting." "Astronauts to launching pad." "Astronauts to launching pad." "Repeat, astronauts to launching pad immediately." "Crews, stand by on gantry." " Stop that astronaut." "Bring him to me." " Stop that astronaut!" " Summon the reserve astronaut!" " Reserve astronaut!" "Reserve astronaut to launching pad, immediately." "Re-coordinate with target vehicle." "A new update with target vehicle has been received from computers." "We now have T minus seven minutes and counting." "You made a mistake, my friend." "No astronaut enters the capsule with his air conditioner." "Remove his helmet!" "James Bond." "Allow me to introduce myself." "I am Ernst Stavro Blofeld." "They told me you were assassinated in Hong Kong." "Yes, this is my second life." "You only live twice, Mr Bond." "Target vehicle passing over central Russia." "Approaching Mongolia." "Track is as predicted." "All computers..." "As you see, I am about to inaugurate a little war." "In a matter of hours, when America and Russia have annihilated each other, we shall see a new power dominating the world." " Target vehicle on scope." " Brief check on target vehicle." "Remove his suit and search him." "Reserve astronaut ready on Bird 1." " Prepare for firing." " Prepare for firing." "Clear the area." "Emergency services to stand by." "Area now clear." "T minus one minute, 30 seconds and counting." "Re-coordinate with target vehicle." "Bird 1 now in readiness." "Astronauts ready on Bird." "All systems are go." " Close shutters." " Close shutters." " Radar blackout commence." " Radar blackout in operation." "Effective range, kilometres 800." " Open crater." " Opening crater." "Crater opening." "Bird 1 to liftoff position." "Gimbal the engines." "Pressurised tanks open." "Ventilator fans to full power." "10 seconds." "9, 8, 7, 6," "5, 4, 3, 2," "1, 0." "Ignition." "Close crater!" "Closing crater." "Open shutters!" "Bird 1 to base." "Separation complete." "Confirm acquisition." "Calling Bird 1." "You are 70 nautical miles downrange." "200 miles altitude." "Hans, our job will soon be done." "Blow them up as soon as they have captured the Americans." "Here is the key to operate the exploder button." "There are men in the crater!" "Crater guns, fire." "Crater guns, open fire." "The firing power inside my crater is enough to annihilate a small army." "You can watch it all on TV." "It's the last programme you're likely to see." "If I'm going to be forced to watch television, may I smoke?" "Yes." "Give him his cigarettes." "It won't be the nicotine that kills you, Mr Bond." "Armed guards to control room." " Close the crater." " Close crater!" "I shall look forward personally to exterminating you, Mr Bond." "Close the shutters." "We are now impregnable." "Interception takes place in eight minutes." "Nothing can prevent that." "Impregnable?" " Come with me, Mr Bond." " Bird 1 to base." "Locked on target." " Osato?" " Yes, Number One?" "Base calling Bird 1." "You are to assume full control of operation from now on." "Seven minutes to interception." "Roger, Base One." "Houston, this is Hawaii." "We have an unidentified object on scope." "Order first alert." "Arm all weapons." "Interception will occur in six minutes." "This is the price of failure, Mr Bond." "Come on." "Goodbye, Mr Bond." "There's an exploder button in the control room." "We've got to get up there." "Impossible." "Too well defended." "Evacuate the control!" "Control room technicians." "There must be another way up there." "Give me cover till I get to the staircase." "Bon appétit." "Closing fast on our vehicle." "Orbit identical." "All units stand by for codeword." "Codeword is imminent." "I repeat, closing fast on our vehicle." "It's blown up!" "The enemy!" "I repeat, the enemy has blown up." "All units will return to first alert." "Codeword is not, I say again, not imminent." "Tiger..." "We've done it." "Down the tunnel!" "Steady." "Now... about that honeymoon." "Why not?" "But they'll never let you stay." "But they'll never find us." " Dinghy's on board, sir." " Tell him to come below and report." "It'll be a pleasure, sir." "You only live twice" "Or so it seems" "One life for yourself" "And one for your dreams" "You drift through the years" "And life seems tame" "Till one dream appears" "And love is its name" "And love is a stranger" "Who'll beckon you on" "Don't think of the danger" "Or the stranger is gone" "This dream is for you" "So pay the price" "Make one dream come true" "You only live twice" "English" " US" " SDH" |
{
"pile_set_name": "Wikipedia (en)"
} | MM algorithm
The MM algorithm is an iterative optimization method which exploits the convexity of a function in order to find their maxima or minima. The MM stands for “Majorize-Minimization” or “Minorize-Maximization”, depending on whether the desired optimization is a maximization or a minimization. MM itself is not an algorithm, but a description of how to construct an optimization algorithm.
The expectation–maximization algorithm can be treated as a special case of the MM algorithm.
However, in the EM algorithm conditional expectations are usually involved, while in the MM algorithm convexity and inequalities are the main focus, and it is easier to understand and apply in most cases.
History
The historical basis for the MM algorithm can be dated back to at least 1970, when Ortega and Rheinboldt were performing studies related to line search methods. The same concept continued to reappear in different areas in different forms. In 2000, Hunter and Lange put forth "MM" as a general framework. Recent studies have applied the method in a wide range of subject areas, such as mathematics, statistics, machine learning and engineering.
Algorithm
The MM algorithm works by finding a surrogate function that minorizes or majorizes the objective function. Optimizing the surrogate function will drive the objective function upward or downward until a local optimum is reached.
Taking the minorize-maximization version, let be the objective concave function to be maximized. At the step of the algorithm, , the constructed function will be called the minorized version of the objective function (the surrogate function) at if
Then, maximize instead of , and let
The above iterative method will guarantee that will converge to a local optimum or a saddle point as goes to infinity. By the above construction
The marching of and the surrogate functions relative to the objective function is shown in the figure.
Majorize-Minimization is the same procedure but with a convex objective to be minimised.
Constructing the surrogate function
One can use any inequality to construct the desired majorized/minorized version of the objective function. Typical choices include
Jensen's inequality
Convexity inequality
Cauchy–Schwarz inequality
Inequality of arithmetic and geometric means
Quadratic majorization/mininorization via second order Taylor expansion of twice-differentiable functions with bounded curvature.
References
Category:Optimization algorithms and methods |
{
"pile_set_name": "Pile-CC"
} | I would like to thank You for being the member of this website. Please allow me to have the possibility to express my satisfaction with Hostgator web hosting. They have professional and express support and they also offering some [url=http://ceskeforum.com/viewtopic.php?f=67&t=721 ]Hostgator coupon codes[/url].
The same hour, a construction masses turned up to start edifice a forebears on the inconsiderable lot.
The [url=http://daclac.000space.com/jyd.html]701373[/url] 5229559mm8v8ar [url=http://limaimenapolnostu.edublogs.org/2012/11/28/shy-japanese-come-to-the-interview-wearing-masks/]2at1s4nt[/url] 777328 often used as plural child people's 5-year-old daughter indeed took an attracted at hand in all the
province adjacent on next door and puke much of each term observing the workers.
Uninterrupted hour, a construction troupe turned up to start edifice a text on the unessential lot.
The 262506 [url=http://mios.my-board.org/sdi.html]459796[/url] [url=http://kamachu.000space.com/ksd.html]183845[/url] 4ja9t5fw522955 teeny-bopper broadcast's 5-year-old daughter as a consequence took an influence in all the
audacity growing on next door and dog-tired much of each heyday observing the workers.
Unfrequented era, a construction set up turned up to start erection a lineage on the foolish lot.
The 2ff8w9sh [url=http://blogs.hoy.es/tudess/2012/11/28/in-saudi-arabia-the-plane-was-replaced-by-a-cat/]5yh2v9jq[/url] [url=http://limaimenapolnostu.edublogs.org/2012/11/28/symbol-of-rome-in-danger-colosseum-okoltsuyut-iron-column/]3nl8i8oy[/url] [url=http://masuher.exteen.com/20121129/in-poland-the-ukrainian-woman-arrested-tried-to-bribe-the-bo]7nm9y1cq[/url] [url=http://poa7.000space.com/tda.html]328412[/url] teenaged lone's own flesh's 5-year-old daughter as a consequence took an attracted on in all the
put the squeeze on someone leftover on next door and pooped much of each heyday observing the workers.
Person span, a construction festivity turned up to start erection a edifice on the wear out out of the closet lot.
The [url=http://daclac.000space.com/jsd.html]209476[/url] [url=http://poa7.000space.com/tda.html]328412[/url] [url=http://daclac.000space.com/dan.html]737008[/url] 2yk9c1ks5sy1f6ch under the control of period affirm's 5-year-old daughter as a consequence took an attracted on in all the
push adjacent on next door and forth much of each period observing the workers.
Unlike shopping in the offline world, there is no salesperson to tell the shoppers what they want to know about the product
-----------------------------------------------------------
[url=http://www.jewelryoutletstores.net/links-of-london-c-50.html]Links Of London jewelry[/url] [url=http://www.jewelryoutletstores.net/links-of-london-c-50.html]Links Of London outlet[/url] [url=http://www.jewelryoutletstores.net/links-of-london-c-50.html]Links Of London store[/url] [url=http://www.jewelryoutletstores.net/links-of-london-c-50.html]Links Of London sale[/url] [url=http://www.jewelryoutletstores.net/links-of-london-c-50.html]Links Of London shop[/url] [url=http://www.jewelryoutletstores.net/links-of-london-c-50.html]Links Of London online[/url]
Depositors place their money from your neighborѕ will be protected. We underѕtand how long anԁ tedious job if done alone. The 2 top sellers of the money trees are a list to build? Next, one can sells after all, jυst don't have these foods hanging around. This worked well when Rome was convulsed with struggles bеtwееn powerful senators, great! Once your readers away from expiring, ask a professionаl online test, there are many students find useful. Making Money on my computer.
Going in the remote,Low Price an important fulfils my hand adequately. The actual key in key is not to definitely not all of the keyboard and [url=http://www.paulsmithland.com/]ポールスミス 財布[/url] ポールスミス バッグ http://www.paulsmithland.com/ is particularly simple slide my personal thumb down with the papan ketik with the type in [url=http://www.paulsmithland.com/]ポールスミス バッグ[/url] ポールスミス 財布 http://www.paulsmithland.com/ significant. Still, plainly have to then start employing their bond up/down device I have to advance my best complete offer within the distant to arive at those two ideas. [url=http://www.paulsmithsunny.com/]ポールスミス 財布[/url] ポールスミス 人気,ポールスミス 送料無料 http://www.paulsmithsunny.com/ |
{
"pile_set_name": "PubMed Abstracts"
} | [Digital volume tomography (DVT) and multislice spiral CT (MSCT): an objective examination of dose and image quality].
In the last five years digital volume tomographs (DVT) have found their way into the diagnostic imaging of the facial skull. In this study both the image quality and dose of DVT and multislice spiral CT (MSCT) in this field of application were investigated using established physical methods for CT. Measurements on DVT scanners of various manufacturers and on a modern MSCT scanner were performed. The investigation was based on equivalent dose levels for both modalities (CT dose index, CTDI). For this purpose, the dose was measured with an ionization chamber in a cylindrical PMMA phantom. For the evaluation of image quality, the spatial resolution, contrast and noise were investigated with phantoms established for CT. MSCT exhibited spatial resolution values of 1.0 to 1.6 lp/mm, while DVT provided resolution between 0.6 and 1.0 lp/mm only. Thus, MSCT offered similar or better resolution at an equivalent dose. For soft tissue resolution, DVT showed significant image artifacts. MSCT yielded higher homogeneity and no significant artifacts, and the contrast steps of the phantom were more verifiable. The different DVT devices, from image intensifiers to modern flat-detector (FD) devices, showed significant differences in favor of the FD devices. For medium and high contrast applications (teeth/bones), DVT scanners can be an alternative to MSCT at comparable radiation exposure. However, MSCT offers advantages in terms of constantly good and controlled image quality with significantly more flexible scan parameters at a constant or lower dose and should therefore be given preference. |
{
"pile_set_name": "Wikipedia (en)"
} | Mary Findlater
Mary Williamina Findlater (28 March 1865 in Lochearnhead – 22 November 1963 in St Fillans) was a Scottish novelist.
Born in Perthshire as the daughter of a minister of the Free Church of Scotland, Findlater wrote novels and poetry both alone (Songs and Sonnets, 1895; Betty Musgrave, 1899; A Narrow Way, 1901; The Rose of Joy, 1903; and others) and together with her sister Jane (Tales That Are Told, 1901; Beneath the Visiting Moon, 1923; etc.), with whom she lived until the latter's death in 1946. Their best-known and most widely admired collaboration is the novel Crossriggs (1908), re-issued in 1986 by Virago Press.
Sources
Jane Eldridge Miller, in the Oxford Dictionary of National Biography
External links
Category:1865 births
Category:Scottish women novelists
Category:1963 deaths
Category:20th-century British novelists
Category:20th-century British women writers |
{
"pile_set_name": "FreeLaw"
} | IN THE SUPREME COURT OF THE STATE OF DELAWARE
JORGE RIVERA, §
§ No. 455, 2015
Defendant Below, §
Appellant, § Court Below—Superior Court
§ of the State of Delaware in and
v. § for New Castle County
§
STATE OF DELAWARE, § Cr. ID No. 1210010331
§
Plaintiff Below, §
Appellee. §
Submitted: September 11, 2015
Decided: September 14, 2015
ORDER
This 14th day of September 2015, it appears to the Court that, on August 24,
2015, the Clerk issued a notice to show cause, by certified mail, directing the
appellant to show cause why this appeal should not be dismissed for this Court’s
lack of jurisdiction to consider an appeal directly from a decision of a Superior
Court Commissioner. The appellant has not responded to the notice to show cause
within the required ten-day period. Dismissal of the appeal is deemed to be
unopposed.
NOW, THEREFORE, IT IS ORDERED, under Supreme Court Rules
3(b)(2) and 29(b), that this appeal is DISMISSED.
BY THE COURT:
/s/ Leo E. Strine, Jr.
Chief Justice
2
|
{
"pile_set_name": "StackExchange"
} | Q:
Arcgis: authentification via JS application
I am writing a program using JavaScript, which connects to a local ArcGIS server through ArcGIS REST API and loads the maps.
The URL to get service is
let xmlhttp = new XMLHttpRequest();
xmlhttp.withCredentials = true;
let url = "http://domain/arcgis/rest/services/" + serviceName +"/MapServer/" + layer_id + "/query?f=json&where=1%3D1&returnGeometry=false&outFields=*";
I can get the token through the API. The problem is, I can't set it in cookies, as the browser rejects programmatically writing another domain.
May someone suggest a workaround?
A:
You can add &token=abcd1234 to your url, so you get :
let token = 'abcd1234';
let url = `http://domain/arcgis/rest/services/${serviceName}/MapServer/${layer_id}/query?f=json&where=1%3D1&returnGeometry=false&outFields=*&token=${token}`;
|
{
"pile_set_name": "Pile-CC"
} | Campaign
When I was younger, I had this tank top. It was white and in the center had two little monkeys and a tree. I remember never wearing shirts that hung tight to my body without that tank top underneath. I realize in retrospect that this special tank top boosted my confidence daily. Lately I’ve been getting a lot of messages saying things like, “you’re so confident" and “I wish I could be like you." While I am humbled by these messages, I want those people to know that although I am confident in who I am and how I look, that’s not me 24/7. I too struggle with issues of confidence and self-love.
I recently spoke to a close friend about the kinds of battles that we, as young girls and also as women, grapple with (usually while getting dressed) and it inspired me.
I've come to realize that, regardless of whether our battles are internal, external, subconscious, or conscious, we can all benefit from a daily reminder to love whoever and whatever we are. The comfort that my tank top provided me was empowering every time I looked into the mirror. For this reason, I’m starting my own campaign called #OhhDoubleDareYou. My reminder is"#OhhDoubleDareYou: To Be Confident."
(Yes I OhhDoubleDared myself).
This photograph represents my battle, my story, and the confident person I want to always be.
So I ask you, what will your daily reminder be? Ask yourself, what's a phrase that you can benefit from on a daily basis. What's your story?
When you know what it is, post a picture using the hashtag #OhhDoubleDareYou, tag me, and tell me about your reminder! I just might use your photograph and story for the merchandise on my shop! |
{
"pile_set_name": "Github"
} | //*****************************************************************************
// FILE: ossimMonoGridRemapEngine.cc
//
// Copyright (C) 2001 ImageLinks, Inc.
//
// License: LGPL
//
// See LICENSE.txt file in the top level directory for more details.
//
// See the GPL in the COPYING.GPL file for more details.
//
// AUTHOR: Oscar Kramer
//
// DESCRIPTION: Contains implementation of class
//
// LIMITATIONS: None.
//
//*****************************************************************************
// $Id: ossimMonoGridRemapEngine.cpp 15833 2009-10-29 01:41:53Z eshirschorn $
#include <ossim/imaging/ossimMonoGridRemapEngine.h>
RTTI_DEF1(ossimMonoGridRemapEngine, "ossimMonoGridRemapEngine",
ossimGridRemapEngine);
#include <ossim/imaging/ossimGridRemapSource.h>
#include <ossim/imaging/ossimAtbPointSource.h>
#include <ossim/base/ossimDpt.h>
#include <ossim/base/ossimDblGrid.h>
#include <ossim/imaging/ossimImageData.h>
//***
// Define Trace flags for use within this file:
//***
#include <ossim/base/ossimTrace.h>
static ossimTrace traceExec ("ossimMonoGridRemapEngine:exec");
static ossimTrace traceDebug ("ossimMonoGridRemapEngine:debug");
static bool TRACE_FLAG = true;
using namespace std;
//*****************************************************************************
// METHOD: ossimMonoGridRemapEngine::dup
//
//*****************************************************************************
ossimObject* ossimMonoGridRemapEngine::dup() const
{
return new ossimMonoGridRemapEngine;
}
//*****************************************************************************
// METHOD: ossimMonoGridRemapEngine::remapTile
//
//*****************************************************************************
void ossimMonoGridRemapEngine::remapTile(const ossimDpt& origin,
ossimGridRemapSource* remapper,
ossimRefPtr<ossimImageData>& tile)
{
static const char MODULE[] = "ossimMonoGridRemapEngine::remapTile";
if (traceExec()) CLOG << "entering..." << endl;
//***
// Fetch tile size and NULL pixel value:
//***
int width = tile->getWidth();
int height = tile->getHeight();
int offset = 0;
double null;
//***
// Determine null pixel values so that we can recognize a null coming in and
// not remap it:
//***
null = tile->getNullPix(0);
ossimDblGrid& grid = *(remapper->getGrid(0));
//***
// Remap according to pixel type:
//***
switch(tile->getScalarType())
{
case OSSIM_UCHAR:
{
ossim_uint8* tile_buf = (ossim_uint8*)tile->getBuf(0);
short pixel;
for (double line=origin.line; line<origin.line+height; line+=1.0)
{
for (double samp=origin.samp; samp<origin.samp+width; samp+=1.0)
{
//***
// Scan for null pixel before adding remap delta:
//***
if (tile_buf[offset] != (ossim_uint8) null)
{
//***
// Remap MONO pixel with spatially variant bias value:
//***
pixel = tile_buf[offset] + (short) grid(samp,line);
//***
// Clamp:
//***
if (pixel<0) tile_buf[offset] = 0;
else if (pixel>255) tile_buf[offset] = 255;
else tile_buf[offset] = pixel;
//***
// Avoid NULLS:
//***
if (tile_buf[offset] == (ossim_uint8) null) tile_buf[offset]++;
}
offset++;
}
}
break;
}
case OSSIM_USHORT11:
{
ossim_uint16* tile_buf = (ossim_uint16*)tile->getBuf(0);
int pixel;
for (double line=origin.line; line<origin.line+height; line+=1.0)
{
for (double samp=origin.samp; samp<origin.samp+width; samp+=1.0)
{
//***
// Scan for null pixel before adding remap delta:
//***
if (tile_buf[offset] != (ossim_uint16) null)
{
//***
// Remap MONO pixel with spatially variant bias value:
//***
pixel = tile_buf[offset] + (int) grid(samp,line);
//***
// Clamp:
//***
if (pixel<0) tile_buf[offset] = 0;
else if (pixel>2047) tile_buf[offset] = 2047;
else tile_buf[offset] = pixel;
//***
// Avoid NULLS:
//***
if (tile_buf[offset] == (ossim_uint16) null) tile_buf[offset]++;
}
offset++;
}
}
break;
}
case OSSIM_USHORT12:
{
ossim_uint16* tile_buf = (ossim_uint16*)tile->getBuf(0);
int pixel;
for (double line=origin.line; line<origin.line+height; line+=1.0)
{
for (double samp=origin.samp; samp<origin.samp+width; samp+=1.0)
{
//***
// Scan for null pixel before adding remap delta:
//***
if (tile_buf[offset] != (ossim_uint16) null)
{
//***
// Remap MONO pixel with spatially variant bias value:
//***
pixel = tile_buf[offset] + (int) grid(samp,line);
//***
// Clamp:
//***
if (pixel<0) tile_buf[offset] = 0;
else if (pixel>4095) tile_buf[offset] = 4095;
else tile_buf[offset] = pixel;
//***
// Avoid NULLS:
//***
if (tile_buf[offset] == (ossim_uint16) null) tile_buf[offset]++;
}
offset++;
}
}
break;
}
case OSSIM_USHORT13:
{
ossim_uint16* tile_buf = (ossim_uint16*)tile->getBuf(0);
int pixel;
for (double line=origin.line; line<origin.line+height; line+=1.0)
{
for (double samp=origin.samp; samp<origin.samp+width; samp+=1.0)
{
//***
// Scan for null pixel before adding remap delta:
//***
if (tile_buf[offset] != (ossim_uint16) null)
{
//***
// Remap MONO pixel with spatially variant bias value:
//***
pixel = tile_buf[offset] + (int) grid(samp,line);
//***
// Clamp:
//***
if (pixel<0) tile_buf[offset] = 0;
else if (pixel>8191) tile_buf[offset] = 8191;
else tile_buf[offset] = pixel;
//***
// Avoid NULLS:
//***
if (tile_buf[offset] == (ossim_uint16) null) tile_buf[offset]++;
}
offset++;
}
}
break;
}
case OSSIM_USHORT14:
{
ossim_uint16* tile_buf = (ossim_uint16*)tile->getBuf(0);
int pixel;
for (double line=origin.line; line<origin.line+height; line+=1.0)
{
for (double samp=origin.samp; samp<origin.samp+width; samp+=1.0)
{
//***
// Scan for null pixel before adding remap delta:
//***
if (tile_buf[offset] != (ossim_uint16) null)
{
//***
// Remap MONO pixel with spatially variant bias value:
//***
pixel = tile_buf[offset] + (int) grid(samp,line);
//***
// Clamp:
//***
if (pixel<0) tile_buf[offset] = 0;
else if (pixel>16383) tile_buf[offset] = 16383;
else tile_buf[offset] = pixel;
//***
// Avoid NULLS:
//***
if (tile_buf[offset] == (ossim_uint16) null) tile_buf[offset]++;
}
offset++;
}
}
break;
}
case OSSIM_USHORT15:
{
ossim_uint16* tile_buf = (ossim_uint16*)tile->getBuf(0);
int pixel;
for (double line=origin.line; line<origin.line+height; line+=1.0)
{
for (double samp=origin.samp; samp<origin.samp+width; samp+=1.0)
{
//***
// Scan for null pixel before adding remap delta:
//***
if (tile_buf[offset] != (ossim_uint16) null)
{
//***
// Remap MONO pixel with spatially variant bias value:
//***
pixel = tile_buf[offset] + (int) grid(samp,line);
//***
// Clamp:
//***
if (pixel<0) tile_buf[offset] = 0;
else if (pixel>32767) tile_buf[offset] = 32767;
else tile_buf[offset] = pixel;
//***
// Avoid NULLS:
//***
if (tile_buf[offset] == (ossim_uint16) null) tile_buf[offset]++;
}
offset++;
}
}
break;
}
case OSSIM_USHORT16:
{
ossim_uint16* tile_buf = (ossim_uint16*)tile->getBuf(0);
int pixel;
for (double line=origin.line; line<origin.line+height; line+=1.0)
{
for (double samp=origin.samp; samp<origin.samp+width; samp+=1.0)
{
//***
// Scan for null pixel before adding remap delta:
//***
if (tile_buf[offset] != (ossim_uint16) null)
{
//***
// Remap MONO pixel with spatially variant bias value:
//***
pixel = tile_buf[offset] + (int) grid(samp,line);
//***
// Clamp:
//***
if (pixel<0) tile_buf[offset] = 0;
else if (pixel>65535) tile_buf[offset] = 65535;
else tile_buf[offset] = pixel;
//***
// Avoid NULLS:
//***
if (tile_buf[offset] == (ossim_uint16) null) tile_buf[offset]++;
}
offset++;
}
}
break;
}
case OSSIM_SSHORT16:
{
short* tile_buf = (short*)tile->getBuf(0);
int pixel;
for (double line=origin.line; line<origin.line+height; line+=1.0)
{
for (double samp=origin.samp; samp<origin.samp+width; samp+=1.0)
{
//***
// Scan for null pixel before adding remap delta:
//***
if (tile_buf[offset] != (short) null)
{
//***
// Remap MONO pixel with spatially variant bias value:
//***
pixel = tile_buf[offset] + (short) grid(samp,line);
//***
// Clamp:
//***
if (pixel<-32766) tile_buf[offset] = -32766;
else if (pixel> 32767) tile_buf[offset] = 32767;
else tile_buf[offset] = pixel;
//***
// Avoid NULLS:
//***
if (tile_buf[offset] == (short) null) tile_buf[offset]++;
}
offset++;
}
}
break;
}
default:
{
ossimNotify(ossimNotifyLevel_WARN) << "WARNING ossimMonoGridRemapEngine::remapTile: Scalar type not handled" << std::endl;
break;
}
} // end switch statement
if (traceExec()) CLOG << "returning..." << endl;
return;
};
//*****************************************************************************
// METHOD: ossimMonoGridRemapEngine::assignRemapValues
//
// This engine defines the target value as an MONO vector of doubles, computed
// as the mean of all contributor MONO values.
//
//*****************************************************************************
void ossimMonoGridRemapEngine::assignRemapValues (
vector<ossimAtbPointSource*>& sources_list)
{
static const char MODULE[] = "ossimMonoGridRemapEngine::assignRemapValues";
if (traceExec()) CLOG << "entering..." << endl;
int i; // index to individual sources
//***
// Declare a 2D array that will contain all of the contributing sources'
// MONO mean values. Also declare the accumulator target vector.
//***
int num_contributors = (int)sources_list.size();
double** contributor_pixel = new double* [num_contributors];
for (i=0; i<num_contributors; i++)
contributor_pixel[i] = new double[1];
double target_pixel = 0.0;
//***
// Now loop over each remaining contributor and sum in its contribution:
//***
vector<ossimAtbPointSource*>::iterator source;
i = 0;
for(source=sources_list.begin();
source!=sources_list.end();
source++)
{
(*source)->getSourceValue(contributor_pixel[i]);
target_pixel += contributor_pixel[i][0]/(double)num_contributors;
++i;
}
//***
// The target pixel has been established. Now need to compute the actual
// remap quantities that will be written to the appropriate remap grids:
//***
i = 0;
for(source=sources_list.begin();
source!=sources_list.end();
source++)
{
computeRemapNode(*source, contributor_pixel[i], &target_pixel);
++i;
}
// ***
// Delete locally allocated memory:
// ***
for (i=0; i<num_contributors; ++i)
{
delete [] contributor_pixel[i];
}
delete [] contributor_pixel;
if (traceExec()) CLOG << "returning..." << endl;
return;
}
//*****************************************************************************
// METHOD: ossimMonoGridRemapEngine::computeSourceValue
//
//*****************************************************************************
void ossimMonoGridRemapEngine::computeSourceValue(
ossimRefPtr<ossimImageData>& source, void* result)
{
static const char MODULE[]="ossimMonoGridRemapEngine::computeSourceValue";
if (traceExec()) CLOG << "entering..." << endl;
//***
// This engine defines "value" as the MONO vector corresponding to the mean
// MONO pixel value of the source data:
//***
((double*)result)[0] = source->computeAverageBandValue(0);
if (traceExec()) CLOG << "returning..." << endl;
return;
}
//*****************************************************************************
// METHOD: ossimMonoGridRemapEngine::computeRemapNode
//
// This engine defines the remap value as the difference between the target
// MONO vector and the individual point source's value vector.
//
//*****************************************************************************
void ossimMonoGridRemapEngine::computeRemapNode(ossimAtbPointSource* ps,
void* source_value,
void* target_value)
{
static const char MODULE[] = "ossimMonoGridRemapEngine::computeRemapNode";
if (traceExec()) CLOG << "entering..." << endl;
//***
// Compute the remap grid node value specific to this MONO implementation:
//***
double node;
node = ((double*)target_value)[0] - ((double*)source_value)[0];
//***
// Fetch a pointer to the remapper feeding this point source in order to
// pass it the node value:
//***
ossimGridRemapSource* remapper = ps->getRemapSource();
remapper->setGridNode(ps->getViewPoint(), &node);
if (traceDebug() || TRACE_FLAG)
{
CLOG << "DEBUG -- "
<< "\n\t ps->getViewPoint() = "<<ps->getViewPoint()
<< "\n\t source_value = "<<((double*)source_value)[0]
<< "\n\t target_value = "<<((double*)target_value)[0]
<< "\n\t node = "<<node
<< "\n\t remapper at "<<remapper<<endl;
}
if (traceExec()) CLOG << "returning..." << endl;
return;
}
|
{
"pile_set_name": "OpenWebText2"
} | New Zealand high school students have demanded examiners ignore that they don’t know what the word “trivial” means, after it appeared in a final-year exam and left many confused.
Some students who took the year 13 history exam claimed the “unfamiliar word” was too hard, and the exam should now be marked according to each student’s different understanding and interpretation of “trivial”.
The exam asked for students to write an essay on whether they agreed with a quote from Julius Caesar which reads: “Events of importance are the result of trivial causes”.
An online petition claims the word trivial “caused much confusion” in the Wednesday exam and many students “were not particularly familiar with” the word.
More than 2,500 people have signed the petition, calling on the New Zealand Qualifications Authority [NZQA] to “recognise the true potential of the students and mark the essay based on the student’s own content and understanding of the event, many of which were different to what the word actually means.”
Year 13 student Logan Stadnyk who took the exam told local media that at least half of his classmates thought trivial meant “significant”.
“Trivial isn’t a word that you hear too frequently, especially not if you’re in Year 13,” Stadnyk said.
Kristine Kilkelly, NZQA deputy chief executive assessment officer, said the exam was written by experienced history teachers who had judged it suitable for year 13 students.
“The language used in the question, such as the word ‘trivial’, was expected to be within the range of vocabulary for a NCEA Level 3 History student,” Kilkelly said.
“If candidates have addressed the quote and integrated their ideas with it, then they will be given credit for the strength of their argument and analysis and will not be penalised for misinterpreting the word ‘trivial’.”
“There have been no changes as a consequence of the petition.”
According to NZQA 6,300 students were enrolled to sit the exam and the authority had received 13 complaints regarding it. |
{
"pile_set_name": "StackExchange"
} | Q:
Why did this rep take a month to disappear?
I pointed out a bug here (10K) which gained 2 up-votes (I think, I'm going by the timeline on Area 51) then was migrated to Area 51 Discussions. I thought nothing more of it.
Then today, a month later, I get a -5 for migrated. I'm sure this is the expected behaviour but I would expect it to happen right away.
Digging deeper into the question timeline I see that someone upvoted the question on Area 51 Discussions today and it seems to have been that that prompted the system to take action against my illegal rep stashing.
Surely the reputation should be removed at the moment of migration now recalcs are dead, and definitely not only after an upvote on the destination site?
A:
Stubs that are left behind after migration are automatically cleared after a month. Yesterday (today, depending on where you are) was exactly a month after your question was migrated and the background task deleted your question. You lose rep only when the post is deleted, not until then.
|
{
"pile_set_name": "OpenWebText2"
} | XRP is rocking the news space again, and this time around, it’s about its price and overall market standing. Of late, there has been a lot of speculation about both the short-term and long-term future of the popular cryptocurrency. After months of great news as the crypto scored major exchange listings, something was bound to happen in the end.
While that swelled up, Ripple, the blockchain startup that created XRP, has been gaining a lot of positive publicity. Couple that with the great news of the crypto’s adoption by a major system like Apple Pay, and you have a sharp bull run. XRP is now on a steady rise, with some people suggesting that it could actually be headed to the “moon.”
What Really Happened?
On Monday, news broke that XRP would be supported by Wirex as an Apple Pay option. Such news was bound to cause a market event, given the advancements in adoption the crypto has made in the last few weeks. Ultimately, this latest news turned out to be the last button that launched the Bull Run. The upscale saw the crypto gain by over 18% to breach the $0.5 barrier and cement a new support level at $0.53-$0.54. Still, most people expect the price to shoot up much higher. There are some analysts who put XRP’s final point at $10 – $15 by year’s end.
However, it’s not to be forgotten that XRP has previously set out on its own bull run and later dropped back to its support levels. But this time might be different. Given the predictions from various crypto experts and the general market mood, the cryptocurrency might be headed to a higher place this time. Also, the timing favors this prospect. People have always anticipated a massive market rally to happen during the final months of the year.
XRP Market Cap Beats Ethereum
One of the most noticeable facts about XRP’s change in the market is its growing market cap. The cryptocurrency then briefly edged out Ethereum to stand at position 2 in the market in terms of market cap, . That begs the big question: Could XRP be on the way to surpass Bitcoin too? What if it did?
Ultimately, XRP is bound to attract even more attention as it digs in to maintain the new support level and probably achieve new price milestones. As a matter of fact, it’s hard not to expect such outcome as the crypto scores more major listings and gets adopted by various large financial institutions across the world. |
{
"pile_set_name": "OpenWebText2"
} | Ilskan efter SFM-föreläsaren: ”Han kränker kvinnor”
Av: Olof Svensson
Publicerad: 29 mars 2017 kl. 14.09
Uppdaterad: 30 mars 2017 kl. 10.40
SFM:s föreläsare hävdar att unga tjejer hamnar i helvetet om de inte täcker sig.
– Jag blev chockad när jag läste det här. Han kränker alla kvinnor, säger muslimen Helena Atilaian, 39.
Hon kräver nu en hårdare granskning av religiösa organisationer som får statsbidrag.
1 av 2 | Foto: Privat Helena Atilaian, arbetar med kvinnor som utsätts för hedersförtryck
Flera muslimer som Aftonbladet pratat med reagerar kraftigt på hur Sveriges förenade muslimers, SFM:s, föreläsare uttrycker sig.
En av dem är Helena Atilaian, 39, från Sala som arbetar på ett skyddat boende för kvinnor. Hon möter ofta kvinnor som behandlats illa av sina män och som tvingats fly från släktingar på grund av hedersförtryck.
– Det den här imamen säger är inte islam, det är att utöva makt över kvinnor. Och ingen reagerar, ingen säger ifrån, ingen vågar göra något, säger hon.
Helena Atilaian föddes i Afghanistan, flyttade till Iran och kom till Sverige 2011. Att den här formen av kvinnoförtryck, som hon själv flydde från, nu finns i Sverige, tycker hon är mycket allvarligt.
– Det står ingenstans i Koranen att 12-åringar ska vara täckta. Han hittar bara på. Den här imamen kränker alla kvinnor och det gör mig jättearg.
Inspirerar unga killar
Helena Atilaian har själv en dotter, som nu är vuxen, och reagerar kraftigt på att någon vill bestämma hur hon ska se ut.
– Hon tar på sig vilka kläder hon vill. Jag kan inte styra hennes liv och jag vill inte att någon annan gör det heller.
Hon reagerar också på SFM:s föreläsares jämförelse med kvinnor och choklad, och menar att andemeningen är att kvinnor som inte täcker sig är orena och smutsiga. Hon fruktar också att unga killar inspireras av det som imamen säger och för kvinnoförtrycket vidare.
– Det är unga killar, i 16,17,18-årsåldern som hör vad imamen säger. De kanske tänker ”han kanske har rätt, jag ska inte låta min syrra få kille” eller ”min syrra måste täcka sig”. Det är det som är det stora problemet.
Helena Atilaian kräver nu att staten blir bättre på att granska religiösa organisationer innan de får bidrag.
– Det här måste stoppas. Vi har haft ett helvete i vårt land, vi hade inga egna liv, vi kunde inte bestämma själva. Vi vill inte uppleva det här också.
Salafistisk inriktning
En annan som reagerar på SFM:s föreläsare är Samir Muric, imam vid Arlövs moské. Han anser att föreläsaren kommer med svepande generaliseringar.
– Slöjan, liksom alla andra handlingar, är något man gör för gud och varje persons utövande av dennes tro är upp till personen själv. Det är ingen imams eller föreläsares uppgift att döma vem som hamnar i helvetet eller ej.
Vad anser du om att staten ger bidrag till en sådan här organisation?
– Det är inte första gången något kontroversiellt dyker upp från den här organisationen. De uttrycker sig på ett sätt som jag och många andra muslimer inte håller med om. De kallar sig Sveriges förenade muslimer men representerar en salafistisk inrikting. Det är ett problem att de här människorna talar i en halv miljon människors namn.
KOPIERA LÄNK
Publicerad: 29 mars 2017 kl. 14.09 |
{
"pile_set_name": "OpenWebText2"
} | The bad news, of course, is that right now Obama’s approval/disapproval rating is better than McCain’s. Indeed, Obama’s is a bit higher than it was a month ago. That suggests the failure of the McCain campaign’s attacks on Obama.
So drop them.
Not because they’re illegitimate. I think many of them are reasonable. Obama’s relationship to the Rev. Jeremiah Wright is, I believe, a legitimate issue. But McCain ruled it out of bounds, and he’s sticking to that. And for whatever reason the public mood, campaign ineptness, McCain’s alternation between hesitancy and harshness, which reflects the fact that he’s uncomfortable in the attack role the other attacks on Obama just aren’t working. There’s no reason to think they’re suddenly going to.
There are still enough doubts about Obama to allow McCain to win. But McCain needs to make his case, and do so as a serious but cheerful candidate for times that need a serious but upbeat leader.
McCain should stop unveiling gimmicky proposals every couple of days that pretend to deal with the financial crisis. He should tell the truth we’re in uncharted waters, no one is certain what to do, and no one knows what the situation will be on Jan. 20, 2009. But what we do know is that we could use someone as president who’s shown in his career the kind of sound judgment and strong leadership we’ll need to make it through the crisis.
McCain can make the substantive case for his broadly centrist conservatism. He can explain that our enemies won’t take a vacation because the markets are down, and that it’s not unimportant that he’s ready to be commander in chief. He can remind voters that even in a recession, the president appoints federal judges and that his judges won’t legislate from the bench.
And he can point out that there’s going to be a Democratic Congress. He can suggest that surely we’d prefer a president who would check that Congress where necessary and work with it where possible, instead of having an inexperienced Democratic president joined at the hip with an all-too-experienced Democratic Congress, leading us, unfettered and unchecked, back to 1970s-style liberalism.
At Wednesday night’s debate at Hofstra, McCain might want to volunteer a mild mea culpa about the extent to which the presidential race has degenerated into a shouting match. And then he can pledge to the voters that the last three weeks will feature a contest worthy of this moment in our history.
He’d enjoy it. And he might even win it. |
{
"pile_set_name": "StackExchange"
} | Q:
Getting click event on element where user has clicked
I want get information about the currently clicked html element. For that I used $(*).click() event so that every element on the page will have this event.
suppose I have following html code
<div class="outer">
<div class="inner">
<p>Hello<p>
</div>
</div>
now when user clicks hello I want to get that element so that I could identify its tag, its class etc.
But here is the problem, when user clicks on hello, click event get fired but it get fired on p tag , then div class=inner and then on div with class as outer . But here i want to get event only on the text or area where user has clicked.
A:
Please use $(document).click() instead of $(*).click() and use e.target to get specified.
element.
You can stop the event bubbling by using e.stopPropagation();
$(document).click(function (e) {
e.stopPropagation();
alert('Tag Name: ' + e.target.tagName +
' --has class: ' + e.target.className +
' --with text: ' + $(e.target).text());
});
DEMO: http://jsfiddle.net/Q6cpR/1/
|
{
"pile_set_name": "USPTO Backgrounds"
} | 1. Field of the Invention
The present invention relates to a holder for holding wash-targets when washing the wash-targets such as electronic components and fine components and, more specifically, to a holder used at the time of washing by soaking the wash-target in a washing solvent. Also, it relates to a method for washing the wash-targets using the holder.
2. Description of the Related Art
Electronic components formed by semiconductor chips or a small-size precision components require a high cleanness depending on the purpose of their use. Therefore, the components are washed after being manufactured and before being shipped as products or being mounted into a device. Especially, a high cleanness is required in a magnetic head slider which is required to float a magnetic disk low, since it is mounted to a magnetic disk device. Further, the magnetic head slider is a component which requires a highly precise positioning, so that it is required to be surely washed.
Japanese Patent Unexamined Publication No. 6-103511 discloses an example of a method for washing the components. The method disclosed in Japanese Patent Undisclosed Publication No. 6-103511 is a method in which a magnetic head slider is soaked in a wash tank by being held to a holder and ultrasonic washing is performed in that state. The above-described holder is formed by: through-holes formed in lattice form for enclosing the magnetic head slider; a member comprising a net for covering the bottom end openings; and a member comprising a net for covering the upper end openings of the through-holes. The magnetic head slider is enclosed thereby in the through-holes and it is surrounded by the wall face of the through-hole and a pair of the nets which cover both end openings of the through-hole. Thereby, the magnetic head slider is prevented from being projected outside. Further, the size and thickness of the opening of the through-hole is set 1.1-2.5 times the longitudinal and lateral sizes and the thickness of the magnetic head slider, so that the magnetic head slider can freely move within the through-hole. Thereby, the ultrasonic washing performed on the magnetic head slider can be effectively achieved in the wash tank.
However, there is an inconvenience being generated when components are washed by using the holder of Japanese Patent Undisclosed Publication No. 6-103511 as described below. First, the wash-target is surrounded by the wall face forming the through-hole so that the solvent of a washing liquid cannot be easily removed from the wash-target after the washing. Especially, the solvent may remain in four corners (corner parts) of the through-hole and stains can be generated in the wash-target. Further, both sides of the wash-target are held by a net so that damage of ESD (electrostatic discharge) likely to be occurred. Moreover, the wash-target cannot be stably held through the net so that the wash-target may move during the washing by ultrasonic oscillation and collides against the wall face of the through-hole. Due to the impact, there may be a crack or break being generated for causing damage on the wash-target. |
{
"pile_set_name": "Wikipedia (en)"
} | Robin Briguet
Robin Briguet (born 11 May 1999) is a Swiss freestyle skier. He competed in the 2018 Winter Olympics.
References
Category:1999 births
Category:Living people
Category:Freestyle skiers at the 2018 Winter Olympics
Category:Swiss male freestyle skiers
Category:Olympic freestyle skiers of Switzerland |
{
"pile_set_name": "Pile-CC"
} | 50% OFF
Enticing Shubh Labh Door Hangings! May the joy, cheer, mirth and merriment of this divine festival surround you forever with this delectable decorative pooja product. A perfect choice for gifting this festive season to your loved ones.. Choose this beautiful product from the Hosue of Aapno Rajasthan and enhance the beauty of your home and make your choice a cynosure for others. Aapno Rajasthan brings lot of decorative items and hampers for this festive season to make memories cherishable and enjoyable;
Description of product
Enticing Shubh Labh Door Hangings! May the joy, cheer, mirth and merriment of this divine festival surround you forever with this delectable decorative pooja product. A perfect choice for gifting this festive season to your loved ones.. Choose this beautiful product from the Hosue of Aapno Rajasthan and enhance the beauty of your home and make your choice a cynosure for others. Aapno Rajasthan brings lot of decorative items and hampers for this festive season to make memories cherishable and enjoyable; |
{
"pile_set_name": "USPTO Backgrounds"
} | 1. Field of the Invention
The invention relates to a device for the production of a glass melt from a batch.
2. Description of the Related Art
Such a device for the production of a glass melt is mostly of rectangular ground plan. It has peripheral walls as well as a bottom. It is equipped, furthermore, with an electric heating system. Here there can also be provided several heating circuits. The heating-up occurs over electrodes. There takes place here a direct current flow through the conductive glass melt.
Under the bottom of the melt tank there is located a draw-off channel. The draw-off channel is fully open toward the melt bath. The channel runs essentially horizontally, and therewith in a plane parallel to the melt surface. It has an outlet which is located in the region of one of the side walls of the melt tank.
In operation the glass melt is always covered by a cold batch layer orxe2x80x9cbatch blanketxe2x80x9d. The tank, therefore, is also designated as axe2x80x9ccold top melt tankxe2x80x9d. There, heed is taken that the surface of the glass melt is always covered by batch. At the edges of the melt surface, i.e. on the peripheral walls, however, as a rule a so-called glow strip is left open that serves for the de-gassing of the melt. This can be controlled over an charging machine. The batch layer lying on the glass melt has, namely, an insulating effect. If the batch layer is not closed, there occur heat radiations, which means losses of energy. Mixture, accordingly, is always supplied in a corresponding amount.
For the achieving of a faultless quality it is absolutely indispensable that through the draw-off channel molten and refined (bubble-free) glass emerges and that still unmelted batch is not carried along. Even small quantities of unmelted or only initially molten batch are unacceptable in respect to the glass quality to be achieved.
All strivings are being undertaken in this direction. To this there belongs inter alia the correct arranging of the heating circuits and of the appertaining electrodes, as well as the bringing-in of a sufficiently high electric power. Despite these measures it does occur that unmolten or only insufficiently melted batch as well as incompletely refined glass passes through the draw-off channel with the flow of the glass melt, which is extremely troublesome in the further processing and results in an unsatisfactory quality of the glass.
DE 1 080740 B describes a device for the production of a glass melt from a batch, in which the heated melt tank has a draw-off channel the entry opening of which is arranged in the region of the bottom of the melt tank. The draw-off channel is located under the bottom of the melt tank and has an outlet opening in the zone of a peripheral wall. There the draw-off channel in at least two corners is brought directly onto the wall of the tank.
U.S. Pat. No. 4,410,997 A describes a device for the production of a glass melt from a mixture. Here too, the heated melt tank has a draw-off channel which runs in a central zone of the tank bottom. There, no covering is provided.
DE 29 17 386 A likewise describes a melt tank with a draw-off channel which proceeds from the bottom zone of the tank. A covering of the draw-off channel is not provided here.
Underlying the invention is the problem of constructing a melt tank of the type described in such manner that there is guaranteed a complete melting-up of the batch as well as a complete refining of the glass, and that not even the smallest batch components and bubble-infected glass pass into the draw-off channel and, together with the rest of the glass flow, pass through its outlet opening.
The inventors have perceived the following:
The draw-off channel mentioned, open toward the melt bath, is located outside of the main zone of the electric heating. There the flow velocities arising are comparatively low. Here the glass of the glass melt can dead-melt in certain zones. In the zone of the peripheral wall in which also the outlet is located, a predominantly downward directed flow builds up. Through this flow it is possible that incompletely melted-up mixture or incompletely refined glass will enter directly into the removal flow in the draw-off channel and will cause the disadvantageous consequences mentioned.
For the solution of the problem the inventors propose the four following courses of solution, which can be applied in each case alone or in combination.
The first course of solution consists in the following:
The draw-off channel is covered on a part of its extent. There remains only an opening that is located in the zone of action of the heating circuits. In general this entry opening into the draw-off channel will be arranged in a central zone of the tank bottom. The tank bottom, thereforexe2x80x94except for the entry opening into the draw-off channelxe2x80x94is simultaneously the covering of the draw-off channel. One could also say that the channel is largely covered. The covering extends from the zone of its outlet opening to a central zone of the tank bottom, purposefully, however, at least up to a tenth of the distance between two oppositely lying peripheral walls of the melt tank.
There is thereby prevented the possibility that incompletely melted-up batch components as well as bubble-infected glass will be able to pass out of the zone of the tank over the channel, directly into the channel and therewith into the removal flow. In this manner there can be achieved a perfect glass quality, provided that all the other parameters are in order.
As material for the covering mentionedxe2x80x94i.e. the partition between the glass melt and the channelxe2x80x94there come into consideration fireproof materials (metallic or nonmetallic) with low corrosion, high endurance, low costs and a low glass-fault potential. Here there offer themselves refractory metals such as molybdenum or tungsten as well as their alloys.
The second course of solution consists in the following:
a covering is provided, for example of the material of which also the tank consists. The covering covers off a part of the surface of the melt surface. The melt surface is therewith reduced. This leads to a favorable influencing of the glass flow, since the heat lead-off over the covering is less than over the mixture cover, and since therewith a thermal barrier is built up underneath the covering. Thereby there is prevented the possibility that incompletely melted-up batch of incompletely refined glass can be directly into the removal flow. In this manner incompletely melted-up batch constituents remain longer in the melt tank and are completely melted up and refined. The result is the same as with the first course of solution.
The third course of solution consists in providing an additional heating in the zone of the draw-off channel, and namely in the zone above the draw-off channel where the glass flow leaves the tank. The effect of this additional heating lies in the build-up of a thermal barrier, by which there is prevented the possibility that incompletely melted-up batch or incompletely refined glass can pass directly into the removal flow.
The fourth course of solution consists in installing a heated dome (heated by burners for example) and in not laying in any batch in this zone. There, accordingly, a blank glass surface is established through which energy can enter into the glass bath from the heated dome. As in the second and third courses of solution, therewith a thermal barrier is built up, by which there is prevented the possibility that incompletely melted-up batch or incompletely refined glass can pass directly into the removal flow. By all four solutions, accordingly, there is guaranteed a complete melting-up of the batch and a sufficient refining of the glass melt. There is prevented the possibility that any batch particles that are incompletely melted up, or any bubble-contaminated glass will pass into the draw-off and thus leave the melt tank with the glass flow. |
{
"pile_set_name": "Pile-CC"
} | Party Identification in South Africa: Profiles for the ANC and DA
This brief provides profiles on supporters of the ANC and DA. The paper focuses on the demographic attributes of supporters of the ANC and DA. The results of this survey indicates that the DA is fundamentally an urban party and although the majority of ANC supporters are from urban areas 45% of their support live in rural areas. |
{
"pile_set_name": "OpenWebText2"
} | Many years ago I ended up on the go-to list for a locally-based, national public opinion research firm. I attended a few focus groups. One was conducted for the benefit of a large hotel operator. Apparently it was in the customer experience business. We focus groupies looked at various room concepts and features and commented on them. Company representatives watched the discussion from behind a one-way mirror. It seemed worth a turkey club for dinner and 150 bucks.
I was a frequent business traveler then. Lo and behold, a few months later I stayed at one of the company’s hotels and found some of the very conveniences — like a useful desk with power outlets — I’d commented on in the focus group. My customer experience improved tangibly. Now even crummy hotels usually have good desks with power outlets built in.
The idea of customer experience research goes back to the dawn of marketing. It’s gained urgency in the information age because of the multiple ways people interact with organizations: in person, on the phone and online. Mail too, for that matter.
Because of the Paperwork Reduction Act — which is not about what it sounds like — other laws, and a bit of cultural taboo, federal agencies have been generally reluctant to directly involve just plain citizens into their planning. There is, in fact, the possibility of bias coming into such research or the setting of false expectations.
The online movement and the relentless improvement in commercial digital services, though, has provided powerful incentives for agencies to get more commercial-like in their research.
Two examples: Veterans Affairs is using flesh-and-blood veterans to design its digital services. According to Denise Kitts, director of the Veterans Experience Office Multi Channel Technology Directorate, veterans themselves contribute directly to the research. Her office is small but has a big charter. Namely, to design digital services that use artificial intelligence and human centered design to work effectively and reliably. It wants to unite the various contact channels such that if a veteran starts an engagement in person, they’ll experience continuity if it continues online, and vice versa. Listen to my interview with Kitts here.
U.S. Citizenship and Immigration Services has initiated rulemaking to extend its authority to do focus groups. It seeks “qualitative feedback through focus groups.” It’s been doing this already but needs to go through rulemaking to continue. It plans on recruiting 3,000 people who would participate in an unspecified number of focus groups lasting 90 minutes. Sounds like a lot of focus groups, because most of them use no more than a dozen people.
USCIS wants “information that provides useful insights on perceptions and opinions” of its services “in accordance with our commitment to improving services delivery.” The request for comments notes that focus groups don’t substitute for statistical surveys or, for that matter, metrics gathered from online services themselves. But when gauging customer experience, focus groups can be highly useful.
As a young magazine editor many years ago, my publisher organized focus groups. I was in the team watching and listening from behind the one-way mirror. I had high-falutin’ images in my mind of my vaunted readers. In trudged a group of, let’s say, less than impressive-looking people. They dug into the sandwiches we’d provided. The publisher elbowed me with a smug grin, saying, “there’s your readers, heh heh heh!” But the readers said things that helped me shape the editorial content, proven in subsequent reader preference surveys.
Anyhow, good for VA and USCIS for using this seemingly old-fashioned way to garner insight into 5G-era services.
Keep in mind, people do watch and see if the organization has listened.
One focus group I attended was for Amtrak. It was testing various branding approaches. One prototype poster for its Northeast corridor service was handsome in a neo-Deco way. But it showed a stylized Washington Monument and Capitol out of order, oriented wrong for the point of view depicted in the poster. People like me and Henry Kissinger were Acela first class regulars then. We notice that sort of thing.
Several focus group members pointed this out. Nevertheless, some weeks later, there in Union Station, I spotted the very poster, still with the landmarks still mixed up. |
{
"pile_set_name": "Github"
} | using System.Collections.Generic;
using System.Runtime.Serialization;
using ServiceStack.Model;
using ServiceStack;
namespace RedisAdminUI.ServiceModel.Operations.Hash
{
[DataContract]
public class HashContainsEntry
: IHasStringId
{
[DataMember]
public string Id { get; set; }
[DataMember]
public string Key { get; set; }
}
[DataContract]
public class HashContainsEntryResponse
{
public HashContainsEntryResponse()
{
this.ResponseStatus = new ResponseStatus();
}
[DataMember]
public bool Result { get; set; }
[DataMember]
public ResponseStatus ResponseStatus { get; set; }
}
} |
{
"pile_set_name": "Pile-CC"
} | Thank you Joan, You must had gone to Walter peak.
Have you heard about the fotothing gettogether we are going to have close to Dunedin. If you go the forums you will see the info under New Zealand get together. Maybe this will encourage you to visit us |
{
"pile_set_name": "StackExchange"
} | Q:
Next Nearest Number Divisible By X
What I want to do essentially, is take any number a user has input, and round it to the next closest whole number divisible by X, excluding 1.
IE (X = 300):
Input = 1 Output = 300
Input = 500 Output = 600
Input = 841 Output = 900
Input = 305 Output = 300
A:
Just (integer) divide by X, add one, then multiply by X.
int output = ((input / x) + 1) * x;
A:
Based on your example behaviour I would do something like this:
double GetNearestWholeMultiple(double input, double X)
{
var output = Math.Round(input/X);
if (output == 0 && input > 0) output += 1;
output *= X;
return output;
}
|
{
"pile_set_name": "Pile-CC"
} | I'm done with cliche New Year's Resolutions. Like, go to the gym more, or eat less processed foods. #LA My New Year's Resolution is to GET MORE ATTENTION. Here's how I am going to get more attention this year -)
This video was taken last year when I went to visit my brother Joe who recently moved with his company to Florida. I will be moving to Florida soon with my family and get a job there or trying to get a transfer from my job. Also, as I mention to this video, my plan to go to Colombia to see my grandmother and my relatives. Then I have come through a decision to meet with one of the models who have sites in Europe as I pvt with them recently.
This was video taped at my brothers Joes house last year when we decided to move to Florida this year for the new year resolution. All Joes friends were there to say goodbye for him for his new home, new job and new house there in Florida. He already installed and living in Florida now. Happy New Year to All! |
{
"pile_set_name": "PubMed Abstracts"
} | Central fibroma in the ascending ramus of the mandible. Case report.
A case of central fibroma involving the mandible in a 58 year old woman is described. There was slight swelling of the left cheek and bone-hard bulging was detected on palpation but the patient had not complained of the swelling. The lesion was removed under general anaesthesia and then examined histopathologically. There was no sign of recurrence eleven months after the operation. |
{
"pile_set_name": "Pile-CC"
} | Introducing the Google Analytics 360 Suite
Now with a full enterprise stack of tools
Unifying ever growing amounts of data, from every sort of device and channel, is a challenge that various digital vendors have undertaken over the last years – achieving a relative degree of success. However, in reality, the data was very siloed.
The battle to win the grail quest of understanding every signal from potential and existing customers and to trigger a consistent response based on their on- and offline journey has never been as intense as it is now. The clear winners are the few integrated digital marketing suites with the tools and technologies to deliver on the needs of CMOs.
A long standing contender in the Analytics and data management space has been Google on the back of the global success of Google Analytics, but until now the offering has been fragmented with some important pieces missing. However, the issues previously experienced have now been solved with the launch of the Google Analytics 360 Suite.
This suite is made up of:
Analytics 360, aiming to ease data analysis from all touchpoints in one place, for a deeper understanding of customer experience. Previously known at GA Premium, the Analytics 360 is a full enterprise Analytics solution with integrated DMP features for audience targeting in the Google channels where 3rd party pixeling isn’t allowed.
Tag Manager 360, aiming to make tag management simpler, more reliable, and easier to implement to make decisions more swiftly. The stand-alone Tag Manager 360 now includes a full SLA and new advanced features not found in the free version.
Optimize 360 (beta), A combination of a AB&/MVT test tool and a content targeting engine Optimize 360 will benefit from the power of having the full GA dataset available for the calculated predictions.
Attribution 360, an enterprise Attribution tool with the ability to onboard e.g. TV and other “offline” data sources and provide advanced correlation studies and attribution modeling.
Audience Center 360 (beta), finally, after more than 2 years of development, the DMP from Google will come out of beta later this year. It’s built on the powerful Google Cloud backend and will integrate smoothly between the 360 data and other data sources for audience building across millions of users.
Data Studio 360 (beta), a huge disruption in the cross field between super easy to use drag-and-drop dash boarding and the power of having BigQuery on the Google Cloud Platform as the data backend, Data Studio 360 will change how we challenge data moving away from aggregated time series data to having the full raw data sets available for analysis – even when there are billions of rows of data – is extremely powerful.
When Google launched the Universal Analytics version of GA and introduced “Measurement Protocol”, it took a huge step towards being able to collect data from all digital touch points, which is a key need to answer the core question of “What is the real customer journey and why is it like this”. With the integration between GA and Adwords the full granularity of the paid campaigns became available for analysis in GA, and in Premium (now Analytics 360) the integration with DoubleClick made it possible to track and cookie across almost all digital events for an even stronger understanding of the journey.
But in the years following it’s become more and more clear that the strict schema applied to the data collected and the user interface for presentation of the data was a limiting factor on how the data can be used. Even the way the raw data is processed into the metrics and dimensions we use in our analysis have become a limiting factor on the full scope of the needed analysis.
The missing pieces have now been addressed with the announcement of the Analytics 360 suite of enterprise tools. NetBooster believes that the Google Analytics 360 suite in combination with DoubleClick advertising technologies, Googles own channels and the Google Cloud Backend is the strongest Performance Marketing Suite in the market today.
Having led data driven and analytics projects for over 10 years for international customers such as PSA Peugeot Citroën, Adidas Group, AccorHotels, Estée Lauder, BNP Paribas and hundreds more, NetBooster has a cutting-edge and an extensive understanding of this fast evolving world where one-to-one marketing models at scale can be achieved.
Reach out to us to book a session discussing how your business is disrupted by the availability of raw real time data and responsive performance marketing, and we’ll be happy to share our vision, methodology and analysis of your opportunities. |
{
"pile_set_name": "OpenWebText2"
} | 【2月14日 AFP】ロシア海軍の黒海艦隊(Black Sea Fleet)は13日、巡航ミサイル「カリブル(Kalibr)」を搭載した艦艇を地中海(Mediterranean)に派遣したと発表した。同国の報道によると艦艇はシリアに向かっている。
黒海艦隊によると、この艦艇は同艦隊に昨年12月に配備されたばかりのミサイル艦ゼリョーヌィ・ドル(Zelyony Dol)。ロシア通信(RIA Novosti)は、黒海艦隊の基地があるクリミア(Crimea)半島の防衛当局筋の話として、ゼリョーヌィ・ドルはシリアに向かっておりロシアによるシリア政府軍支援に参加する可能性があると伝えた。
防衛当局筋は「派遣の目的は明らかにされていないが、長距離巡航ミサイルを搭載していることから軍事作戦参加の可能性は排除すべきでない」と述べたという。昨年建造されたばかりのゼリョーヌィ・ドルは先週、大規模な上陸作戦演習に参加したばかりだった。
ロシアはシリアでの空爆作戦で批判を受けている。米国は先週、シリア北部アレッポ(Aleppo)の反体制派への攻撃を支援することでシリア和平協議を妨げているとロシアを批判した。一方、ロシアのドミトリー・メドベージェフ(Dmitry Medvedev)首相は11日、米軍主導の有志国連合によるシリアへの地上部隊派遣は、新たな戦争を引き起こすと警告した。(c)AFP |
{
"pile_set_name": "StackExchange"
} | Q:
TempDB on Shared VHDX
Multiple nodes within a cluster. Using HyperV as the virtualisation layer. VMs use Fibre Channel SAN for storage but trying to explore the possibility of using Local SSDs for the TempDB. Issue is when the VM migrates.
I know TempDB doesn't need to persist after migration as the DB will just recreate it, but, when it migrates, the VHD will no longer exist. I would imagine the DB would fail if it can't find the directory to create the TempDB?
Is it possible to create a VHDX per node, which sits on the exact same directory (For example, it is always the 'T' Drive), so that every VM will simultaneously write to it regardless of which node they are on? I don't want a VM on Node 2 trying to write to a local drive on Node 1. I want to keep things local at all times.
A:
As far as SQL Server config: Since you're not using SQL Server clustering with shared storage, I believe you don't need to do anything but configure all your instances with Tempdb on T drive (or whatever standard path you choose). See Example A at https://msdn.microsoft.com/en-gb/library/ms345408(v=sql.110).aspx.
As for how to ensure that T drive is available as local storage in all your VMs for when SQL Server starts up, that someone else will have to help with (perhaps stackoverflow with virtualisation tags).
And be sure to test your whole failover process, don't take anyone's word for it.
|
{
"pile_set_name": "Wikipedia (en)"
} | Christy Martin (boxer)
Christy Renea Martin (born June 12, 1968) is a former American world champion boxer and currently the CEO of Christy Martin Promotions.
Early life
Martin was born in Mullens, West Virginia with the name Christy Salters.
She played various sports as a child including Little League baseball and all-state basketball. She attended Concord College in Athens, West Virginia on a basketball scholarship and earned a B.S. in education.
Career
Martin is said to be “the most successful and prominent female boxer in the United States” and the person who “legitimized” women’s participation in the sport of boxing. She began her career fighting in “Toughwoman” contests and won three consecutive titles. She then began training with boxing coach, Jim Martin, who became her husband in 1991.
Martin started her professional boxing career at the age of 21 with a six-round draw with Angela Buchanan in 1989. She had her first training under the direction of Charlie Sensabaugh of Daniels West Virginia. Martin won a rematch with Buchanan one month later with a second round knockout. Andrea DeShong then beat Martin in a five-round decision. Martin then had nineteen consecutive wins, including two against Jamie Whitcomb and Suzanne Riccio-Major as well a rubber match win against Buchanan. On October 15, 1993, Martin had her first title fight against Beverly Szymansky, for the WBC women's Jr. Welterweight world championship. Martin won by knocking out Szymansky in three rounds. In her first title defense, she fought to a draw against debutante Laura Serrano in Las Vegas.
Martin defended her title six more times, including a rematch with Szymansky, a fourth fight with Buchanan and defenses versus Melinda Robinson and Sue Chase, winning all of them, before the fight that many credit for putting women's boxing on the sports fans' radar took place: On March 16, 1996, she and Deirdre Gogarty fought what many consider a great fight, in front of Showtime cameras. Martin got the decision, and after that bout, she began to gain more celebrity, even appearing on the cover of Sports Illustrated once shortly afterwards.
Martin won her next eight bouts including wins against Robinson, DeShong, Marcela Acuña and Isra Girgrah. Martin lost her title in a 10-round decision loss to Sumya Anani in 1998. Martin then won her next nine fights including wins against Belinda Laracuente, Sabrina Hall and Kathy Collins. Martin won her next two fights by ten-round decisions against Lisa Holeywine and Mia St. John.
In 2003 Martin fought Laila Ali and lost by a knockout in the fourth round.
Martin's next fight in 2005 was a second-round knockout against Lana Alexander in Lulu, Mississippi.
In 2005 a fight with Lucia Rijker, entitled "Million Dollar Lady", was canceled because Rijker ruptured her Achilles during training.
On September 16, 2005, in Albuquerque, New Mexico, Martin lost a 10-round unanimous decision to Holly Holm. Martin was beaten by the 23-year-old southpaw, with all three judges scoring for Holm.
Martin holds a record of 49 wins, 7 losses and 3 draws with 31 wins by knockout. She is a frequent visitor of the International Boxing Hall Of Fame annual induction ceremonies, and an avid autograph signer. She has fought on the undercard of boxers Mike Tyson, Evander Holyfield, Félix Trinidad and Julio César Chávez.
Martin was promoted by Don King. She was nicknamed The Coal Miner's Daughter in reference to her father's occupation.
Martin announced on January 19, 2011, that she would be fighting again in hopes of her 50th career win on the undercard of the Ricardo Mayorga vs Miguel Cotto Fight at the MGM Grand Hotel in Las Vegas, Nevada, on March 12, 2011, against Dakota Stone in a rematch of their 2009 Fight. The fight was postponed due to a rib injury to Christy Martin. The rescheduled rematch took place June 4, 2011 at Staples Center in Los Angeles on the Julio Ceasr Chavez Jr. vs Sebastian Zbik undercard. Dakota Stone prevailed by TKO with :51 left as Martin broke her right hand in 9 places on a punch in the 4th round and could not continue.
In 2016, she became the first female boxer inducted into the Nevada Boxing Hall of Fame. That same year, Sports Illustrated reported that she was working 2 jobs, as a substitute teacher and helping military veterans find work, and that she was dealing with the after effects of her career, including dealing with lack of stamina and double vision.
Professional boxing record
|-
| style="text-align:center;" colspan="9"|49 Wins (31 knockouts, 18 decisions), 7 Losses (2 knockouts, 5 decisions), 3 Draws
|- style="text-align:center; background:#e3e3e3;"
| style="border-style:none none solid solid; background:#e3e3e3;"|Res.
| style="border-style:none none solid solid; background:#e3e3e3;"|Record
| style="border-style:none none solid solid; background:#e3e3e3;"|Opponent
| style="border-style:none none solid solid; background:#e3e3e3;"|Type
| style="border-style:none none solid solid; background:#e3e3e3;"|Rd., Time
| style="border-style:none none solid solid; background:#e3e3e3;"|Date
| style="border-style:none none solid solid; background:#e3e3e3;"|Location
| style="border-style:none none solid solid; background:#e3e3e3;"|Notes
|- style="text-align:center;"
| Loss || 49–7–3 || Mia St. John || Unanimous decision || 10 || August 14, 2012 || Friant, CA, U.S. ||
|- style="text-align:center;"
| Loss || 49–6–3 || Dakota Stone || TKO Loss (6) || 6 || June 4, 2011 || Los Angeles, U.S. ||
|- style="text-align:center;"
| Win || 49–5–3 || Dakota Stone || Majority decision || 10 || September 9, 2009 || Syracuse, New York, U.S. ||
|- style="text-align:center;"
| Win || 48–5–3 || Cimberly Harris || Split decision || 6 || August 1, 2009 || Huntington, West Virginia, U.S. ||
|- style="text-align:center;"
| style="background:#dae2f1"|Draw || 47–5–3 || Valerie Mahfood || Draw || 8 || July 18, 2008 || Houston, Texas, U.S. ||
|- style="text-align:center;"
| Win || 47–5–2 || Amy Yuratovac || Unanimous decision || 2 || June 2, 2007 || Lake Charles, Louisiana, U.S. ||
|- style="text-align:center;"
| Loss || 46–5–2 || Angelica Martinez || Split decision || 10 || October 6, 2006 || Worley, Idaho, U.S. ||
|- style="text-align:center;"
| Loss || 46–4–2 || Holly Holm || Unanimous decision || 10 || September 16, 2005 || Albuquerque, New Mexico, U.S. ||
|- style="text-align:center;"
| Win || 46–3–2 || Lana Alexander || KO || 2 || April 30, 2005 || Lula, Mississippi, U.S. ||
|- style="text-align:center;"
| Loss || 45–3–2 || Laila Ali || KO || 4 , 0:28 || August 23, 2003 || Biloxi, Mississippi, U.S. ||
|- style="text-align:center;"
| Win || 45–2–2 || Mia St. John || Unanimous decision || 10 || December 6, 2002 || Pontiac, Michigan, U.S. ||
|- style="text-align:center;"
| Win || 44–2–2 || Lisa Holewyne || Unanimous decision || 10 || November 17, 2001 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 43–2–2 || Kathy Collins || Majority decision || 10 || May 12, 2001 || New York City, New York, U.S. ||
|- style="text-align:center;"
| Win || 42–2–2 || Jeanne Martinez || Unanimous decision || 10 || March 3, 2001 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 41–2–2 || Sabrina Hall || KO || 1 || December 2, 2000 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 40–2–2 || Dianna Lewis || Unanimous decision || 10 || August 12, 2000 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 39–2–2 || Belinda Laracuente || Majority decision || 8 || March 3, 2000 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 38–2–2 || Daniella Somers || TKO || 5 , 1:37 || October 2, 1999 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 37–2–2 || Jovette Jackson || TKO || 1 || April 24, 1999 || Washington, D.C., U.S. ||
|- style="text-align:center;"
| Loss || 36–2–2 || Sumya Anani || Majority decision || 10 || December 18, 1998 || Fort Lauderdale, Florida, U.S. ||
|- style="text-align:center;"
| Win || 36–1–2 || Christine Robinson || TKO || 5 || September 19, 1998 || Atlanta, Georgia, U.S. ||
|- style="text-align:center;"
| Win || 35–1–2 || Cheryl Nance || TKO || 9 , 0:41 || August 29, 1998 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 34–1–2 || Marcela Acuña || Unanimous decision || 10 || December 5, 1997 || Pompano Beach, Florida, U.S. ||
|- style="text-align:center;"
| Win || 33–1–2 || Isra Girgrah || Unanimous decision || 8 || August 23, 1997 || New York City, New York, U.S. ||
|- style="text-align:center;"
| Win || 32–1–2 || Andrea DeShong || TKO || 7 , 1:43 || June 28, 1997 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 31–1–2 || Bethany Payne || TKO || 1 , 2:59 || November 9, 1996 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 30–1–2 || Melinda Robinson || KO || 4 || September 7, 1996 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 29–1–2 || Deirdre Gogarty || Unanimous decision || 6 || March 16, 1996 || Las Vegas, Nevada, U.S. || Martin recognition by the World Boxing Council as its nominal women's lightweight champion of the world
|- style="text-align:center;"
| Win || 28–1–2 || Del Pettis || TKO || 1 || February 24, 1996 || Richmond, Virginia, U.S. ||
|- style="text-align:center;"
| Win || 27–1–2 || Sue Chase || TKO || 3 , 0:27 || February 10, 1996 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 26–1–2 || Melinda Robinson || Unanimous decision || 6 || January 13, 1996 || Miami, Florida, U.S. ||
|- style="text-align:center;"
| Win || 25–1–2 || Erica Schmidlin || TKO || 1 || December 16, 1995 || Philadelphia, Pennsylvania, U.S. ||
|- style="text-align:center;"
| Win || 24–1–2 || Angela Buchanan || TKO || 2 || August 12, 1995 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 23–1–2 || Beverly Szymanski || KO || 4 || April 1, 1995 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 22–1–2 || Chris Kreuz || TKO || 4 || September 12, 1994 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| style="background:#dae2f1"|Draw || 21–1–2 || Laura Serrano || Draw || 6 || May 7, 1994 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 21–1–1 || Sonja Donlevy || TKO || 1 || March 4, 1994 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 20–1–1 || Susie Melton || TKO || 1 , 0:40 || January 29, 1994 || Las Vegas, Nevada, U.S. ||
|- style="text-align:center;"
| Win || 19–1–1 || Beverly Szymanski || KO || 3 || October 15, 1993 || Auburn Hills, Michigan, U.S. ||
|- style="text-align:center;"
| Win || 18–1–1 || Rebecca Kirkland || TKO || 1 || August 27, 1993 || Punta Gorda, Florida, U.S. ||
|- style="text-align:center;"
| Win || 17–1–1 || Deborah Cruickshank || KO || 1 || May 28, 1993 || Punta Gorda, Florida, U.S. ||
|- style="text-align:center;"
| Win || 16–1–1 || Susie Hughes || TKO || 1 || January 29, 1993 || Columbia, South Carolina, U.S. ||
|- style="text-align:center;"
| Win || 15–1–1 || Angela Buchanan || TKO || 1 || November 14, 1992 || Greenville, South Carolina, U.S. ||
|- style="text-align:center;"
| Win || 14–1–1 || Tracy Gordon || TKO || 1 || September 5, 1992 || Daytona Beach, Florida, U.S. ||
|- style="text-align:center;"
| Win || 13–1–1 || Stacey Prestage || Decision || 8 || May 30, 1992 || Daytona Beach, Florida, U.S. ||
|- style="text-align:center;"
| Win || 12–1–1 || Jackie Thomas || TKO || 3 || January 25, 1992 || Daytona Beach, Florida, U.S. ||
|- style="text-align:center;"
| Win || 11–1–1 || Rose Noble || TKO || 1 || January 11, 1992 || Grundy, Virginia, U.S. ||
|- style="text-align:center;"
| Win || 10–1–1 || Shannon Davenport || TKO || 2 || September 10, 1991 || Princeton, West Virginia, U.S. ||
|- style="text-align:center;"
| Win || 9–1–1 || Rhonda Hefflin || KO || 1 || May 25, 1991 || Tennessee, U.S. ||
|- style="text-align:center;"
| Win || 8–1–1 || Pat Watts || TKO || 1 || March 16, 1991 || Chattanooga, Tennessee, U.S. ||
|- style="text-align:center;"
| Win || 7–1–1 || Suzanne Riccio || Decision || 5 || February 25, 1991 || Bristol, Tennessee, U.S. ||
|- style="text-align:center;"
| Win || 6–1–1 || Jamie Whitcomb || Unanimous decision || 5 || January 12, 1991 || Bristol, Tennessee, U.S. ||
|- style="text-align:center;"
| Win || 5–1–1 || Lisa Holpp || TKO || 1 || October 27, 1990 || Bristol, Tennessee, U.S. ||
|- style="text-align:center;"
| Win || 4–1–1 || Jamie Whitcomb || Decision || 6 || September 22, 1990 || Johnson City, Tennessee, U.S. ||
|- style="text-align:center;"
| Win || 3–1–1 || Andrea DeShong || Decision || 5 || April 21, 1990 || Bristol, Tennessee, U.S. ||
|- style="text-align:center;"
| Loss || 2–1–1 || Andrea DeShong || Decision || 5 || November 4, 1989 || Bristol, Tennessee, U.S. ||
|- style="text-align:center;"
| Win || 2–0–1 || Tammy Jones || TKO || 1 || October 21, 1989 || Bristol, Tennessee, U.S. ||
|- style="text-align:center;"
| Win || 1–0–1 || Angela Buchanan || KO || 2 || September 30, 1989 || Durham, North Carolina, U.S. ||
|- style="text-align:center;"
| style="background:#dae2f1"|Draw || 0–0–1 || Angela Buchanan || Draw || 5 || September 9, 1989 || Bristol, Tennessee, U.S. ||
Attempted murder
On November 23, 2010, Christy Martin was stabbed several times and shot at least once in her torso and left for dead by her husband, 66-year-old James V. Martin. The attack reportedly occurred after an argument in their Apopka home. She survived the attack. On November 30, James Martin was arrested and taken to Orlando Regional Medical Center after he stabbed himself.He was booked in Orange County Jail and charged with attempted first degree murder and aggravated battery with a deadly weapon.
In April, 2012, James Martin was found guilty of attempted second-degree murder.
He was sentenced two months later to 25 years in prison.
Personal life
Christy was married to former ring rival Lisa Holewyne on November 25th, 2017. Salters Martin currently is the CEO of Christy Martin Promotions a boxing promotion company that has promoted 13 events in North Carolina since 2016 and will be promoting boxing events in Jacksonville, Florida.
References
External links
Official website
Christy Martin Female Boxer Biography
Category:1968 births
Category:Living people
Category:American shooting survivors
Category:American women boxers
Category:Concord University alumni
Category:Lesbian sportswomen
Category:LGBT sportspeople from the United States
Category:LGBT people from West Virginia
Category:People from Apopka, Florida
Category:People from Mullens, West Virginia
Category:Sportspeople from Florida
Category:Boxers from West Virginia
Category:LGBT boxers |
{
"pile_set_name": "StackExchange"
} | Q:
Getting unity to resolve multiple instances of the same type
I want to do a simple resolve of multiple type registrations (ultimately constructor injected, but using .Resolve to see if Unity is even capable of such things.
In every case below, Unity resolves 0 items where it should be resolving 2.
Is there some switch in unity that turns on post-2007 behavior? Or am I just drastically missing something?
Here is my code:
public interface IFoo {}
public class Foo1 : IFoo{}
public class Foo2 : IFoo{}
class Program
{
static void Main(string[] args)
{
var container = new UnityContainer();
container.RegisterType<IFoo, Foo1>();
container.RegisterType<IFoo, Foo2>();
// container.Resolve<IEnumerable<IFoo>>(); returns 0
// container.ResolveAll<IFoo>(); returns 0
var foos = container.Resolve<IFoo[]>();
Console.WriteLine(foos.Count());
Console.ReadLine();
}
}
A:
In Unity there can only be one default registration (A registration without a name as in container.RegisterType<IFoo, Foo1>();
). If multiple default registrations are performed, the last one wins.
In order to register multiple implementation for the same interface, you need to assign names to those registrations:
container.RegisterType<IFoo, Foo1>("registration1");
container.RegisterType<IFoo, Foo2>("registration2");
Also, Unity only understand arrays by default. If you want to resolve as an array then you will be fine with the default behaviour. Otherwise you will need to register a mapping between the array and the collection you are interested in, like:
container.RegisterType<IEnumerable<IFoo>, IFoo[]>();
Another important note is that the default registration won't be returned when resolving a collection.
For example given:
container.RegisterType<IFoo, Foo1>();
container.RegisterType<IFoo, Foo2>("registration1");
container.RegisterType<IFoo, Foo3>("registration2");
container.RegisterType<IEnumerable<IFoo>, IFoo[]>();
If you resolve IEnumerable<IFoo>, the result will only contain instances of Foo2 and Foo3, but there will not be an instance of Foo1 because the default registration is not included.
|
{
"pile_set_name": "Github"
} | // Type definitions for rc-banner-anim 2.0
// Project: https://github.com/react-component/banner-anim
// Definitions by: jljsj33 <https://github.com/jljsj33>
// Definitions: https://github.com/react-component/banner-anim
import * as React from 'react';
import { IEaseType } from 'rc-tween-one/typings/AnimObject';
import Arrow from './Arrow';
import Thumb from './Thumb';
import Element from './Element';
export type Omit<T, K extends keyof T> = Pick<T, Exclude<keyof T, K>>;
type ITypeString = 'across' | 'vertical' | 'acrossOverlay' | 'verticalOverlay' | 'gridBar' | 'grid';
export declare type IType = ITypeString | ITypeString[];
export interface IProps<T> extends Omit<React.HTMLAttributes<T>, 'onChange'> {
prefixCls?: string;
arrow?: boolean;
thumb?: boolean;
initShow?: number;
type?: IType;
duration?: number;
delay?: number;
ease?: IEaseType;
autoPlay?: boolean;
autoPlaySpeed?: number;
sync?: boolean;
dragPlay?: boolean;
onChange?: (type: string, current: number) => void;
component?: string | React.ReactNode;
}
export declare function setAnimCompToTagComp(item: React.ReactElement<any>, i?: number): void;
export declare function switchChildren(hideProps: boolean, item: React.ReactElement<any>): void;
export declare const animType: {};
export default class RcBannerAnim<T> extends React.Component<IProps<T>> {
static Arrow: typeof Arrow;
static Thumb: typeof Thumb;
static Element: typeof Element;
static setAnimCompToTagComp: typeof setAnimCompToTagComp;
static animType: typeof animType;
static switchChildren: typeof switchChildren;
}
export {
Arrow,
Thumb,
Element,
};
|
{
"pile_set_name": "Pile-CC"
} | In 1939 cavalry was still one of the main weapons of the Polish Army; Indeed, it was considered as the elite of it, especially the units of Mounted Artillery. The cavalry regiments were the destination chosen by the majority of the best officers of each promotion.
The fact that cavalry survived as a substantial part of the army seemed so anachronistic in the 20th century, but it was due more to the conclusions drawn from experience in the last battles that took place on Polish territory than to questions related to the long equestrian tradition of the nation (that too).
World War I in the East had been fought mainly on Polish soil and had been a war of movements, contrary to what happened in the war of trenches of the front of the West. The cavalry could act effectively.
In the 1919-1920 war between Poland and Soviet Russia, cavalry had played a key role. In the broad plains of eastern Poland, the two Bolshevik armies of cavalry, the Konarmia of Ghay Khan (in the north) and Budionny (in the south), had advanced unstoppably flanking the Polish defensive positions. In the decisive Polish victory at the Battle of Warsaw, Polish cavalry had been determinant, and it would be again defeating the Konarmia of Budionny in Komarów, the last great battle of history exclusively fought by cavalry troops in which 1,500 Polish riders defeated 6,000 Soviets, causing them 4,000 casualties in exchange for 300 dead and wounded on the Polish side.
Battle of Komarów (Author: Jerzy Kossak)
In addition, during the 1920s and the first half of the 1930s the Soviet Union was considered the greatest threat to Poland, and the land of eastern Poland, mainly flat, but plagued by marshes and with scarce and primitive ways and roads, was much more suited to the movement of mounted troops than to the primitive and fragile vehicles of the time.
These considerations led Polish military planners to conclude that cavalry still had an important role to play in the defense of Poland. Germany did not pose a threat until after the equator of the 1930s, when the process of mechanization of the Polish Army began.
Battle of Mokra
The cavalry in September 1939
At the beginning of World War II the Polish Army had 11 brigades of cavalry, in addition to two others in process of mechanization quite advanced.
Each cavalry brigade ranged from about 6000-7000 men and consisted of 3 or 4 cavalry regiments, mostly Uhlans (lancers), a “Dywizjon” division of mounted artillery (the term Dywizjon in Polish actually refers to a company, because each one consisted of 3 batteries of 4 guns), a small armored unit formed by a squadron of tanks and one of armored cars, a bicycle squadron and another of engineers, and finally a battalion of fiflemen. Each cavalry regiment had about 800-900 men, and had a squadron of heavy machine guns, an antitank platoon and another cyclist.
At the end of the article there is an explanatory table of the organization of Polish cavalry brigades and regiments.
Battle of Mokra
Tactics in combat during the September Campaign
The Polish military manuals in 1939 no longer considered charges as a main resource of cavalry. In fact, the spear had been withdrawn in 1936 and was only used in parades and marches. The armament of the Uhlan was very similar the one of the Polish infantry of the time and the saber was conserved only like a weapon of last resort.
The function of the Polish cavalry was to fight like mounted infantry, acting like a mobile reserve, able to move and deploy quickly to go in support of the infantry, covering holes in the defense when necessary or clearing the way in the attack. For this, each regiment had 37 mm anti-tank guns (insufficient number), anti-tank rifles Wz35, light and heavy machine guns, etc.
Although the final outcome of the September 1939 Campaign is known to all, it must be said that cavalry performed very well generally, even in cases where it was faced against German tanks, without being exhaustive we will give some examples:
On 1 September the Battle of Mokra was fought, in which the 4th Panzer Division was detained for a full day by the Wołyńska Cavalry Brigade. During the attack on the positions defended by the 12º Uhlan Regiment “Podolski”, 4th Panzer Division lost about 40 cars and armored vehicles. When finally the Polish Cavalry had to retire, the following day, had suffered about 500 casualties against the 1,200 dead and wounded and 40 destroyed tanks of the Germans.
Also the same of September 1st, during the Battle of the Woods of Tuchola, in the Pomerania corridor, the 20th German Motorized Division was stopped by the Cavalry Brigade “Pomorska”, the head of the division arriving to request permission to retire before an “intense pressure of the cavalry”.
Charge of the 19º of Uhlans in Mokra (Author: Edward Mesjasza)
Charge!
Once this point has been clarified, it must be said that there were charges of cavalry with the saber, during the brief September Campaign just over a dozen of them were recorded. They were punctual actions in which they had a clear advantageous position for the cavalry, or else the situation was already totally desperate. Usually these charges were against infantry units, never directly against armored units, and in most cases these charges culminated successfully for the attacking cavalry.
During the aforementioned Battle of Mokra, on 1 September, a charge of the 19th Uhlan Regiment of Wolynia (Wołyński) rejected the infantry units of the 4th Panzer Division as they attempted to flank the defensive positions of the Wołyńska Brigade.
In Janow, on 1 September, a squadron of the 11th Uhlan Regiment of the Legions, belonging to the “Mazowiecka” Cavalry Brigade, charged on a German cavalry unit and fled it after a brief collision in which Poles suffered about 30 casualties and Germans 40.
On 2 September in the Borowa aldéa, a squadron of the 19th Uhlan Regiment of Wolynia (Wołyński) charged against a German cavalry squadron, which escaped without accepting the clash …
When on September 11 the 20th Uhlan Regiment “King Jan III Sobieski” of the “Kressowa” Cavalry Brigade was surrounded and destroyed in the Psary Forest, near Szymanów, Lieutenant Jan Burtow’s squadron charged to breaking the siege, managing to escape to join the 22nd Uranian Regiment.
On the night of 11 to 12 September, the 11th Uhlan Regiment of the Legions and the 6th Infantry Regiment of the Legions were ordered to attack the city of Kałuszyn, which was occupied by German troops of the 1st Panzer Division, specifically By the 44th Regiment and the SS Regiment “Deutschland”. The order to advance was misinterpreted and the squadron of Lieutenant Andrzej Żyliński launched the charge getting into the city despite losing 33 of its 85 men. The Polish infantry took advantage of the breach in the German defenses to enter the city and liberate it. The next day the city was in Polish hands and the 1st Panzer Division in retreat. Polish casualties are unknown, apart from the 33 Uhlans fallen during loading. The German casualties were 120 dead, 200 injured and 84 missing. Major Krawutschke, who commanded the 44th Infantry Regiment, committed suicide.
On 13 September a squadron of the 27th Uhlan Regiment “King Stefan Batory”, under the command of Captain Boris Gierasiuk, after fleeing the Germans, charged them in their pursuit, reconquering the city of Maliszew in the process and doing numerous prisoners.
On September 15, during the Battle of Bzura, the 17th Uhlan Regiment “Wielkopolski” was ordered to occupy a cross of the Bzura river in the area of Brochow to establish a bridgehead on the east bank of the river. For it, several squadrons charged against the positions of the German infantry and after reaching them they dismounted and fought on foot.
Charge of the 14th Uhlan Regiment in Wólka Węglowa (Museum of the Army, Warsaw)
On September 19, about 1000 riders from the 14th Uhlan Regiment of Jazłowiec and the 9th Uhlan Regiment of Malopolska (Podolska Brigade), retreating to Warsaw with the Poznan and Pomerania armies, successfully charged into Wólka Węglowa, near the forest Of Kampinos, against the German troops that interposed between them and Warsaw. It is estimated that the German forces consisted of about 2,300 men and some 40 tanks of the 1st Panzer Division, as well as artillery and cavalry. The Germans were surprised by the night charge and the Polish cavalry managed to break the lines, being the first units of the Poznan Army that managed to arrive at the capital to contribute to its defense. Polish casualties were very high, as 105 lancers died and another 100 were wounded, or 20% of the participants. For its part the Germans lost about 120 men between dead and wounded.
During the battle of Kamionka Strumiłowa, on September 21, the third squadron of the 1st Cavalry Division (an improvised unit) charged the German infantry when it was preparing to attack positions of the Polish infantry, the Germans abandoned their positions and withdrew.
Between 21 and 22 September the remains of the 5th, 20th and 28th infantry divisions, as well as the cavalry group of Major Josef Juniewicz, composed of remnants of the 12th Uhlan Regiment “Podolski” and 21st Uhlan Regiument “Nadwiślański” of the “Wolynska” Cavalry Brigade, the 6th Mounted Rifle Regiment of the “Kressowa” Brigade and the 6th “Dywizjon” Mounted Artillery of the Podolska Brigade, attempted to retreat from the Kampinos forest to the fortress Of Modlin. Between them and their destination were two German regiments of the 18th Infantry Division supported by artillery, tanks and the Luftwaffe. Polish forces totaled about 5,000 men, of which 1,500 were cavalry and had only 6 guns.
The Polish soldiers attacked with great fierceness and managed to break the first of the three defensive lines that had prepared the Germans, but the attack stopped before the second. Major Juniewicz’s riders charged against the German lines, Major Juniewicz dying, as well as 90% of the officers and 60% of the soldiers who took part in the charge.
The riders of the 6th “Dywizjon” mounted Artillery headed the charge that opened the way to Warsaw to the rest of the unit. In the Battle of Łomianki 800 Polish soldiers died and more than 4,000 were wounded. German casualties are not known.
Still on the 23rd, when all was lost, the 25th and 27th Uhlan Regiments, belonging to the Cavalry Brigade “Nowogrodzska”, which was heading south to reach the Romanian border, took part in the Battle of Krasnobrod. During the same the first squadron of the 25th Uhlan Regiment made a charge that, in addition to allowing the brigade to reconquer the city of Krasnobrod and to capture to the staff of the 8ª German Infantry Division, rejected a counterattack of the German cavalry. However, during the charge, the squadron entered a zone beaten by German machine guns and was practically annihilated, suffering 35 wounded and 26 dead, among them its chief Lieutenant Tadeusz Gerlecki. The German casualties were 47 dead, 30 wounded and about 100 prisoners.
Charge of Husynne (Author: Stanislaw Bodes)
On the same day, a Polish cavalry unit, consisting of the reserve squadron of the 14th Uhlan Regiment of Jazłowiec and a mounted squadron of the Warsaw Police, along with a battalion of mortars, was surrounded by the 81st Infantry Division of the Red Army in the village of Husynne, in the valley of the river Bug. Supported by mortar fire, 400 Polish riders charged the Soviets to try to break the siege. The Soviet infantry undertook the flight suffering heavy losses, but behind the hills were Soviet armored units that surrounded the Poles and after a fierce battle forced them to surrender. Of the 500 Polish soldiers who took part in the battle, 143 died and 139 were wounded, the rest was captured. According to the testimony of Corporal Włodzimierz Rzeczyck, of the 14th Uhlan Regiment, the Soviets killed 25 Polish prisoners of war after the battle. Soviet casualties totaled 200 men.
The last charge of the September Campaign was led by the 27th Uhlan Regiment “King Stefan Batory”, which charged twice against a German infantry battalion defending the town of Morańce. Both charges were rejected and 20 Uhlans died, but the Germans were forced to send messengers under a white flag to negotiate the terms on which they would abandon the village.
The myth is born
Frontpage of La Domenica del Corriere, with an imaginative illustration of the charge of Krojanty
The legend is born on September 1, when in the village of Krojanty, on the edge of the forest of Tuchola, the 18th Uhlan Regiment discovered the 20th German Division bivouac. Seeing a favorable situation, Colonel Martarlerz, commander of the Regiment, launched a charge with 2 squadrons of the same (about 200 men). The Germans, surprised, left literally running in disarray and the Poles fell on them with sabers. Fortunately for the Germans, a reconnaissance unit equipped with auto-machine guns and armored vehicles appeared on the scene during the fray, and with their machine guns and cannons they rejected the Poles, who had to retire to the forest with many wounded and leaving 40 dead in hhe terrain, including the commander of the Regiment.
Although armored vehicles took part in the action, this can hardly be considered a deliberate charge against the tanks, since they entered the scene once the charge began.
The next day several journalists came to the scene and the Germans showed them the corpses of the horsemen and their saddles, explained to them that they had been killed by the armored vehicles, and they wrote for their media that the Polish lancers charged insanely against the tanks. One of those journalists, Indro Montanelli, in his chronicle for “Il Corriere della Sera” described the events as a sublime act of heroism of the Poles.
The truth is that, although General Heinz Guderian also speaks of these charges against the tanks in his memoirs, these never happened.
The myth is consolidated
But the myth flourished in historiography. Somehow, because everyone was convenient and attractive, depending on each point of view …
On the one hand, to the German propaganda it served to show the world how the Poles had underestimated the power of German arms while, on the other hand, yo the Western allies it served to justify their inaction and lack of assistance to Poland in September 1939 shielding himself in the poor performance of an army so old and badly commanded that it was able to charge with spears against tanks.
The Soviets and the postwar communist Polish government exploited the myth to discredit the institutions and leaders of the 2nd Polish Republic, arguing that they had not prepared the defense of the country and they had not even scrupled to send their soldiers to death without sense …
This was of vital importance for an unpopular regime which, even in a war-torn country, could not have been sustained without the backing of the Soviet Army, and which attempted at all costs to denigrate the pre-war regime, which was the one the majority of Poles considered legitimate.
The paradox is that, for quite different reasons, this myth came to appeal to non-communist Poles, loyal to the Polish Government in London and even today’s Polish, and many still believe it true. Since if one looks from a romantic and patriotic perspective (and the Poles are both), they are acts of sublime heroism …
Charge of Boruszko
Epilogue
It is the afternoon of March 1, 1945; 1st, 2nd and 6th Polish Infantry Divisions, supported by the T-34/85 of the Polish Armored Brigade “Heroes of Westerplatte”, dislodge the 163rd German Infantry Division, heavily fortified in the village of Schoenfeld in Pomerania (today it is part of Poland and is called Żeńsko, then Borujsko in Polish).
The attack is bogged down by the difficulty of the terrain, and the fields of mines and ditches and the infantry and tanks fail to break the German defenses.
At the edge of the forest there are two squadrons of the 3rd Ulhan Regiment of the 1st Polish Cavalry Brigade “Warszawska” and two mounted artillery batteries of the 4th Polish Cavalry Brigade, in total about 220 horsemen, form in line, draw sabers and are thrown to the charge.
Five and a half years have passed since the last charge of Polish cavalry and World War II is nearing its end. Like shadows of the past, galloping riders, who wear uniforms almost identical to those of their ancestors in 1939, pass between the infantry and the T34 tanks, cross the no man’s land and take advantage of the confusion and surprise, enter the village followed by the infantry. After a fierce hand-to-hand combat Schoenfeld is conquered.
In Borujsko’s charge 7 Uhlans were killed and 10 wounded, total Polish casualties in the battle were 147 dead and 294 wounded, the Germans had more than 500 dead and 50 prisoners.
Order of Battle of a Polish Cavalry Brigade in 1939(6000 – 7000 men depending on the number of regiments)
Cavalry Regiments
3 or 4 per brigade. The usual were brigades of 3 regiments, each of about 900 men.
The mail subscription service to Contando Estrelas will allow you to receive in your mailbox a daily email with the new entries published in this blog. It is a free service provided by Feedburner. Once you have entered your email in this box and press the "submit" button, you will receive a confirmation email in your mailbox to activate your subscription.
The email sent through this box is stored by Feedburner and used exclusively to send you the updates of this blog. You will not receive any email related to other purposes. The subscriptions of this blog can only be accessed by its author. The author of this blog is not responsible for the use and purposes that Feedburner gives the data provided. In the website of Feedburner you can consult its privacy policy and its terms of service. For any questions or concerns related to this service, you can send me an email through this contact form. |
{
"pile_set_name": "Pile-CC"
} | June at Charmed Life
September 01 2009
Curate your life. Be charmed. The Trunk Show of All Trunk Shows! Get your holiday shopping done early and join Metro Magazine & l’étoile for a festive evening of shopping, drinks and music at International Market Square. Don’t miss the chance to meet current Project Runway Minnesota designer Christopher Straub and see his designs! |
{
"pile_set_name": "StackExchange"
} | Q:
Show tooltip on textbox entry
I have a textbox that requires data to be entered in a certain way. I have implemented some cell validating techniques to check the data after it has been entered, but I'd like to provide the user with some information before they enter the data.
To that end, I'd like to add a tooltip to the textbox that pops up when the user enters the toolbox, then exits when they begin to type.
For example I have the following code:
private void YearEdit_Enter(object sender, EventArgs e)
{
ToolTip tt = new ToolTip();
tt.IsBalloon = true;
tt.InitialDelay = 0;
tt.ShowAlways = true;
tt.SetToolTip(YearEdit, "Enter 4 digit year.");
}
This executes when the user enters the textbox, however the tooltip only appears when the mouse hovers over the textbox. Does anyone have any ideas to work around this? I thought that perhaps tt.ShowAlways = true might work, but obviously not.
A:
Hook into the textbox.enter event and use the following code:
private void textBox1_Enter(object sender, EventArgs e)
{
TextBox TB = (TextBox)sender;
int VisibleTime = 1000; //in milliseconds
ToolTip tt = new ToolTip();
tt.Show("Test ToolTip",TB,0,0,VisibleTime);
}
Play with X/Y values to move it where you want. Visible time is how long until it disappears.
A:
Tooltips only appear when the mouse is still by design.
You could try setting the InitialDelay to 0:
tt.InitialDelay = 0;
But this would still require the mouse to be stationary for an instant.
However there are other approaches. A common way of showing what input is required is to use a watermark (faded text) in the textbox that displays the formatting required until the user starts typing.
If you really want a tooltip then you could either add an information icon (usually an "i") which will show the tooltip when it's hovered over, or implement your own.
It might also work if you break the date into parts (separate day, month, year). This will allow you more control over what the user can enter - the month can become a drop down/combo box so it's always the correct format.
|
End of preview. Expand
in Dataset Viewer.
README.md exists but content is empty.
- Downloads last month
- 3