text stringlengths 8 5.77M |
|---|
The Democratic-majority Colorado state Senate passed a bill this week that would give the state’s electoral votes in presidential elections to the candidate who wins the popular vote instead of the Electoral College.
Colorado’s Senate passed the bill in a 19-16 vote Tuesday along party lines.
The bill would mandate that the state’s members of the Electoral College vote for the presidential candidate who wins the popular vote.
Under current state law, the state’s electoral college members cast their vote for the candidate who wins the election in Colorado.
The legislation, sponsored by state Sen. Mike Foote (D-Lafayette), would have allowed Colorado to join the National Popular Vote Interstate Compact with 11 other states and the District of Columbia.
“This really isn’t a red versus blue idea. This is about making sure that the president of the United States is elected by the entire nation, not just a handful of ‘battleground states’ that get to decide our presidential elections under the current system,” Foote said of the bill in a statement. “All of Colorado’s voters should be heard, regardless of whether or not we are considered a battleground state.”
If enough states sign onto the compact, it would change the outcome of presidential elections by awarding all electoral votes to the winner of the popular vote.
But the bill is not likely to become law unless the Colorado House approves and enough states agree to the compact.
The states which have agreed to the compact only add up to 172 electoral votes, falling short of the 270 electoral votes needed for a candidate to win the Electoral College.
Colorado Senate Republicans have also raised concerns about whether the proposal is constitutional, saying that it is unconstitutional to link the state’s electorate to public opinion.
ALL 16 of your GOP Senators voted NO to curtailing the electoral college. Senator @owenjhill: “It says you’re votes and your choices are no longer your own. We are going to tie your representation to what the other 49 states choose."#COpolitics #COleghttps://t.co/jZIrms8odv — Colorado Senate GOP (@ColoSenGOP) January 31, 2019
“It says your votes and your choices are no longer your own,” GOP state Sen. Owen Hill said in a statement. “We are going to tie your representation to what the other 49 states choose.”
Democrats have taken aim at the Electoral College after the 2016 presidential election, when President Trump won the election against his Democratic challenger Hillary Clinton but lost the popular vote by three million votes.
Trump took home 304 electoral votes, while Clinton had 227 votes.
Clinton herself called for abolishing the Electoral College in September 2018, claiming the country should get rid of it because Trump was a terrible president who threatened American democracy.
Other Democrats turned their calls for getting rid the Electoral College into action. Rep. Steve Cohen (D-TN) introduced a bill in Congress in January seeking to abolish the Electoral College. |
Historic mill villages of Woonsocket
The city of Woonsocket in the U.S. state of Rhode Island was established as a union of six mill villages along the Blackstone River. These villages are described in more detail below.
Woonsocket Falls Village was founded in the 1820s, taking up much of the area around Market Square. Entrepreneurs built many factories in the area which were powered by Blackstone River water flowing to the factories from hand-dug trenches.
Social Village was the site of the city's first textile mill. In 1810 Ariel, Abner and Nathan Ballou, Eber Barlett, Job and Luke Jenckes, Oliver Leland and Joseph Arnold started the Social Manufacturing Company manufacturing cotton thread in a small wooden mill on the Mill River near Social Street. Eventually, the Social Mill, Nourse Mill and American Wringer Company were built in the area.
Jenckesville was founded 1822 by Job and Luke Jenckes when they sold their interest in the Social Manufacturing Company and constructed Woonsocket's first stone mill at 96 Mill Street.
Hamlet Village was founded 1815 by General Edward Carrington, a creator of the Blackstone Canal. Carrington built a textile mill near Hamlet Avenue and Davidson Street.
Globe Village was named after the Globe Mill located within it. Thomas Arnold, Thomas Paine and Marcel Shove started the Globe Manufacturing Company in 1827 which went bankrupt two years later, and was acquired by George Ballou in 1864 who built a new state-of-the-art textile mill in 1873. The Social Manufacturing Company bought Ballou's complex after his death, and the company operated the mill until "it was acquired by the Manville-Jenckes Company in the early 1900s. Manville-Jenckes operated the mill until 1927 when it was closed. The mill buildings were demolished in the 1940s but employee housing on Front and Lincoln Street still remains." Globe Park remains a popular recreation area.
Bernon (originally Danville) was founded in 1827 by the Russell Manufacturing Company, which built a stone mill in the area. In 1832, Sullivan Dorr (father of Thomas Wilson Dorr) and Crawford Allen of Providence bought the Russell Manufacturing Company and formed the Woonsocket Mill Company and renamed the village Bernon. In 1833, Dorr and Allen built the Bernon Worsted Mill. Eventually, the site became the property of the Blackstone Valley Gas and Electric.
References and external links
Woonsocket Village info
History of Providence County Rhode Island edited by Richard M. Bayles and published by W. W. Peston & Co., New York, 1891
Images of America - Woonsocket written by Robert R. Bellerose and published by Arcadia Publishing, Dover, NH, 1997.
Old Woonsocket - erastus & doc written by Alton Pickering Thomas, MD and published by Mowbray Company of Providence, RI in 1973.
Statewide Historic Preservation Report for Woonsocket, Rhode Island published by the Rhode Island Historic Preservation Commission in September, 1976.
Woonsocket, Rhode Island - A Centennial History 1888 - 1988 published by the Woonsocket Centennial Committee in 1988.
Woonsocket - Highlights of History 1800-1976 written by Alton Pickering Thomas, MD and published by the Woonsocket Opera House Society in 1973.
Category:Villages in Providence County, Rhode Island
Category:Villages in Rhode Island
Category:Woonsocket, Rhode Island |
Q:
capistrano does not bundle install into specified gemset
I have a Rails application configured to deploy via Capistrano and RVM. When I run a cap my_stage deploy (this applies for all my stages), Capistrano bundle installs to /var/www/my_app/shared/bundle, even though I have specified in my config/deploy.rb file that I want it to use the 1.9.2@my_app gemset.
This is contrary to my expectations - I expect Capistrano to deploy into my user's home directory: ~/.rvm/gems/ruby-1.9.2-p290@my_gemset/gems.
Am I doing something wrong? Or is this expected behaviour.
Here is my deploy file:
require 'capistrano/ext/multistage'
require 'bundler/capistrano'
set :stages, %w(local development staging production)
set :default_stage, "local"
set :application, "My Rails App"
set :repository, "git@github.com:MyApp/my_app.git"
set :scm, :git
set :deploy_to, "/var/www/my_app"
set :use_sudo, false
ssh_options[:keys] = [File.join(ENV["HOME"], ".ssh", "my_key.pem")]
# RVM
$:.unshift(File.expand_path('./lib', ENV['rvm_path']))
require 'rvm/capistrano'
set :rvm_ruby_string, '1.9.2@my_app'
set :rvm_type, :user
set :user, 'my_user'
Here is my .rvmrc file in my Rails app:
rvm_trust_rvmrc_flags=1
rvm use 1.9.2@my_app
Thanks,
Max
A:
While I don't use Capistrano (I deploy to Heroku, so git is all I need), I'd imagine it probably uses the current recommended best-practice of calling "bundle install --deployment" on the production server which, according to the Bundler documentation, installs all of the gems locally into your app's deployment root instead of your GEM_HOME (which would be your RVM gemset in this case). When you use "bundle install --deployment" you have to use "bundle exec rake" (or bin/rake if you also installed with --binstubs) to run Rake in your bundled environment.
The main reason Bundler recommends deploying this way is to avoid any "dependency hell" situations in your deployed app. While an RVM gemset does the same thing, Bundler doesn't assume the presence or absence of RVM, it only assumes Ruby and RubyGems are installed and working.
When using Bundler, it's always recommended to use either "bundle exec" or binstubs regardless of the --deployment flag (even on your local machine in development or test mode), this way you can be 100% sure that you're only depending on the gems required by your Gemfile (and their dependencies, of course) and you can't accidentally deploy an app that depends on any locally installed gems on your machine that aren't deployed to the production server.
|
This subproject is one of many research subprojects utilizing the resources provided by a Center grant funded by NIH/NCRR. The subproject and investigator (PI) may have received primary funding from another NIH source, and thus could be represented in other CRISP entries. The institution listed is for the Center, which is not necessarily the institution for the investigator. Oncogenic viruses are etiologic agents in two forms of head and neck cancer: Epstein-Barr virus (EBV) associated undifferentiated nasopharyngeal carcinoma, and human papillomavirus (HPV) associated oropharyngeal squamous cell carcinoma (OSCC). We previously discovered that EBV transactivates a human endogenous retrovirus, HERV-K18, that encodes a superantigen in its env gene. Superantigens cause strong T cell activation and cytokine production, resulting in inflammation. Recently, we found that HPV also induces this superantigen in epithelial cells, suggesting a possible etiological role for HERV-K18 in virally associated head and neck cancers. In support of our findings, superantigen transcripts were significantly increased In HPV+ OSCC compared with HPV- tumors. Our central hypothesis is that HERV-K18 superantigen activated T cells affect virally associated head and neck cancers, by eliciting a localized inflammatory response that could either promote or inhibit carcinogenesis, depending upon the T cells present in the tumor microenvironment. Superantigen associated T cell proliferation could result in expansion of either effector or regulatory responses, while activation induced cell death could result in a functional state of tolerance of particular T cell subsets. This could promote tumorigenesis by amplifying T regulatory or suppressive responses, providing growth factors and chemokines that recruit cells, angiogenic factors and matrix metalloproteases, all of which would advance metastasis. Disrupting the superantigen activated T cell response in that case might prevent metastases. Conversely, superantigen activation has the potential to inhibit tumorigenesis, by expanding cytotoxic T cells, which would enhance immunosurveillance. In which case, exploiting the superantigen mediated cytokine response might have therapeutic benefit. In the original proposal, we aimed to: (1) model and characterize HERV-K18 superantigen mediated T cell responses to HPV+ vs HPV- OSCC;(2) perform microarray and cytokine array studies on HPV+ vs HPV- OSCC stratified for HERV-K18 expression; (3) Develop agents that inhibit or induce HERV-K18 superantigen presentation and characterize their effects on T cell function;(4) Measure therapeutic efficacy of agents that inhibit or induce HERV-K18 superantigen activated T cells in a xenograft mouse tumor model. By characterizing superantigen T cell responses, we expect to identify immunomodulatory mechanisms at play in HPV associated head and neck tumors, with the ultimate goal of potentiating anti-tumor immunity. The proposed studies would allow us to explore the role of superantigen activated T cells on viral carcinogenesis, and suggest immunological methods for preventing tumor progression, possibly identifying new treatment options. However, this application was awarded only limited bridge funding of $20,000, for one year, non-renewable. Since the full proposal could not be completed under such budget and time constraints, we concentrated on specific aim 2, performing cytokine and gene expression microarray analyses on tissue specimens from patients with HPV+, HERV-K18+ vs. HPV-, HERV-K18- tumors. |
Targeting Mechanisms Linking COPD to Type 2 Diabetes Mellitus.
Chronic obstructive pulmonary disease (COPD) and type 2 diabetes mellitus (T2DM) often coexist. The mechanistic links between these two diseases are complex, multifactorial, and not entirely understood, but they can influence the approach to treatment. Understanding whether COPD comes first followed by T2DM or vice versa, or whether the two diseases develop simultaneously due to common underlying mechanisms, is important for the development of novel therapeutic approaches to these two important diseases. In this review, we discuss the potential links between COPD and T2DM and pharmacological approaches that might target these links. |
South Prairie, Washington
South Prairie is a town in Pierce County, Washington, United States. The population was 434 at the 2010 census.
History
South Prairie was platted in 1888 by Frank Bisson. It was named because of its location, south of Connell's and Porter's prairies. South Prairie was officially incorporated on February 17, 1909.
Geography
South Prairie is located at (47.138402, -122.096848).
According to the United States Census Bureau, the town has a total area of , of which, is land and is water.
Demographics
2010 census
As of the census of 2010, there were 434 people, 166 households, and 115 families living in the town. The population density was . There were 174 housing units at an average density of . The racial makeup of the town was 92.4% White, 0.5% African American, 2.5% Native American, 0.7% Asian, 0.5% from other races, and 3.5% from two or more races. Hispanic or Latino of any race were 1.2% of the population.
There were 166 households of which 36.1% had children under the age of 18 living with them, 56.6% were married couples living together, 7.8% had a female householder with no husband present, 4.8% had a male householder with no wife present, and 30.7% were non-families. 24.7% of all households were made up of individuals and 8.4% had someone living alone who was 65 years of age or older. The average household size was 2.61 and the average family size was 3.15.
The median age in the town was 40.6 years. 25.8% of residents were under the age of 18; 6.7% were between the ages of 18 and 24; 22.5% were from 25 to 44; 33.8% were from 45 to 64; and 11.1% were 65 years of age or older. The gender makeup of the town was 51.8% male and 48.2% female.
2000 census
As of the census of 2000, there were 382 people, 125 households, and 98 families living in the town. The population density was 938.3 people per square mile (359.7/km²). There were 138 housing units at an average density of 339.0 per square mile (130.0/km²). The racial makeup of the town was 93.98% White, 1.05% African American, 2.09% Native American, 1.31% Asian, and 1.57% from two or more races. Hispanic or Latino of any race were 0.79% of the population.
There were 125 households out of which 44.8% had children under the age of 18 living with them, 68.0% were married couples living together, 4.8% had a female householder with no husband present, and 20.8% were non-families. 12.0% of all households were made up of individuals and 3.2% had someone living alone who was 65 years of age or older. The average household size was 3.06 and the average family size was 3.40.
In the town, the age distribution of the population shows 33.0% under the age of 18, 4.7% from 18 to 24, 38.5% from 25 to 44, 16.8% from 45 to 64, and 7.1% who were 65 years of age or older. The median age was 32 years. For every 100 females, there were 108.7 males. For every 100 females age 18 and over, there were 100.0 males.
The median income for a household in the town was $50,250, and the median income for a family was $56,250. Males had a median income of $47,589 versus $37,250 for females. The per capita income for the town was $19,345. About 1.8% of families and 5.1% of the population were below the poverty line, including 4.5% of those under age 18 and 13.0% of those age 65 or over.
References
External links
The Gazette, Local Newspaper
Town Web Site
Category:Towns in Pierce County, Washington
Category:Towns in Washington (state)
Category:1909 establishments in Washington (state) |
Q:
Operator precedence in programming language
In programming Language class, I learned operator precedence and associativity. The under is simple Context-Free-Grammar
<expr> -> <expr> + <term> | <term>
<term> -> <term> * <fact> | <fact>
<fact> -> (<expr>) | a
By using Context-Free-Grammar above, we can make the sentence
a+a+(a+a)
I think, the order of operation should be done as follow : (a+a) -> a+a then plus altogether. However, on lecture, the professor said both (a+a) -> a+a and
a+a -> (a+a) order is right. Student's are in panic. Even in the sentence below,
(a+a)+((a+a))
Both order ((a+a)) -> (a+a) then plus and (a+a) -> ((a+a)) is correct.
He just said, after making parse tree, then converted to the assembly language
so the order depends on Compiler.
I don't understand his explanation.
Is anybody can explain why there are two possible order??
A:
Evaluation order is independent of grouping. If you need to calculate X + Y (where X and Y are sub expressions), it does not matter whether you first compute temp2 = Y and then temp1 = X or the other way around. At the end temp1 + temp2 has the same value.
Sometimes it is more convenient to compute the right-hand argument first. (Maybe you already know it from a previous computation, for example.)
If the computation of X or Y has a side effect, that might need to be taken into account. Some languages insist that side effects happen left to right; others allow any order. But in no case does parenthesis grouping affect the order of computation. It only determines what is computed.
|
The ballad of a blocker
Bryan Millard was just another lineman when he joined the Seahawks in 1984, but 26 years later the former right guard turned guitar collector has landed a spot on the franchise’s 35th Anniversary team.
Bryan Millard always was, and still remains, a man of diverse tastes and talents.
Take the trip the former guard for the Seahawks has planned to the Seattle area later this month, when he’ll take part in a benefit concert to help with medical costs for longtime friend Neil Morris.
“One of my guitar-playing buddies, he’s kind of under the weather,” Millard said this week from Austin, where he played his college ball at the University of Texas and continues to live.
“So we’re going to have a little benefit for him in Woodinville, see if we can raise some money and pay a few doctor bills for him. So that will be a good time. A great guy. Just a great guy.”
That’s Millard, always looking for ways to look out for others.
That’s why he was among the most popular – and respected – players on those Seahawks team from 1984-91. And when it came to football, Millard was the epitome of the kind of player former coach Chuck Knox not only loved but sought out.
“Listen, I wasn’t the biggest, or fastest, or anything like that,” Millard said. “But I did the three things Chuck always asked for: Show up on time, practice hard and play your rear off on Sunday.
“My time with the Seahawks certainly opened the door for a lot of other things for me.”
BLUE AND GREEN DREAM TEAM
The Seahawks’ 35th Anniversary team, as selected by the readers of Seahawks.com:
Gray played longer (nine seasons) and more recently (1998-2006). He also made more starts (145, including a franchise-record 121 in a row from 1999-2006). But Millard, who started 99 games in eight seasons, was the choice.
“It’s a very cool honor,” Millard said. “As much as I enjoyed it, my dad and my children enjoyed it equally as much. So that was a pretty neat deal.
“Think about it. I wasn’t just an offensive lineman; I was an offensive lineman from 20 years ago. So to have the fans remember me is very, very humbling.”
This “music thing” that will bring him back to Seattle is nothing new for Millard, who began buying vintage guitars while playing for the Seahawks and estimates he has roughly two dozen hanging on his hallway wall or in storage.
His musical tastes always have run from, well, as he puts it, “Country and western. And country and western.” And at the top of his list of favorite performers is Merle Haggard, who he also got to know during his stay with the Seahawks.
Once asked to name his favorite country and western songs, he said, “Any five by The Hag.”
Asked to name those five, he moaned, “I can’t do that. How can you pick just five songs by The Hag?”
It’s kind of like picking a 35th Anniversary team and being limited to just two guards. But Millard is one of them for reasons that were obvious to his former teammates and coaches.
“Bryan runs into people and knocks them down over and over again,” Chick Harris, the Seahawks’ running backs coach from 1983-91 who now is with the Houston Texans, once said. “Our backs love to run behind him because they know there’s going to be a big collision in front of them.”
As Curt Warner, the leading rusher on those teams, put it at the time, “If Bryan played in Chicago, New York or Los Angeles, he’d be a Pro Bowl player.”
Instead, Millard wasn’t even drafted out of Texas and spent two seasons blocking for Hershel Walker with the New Jersey Generals of the old USFL before signing with the Seahawks in 1984. But by the time he was finished – and before the Seahawks had used first-round draft choices on left tackle Walter Jones (1997) and Hutchinson (2001) – any discussion of the best offensive lineman in franchise history usually began and frequently ended with Millard.
“Bryan’s thing is, when you work, work hard,” Hall of Fame wide receiver Steve Largent once said. “He’s intense, and he takes a lot of pride in his performance. He’s very protective of his teammates, more so than anyone else on the team. If there’s any indication of a late hit or a cheap shot, Bryan will be the first one pulling a guy off you.”
Speaking of work, Millard has had a few jobs since leaving football. He owned a drug company after retiring from the game, but sold it several years ago. He then coached at Sam Houston State in Huntsville. He recently took a job with an asset management firm.
“It’s something I’ve been involved in, but just never worked in,” he said. “It’s kind of fun.”
But it’s obvious where his passion remains rooted. There’s football, and his former Seahawks teammates dubbed him “Bevo,” after the Texas mascot. There’s family, with one daughter, LaShea, a senior-to-be at Angelo State; and the other, Lexi, a sophomore-to-be at UT-Arlington. There’s music. He bought his first guitar in 1985, from an ad in the newspaper. The rest followed with the help of Dave Head, who also gave Millard an appraisal of that first purchase.
“There was this long-haired fella behind the bar and I said, ‘Hey, I bought this guitar. Did I get (screwed)?’ ” Millard recalled. “The guy goes, ‘How much did you pay for it?’ I said, ‘Seventy bucks.’
“Then he goes, ‘Well, how badly could you have gotten (screwed)? You only paid 70 bucks.’ ”
That exchange led to Millard bonding with Head and also meeting Morris, as well as becoming a collector of vintage guitars.
“Neil and Dave, they’re complete opposites,” Millard said. “But to this day, they’re two of the best friends I have in the whole world. They’re just great, great people.”
They’re also an opposite-ends-of-the-spectrum pair who have helped turn Millard from a guy who had one $70 guitar to a connoisseur who now owns many that are worth substantially more.
“I wish I was a better guitar player,” Millard said. “But the minute I get to be a better guitar player, I’m going to have some cool guitars to play.” |
This playful blend of aqua, silver, gold, purple, pink, blue, red, green and white biodegradable glitter in EcoGlitterFun's uber chunky and chunky sized grains is perfect for all festival looks. Suitable for both face and body.
Regular glitter constitutes a micro-plastic and takes hundreds of years to decompose. Plastics and micro-plastics are polluting our oceans, killing and poisoning marine animals and contaminating the food chain. With biodegradable glitter both you and Mother Earth can look and feel FABULOUS.
Specifics:
100% compostable and biodegradable glitter.
Non toxic, free of heavy metals and approved for cosmetic use.
The film is sustainably sourced, there are no genetically modified materials or materials obtained from genetically modified organisms.
All online orders placed by 13:00 (GMT) Monday to Friday will be shipped within 24 hours. Orders placed over the weekend will be shipped on Mondays.
Currently Acala uses different Royal Mail services to ship orders: Standard or Expedited for UK mainland and Standard or Tracked for overseas. For any queries about the delivery status of your order, delays or returns please contact hello@acalaonline.com. Acala is continuously striving to reduce it’s carbon footprint and as the business grows, and order sizes reach the amount needed to make the use of a green courier service viable, we will make the switch.
Planet-friendly packaging: we wrap all orders by hand in our east London studio using recycled paper, biodegradable cornstarch chips and card, held together with natural tape, made in the UK. You will receive your Acala order in the most minimal packaging possible to keep your order safe in transit.
UNITED KINGDOM
ROYAL MAIL 48 - £2.99 Free on orders over £50.00.
Standard UK shipping, 2-3 days service by Royal Mail. This service is available on any order value including Highlands, Northern Ireland and Channel Islands.
ROYAL MAIL 24 - £3.99 A faster 24 hours service by Royal Mail available on any order value including Highlands, Northern Ireland and Channel Islands.
***Please note that Royal Mail 24 is not a guaranteed 24 hour delivery service and during peak times it can take longer for Royal Mail to process packages through their network.
Please note that in the pre-Christmas rush we are seeing a slower processing of packages through Royal Mails network which is leading to longer than average delivery times. This is something that we cannot control but we would advise customers to purchase in advance of needing a product to avoid delays.***
REPACK REUSABLE PACKAGING 24 - £5.99
A faster 24 hours service by Royal Mail in RePack's reusable packaging to make your order zero waste. Read more about it here. Available on any order value including Highlands, Northern Ireland and Channel Islands.
REPACK REUSABLE PACKAGING 48- £4.99
Standard UK shipping, 2-3 days service by Royal Mail in RePack's reusable packaging to make your order zero waste. Read more about it here. This service is available on any order value including Highlands, Northern Ireland and Channel Islands.
EUROPE
INTERNATIONAL TRACKED - £8.99Your order delivered in RePack's reusable packaging to make your order zero waste. Read more about it here. Please allow 5-7 working days for delivery.
REPACK REUSABLE PACKAGING INTERNATIONAL TRACKED - £10.99
Please allow 5-7 working days for delivery.
WORLDWIDE - £14.99
We now ship worldwide although we would always urge you to shop close to home if possible to support your local economy and avoid shipping impacts.
Note Royal Mail do not provide tracking outside of the UK so we are unable to accept responsibility for lost parcels outside of Europe.
Returns
Our aim is that all our products reach you in perfect condition. If you're disappointed in any way we would like to know, so please make sure you contact us if this is the case.
As long as your product is unopened you can return your item within 14 days. Unfortunately, we aren't able to exchange items.
This Aloe Vera Mascara delivers intense definition and high volume to your lashes. We love its clever structured lash-by-lash brush wand as well as its nourishing formula. The organic aloe vera, castor oil... |
Less difficult provide numerous functions coming from security up against the organic elements to love for manner alone. With generations useful behind caps and other alike motorcycle helmet, you are erikas garderob to think that many people would know right now selecting the proper less difficult. Once we say proper, we all imply the one |
---
abstract: 'Vortex molecules can form in a two component superfluid when a Rabi field drives transitions between the two components. We study the ground state of an infinite system of vortex molecules in 2D, using a numerical scheme which makes no use of the lowest Landau level approximation. We find the ground state lattice geometry for different values of inter-component interactions and strength of the Rabi field. In the limit of large field when molecules are tightly bound, we develop a complimentary analytical description. The energy governing the alignment of molecules on a triangular lattice is found to correspond to that of an infinite system of 2D quadrupoles, which may be written in terms of an elliptic function $\mathcal{Q}(z_{ij};\omega_1 , \omega_2 )$. This allows for a numerical evaluation of the energy which enables us to find the ground state configuration of the molecules.'
author:
- 'B. Mencia Uranga'
- Austen Lamacraft
bibliography:
- 'biblio\_moleculelattice.bib'
title: 'Infinite Lattices of Vortex Molecules in Rabi-Coupled Condensates'
---
Introduction
============
Quantized vortices have long been understood to be a characteristic of superfluid flow. Building on Onsager’s 1948 announcement of circulation quantization in superfluids [@Onsager:1949aa], and London’s work on flux quantization in superconductors [@London:1950aa], the idea that vortex lines form a 2D lattice seems to date from Feynman’s 1955 work [@Feynman:1955aa]. Two years later, Abrikosov gave a quantitative theory of the vortex lattice in Type-II superconductors [@Abrikosov:1957aa][^1]. Experimental confirmation of these predictions arrived shortly afterwards [@Vinen:1958aa; @Deaver-Jr:1961aa].
In superfluids and superconductors, vortices form simple, usually triangular lattices. Tkachenko [@Tkachenko:1966] proved that for an infinite system of point vortices the triangular lattice has the lowest energy, and a numerical search of up to 11 vortices per unit cell within the same model found no other stable configurations [@Campbell:1989aa]. Kleiner *et al* [@Kleiner] showed that in the opposite limit of very large vortices (relative to separation), the infinite lattice orders in a triangular geometry (they show that this state has a lower energy than the square lattice that Abrikosov had erroneously suggested as a ground state [@Abrikosov:1957aa]). Brandt later showed that the stability of the triangular lattice persists through the entire range of vortex sizes [@Brandt:1972]. Are more complicated crystal structures possible? Superfluids with multicomponent order parameters, where vortices may form in different components, provide one avenue. Historically, the first such superfluid was $^{3}$He [@Salomaa:1987], while atomic Bose condensates with internal spin states are a second, more recent example [@Stamper-Kurn:2013aa].
As in the solid state, one route to more complicated structures is to decorate a crystal structure with ‘molecules‘ made of two or more vortices. This is the situation that will concern us. In 2002 Son and Stephanov [@Son-Stephanov] predicted the existence of a *vortex molecule* in a Rabi-coupled two component condensate. Subsequent works have focused on the dynamics of a single molecule [@Tylutki:2016aa; @Qu:2017aa; @Calderaro], as well as ground state properties [@Garcia-Ripoll:2002; @Kasamatsu:2004aa]. Lattices of vortex molecules in a harmonic trap were studied in Refs..
To the best of our knowledge, vortex molecules have not been experimentally observed. There is a different object, sometimes also called vortex molecule [@Salomaa:1985aa], which has recently been observed in the polar phase of superfluid $^{3}$He [@Autti:2016aa]. The observed object is made of two half-quantum vortices ($\pi$ winding of the phase), whereas the vortex molecule we are concerned with is made of two integer vortices ($2\pi$ winding of the phase). They share the feature that the vortices are linked by a domain wall which leads to confinement of the pair, although the repulsion that balances the tension in the domain wall has a different origin, as we explain in Section \[sec:mol\].
Infinite vortex lattices have previously been studied both within the Lowest Landau Level (LLL) approximation and beyond [@Ho:2001; @Cooper:2008aa], both for single component [@Abrikosov:1957aa; @Kleiner; @Luca] as well as multicomponent condensates [@Kita:2002; @Reijnders:2004; @Ho:2002; @Keceli:2006]. For further work on vortex lattices, see the reviews [@Cooper:2008aa; @Fetter:2009].
This paper concerns the structure of *infinite* arrays of vortex molecules in 2D. To orient our discussion, the remainder of the introduction introduces the theoretical model and describes the physics of a single vortex molecule, before we move on to the case of a lattice.
Hamiltonian
-----------
We consider an infinitely extended, rotating two component spinor Bose-Einstein Condensate in 2D. In equilibrium, the thermodynamic quantity to minimize is the free energy (or energy at $T=0$) in the rotating frame. In the presence of an AC field that gives rise to Rabi oscillations, the relevant low energy Hamiltonian is $H=H_0 + H_{\text{int}} + H_{\text{Rabi}}$, where
$$\begin{aligned}
H_0=& \sum_{\sigma}\int d\mathbf{r} \ \Psi_{\sigma}^{\dagger}(\mathbf{r}) \left[ \frac{\mathbf{p}^2}{2} + \frac{\omega^2 r^2}{2} - \mathbf{\Omega} \cdot \mathbf{L} \right] \Psi_{\sigma}(\mathbf{r}) \nonumber \\
=& \sum_{\sigma}\int d\mathbf{r} \ \Psi_{\sigma}^{\dagger}(\mathbf{r}) \left[ \frac{(\mathbf{p} - \mathbf{A})^2}{2} + \frac{\omega_{\text{eff}}^{2} r^{2}}{2} \right] \Psi_{\sigma}(\mathbf{r}) , \\
H_{\text{int}}=& \sum_{\sigma_{1}\sigma_{2}} \frac{g_{\sigma_1 \sigma_2}}{2}
\int d\mathbf{r} \ \Psi_{\sigma_{1}}^{\dagger}(\mathbf{r})\Psi_{\sigma_{2}}^{\dagger}(\mathbf{r}) \Psi_{\sigma_{2}}(\mathbf{r})\Psi_{\sigma_{1}}(\mathbf{r}), \\
\label{H_Rabi}
H_{\text{Rabi}}=& - \Omega_R \int d\mathbf{r} \left[ \Psi_{a}^{\dagger}(\mathbf{r})\Psi_{b}(\mathbf{r}) + \Psi_{b}^{\dagger}(\mathbf{r})\Psi_{a}(\mathbf{r}) \right].\end{aligned}$$
($\hbar = m = 1$) Here, the operators $\Psi_{\sigma}^{\dagger}(\mathbf{r})$ create bosons at position ${\mathbf{r}}$ with spin $\sigma$, $\mathbf{A}\equiv\mathbf{\Omega} \times {\mathbf{r}}$, $\omega_{\text{eff}}\equiv\sqrt{\omega^2 - \Omega^2}$, $\omega$ is the harmonic trap frequency, $\mathbf{\Omega}\equiv \Omega \hat{z}$ is the angular velocity of the trap, $\mathbf{L}$ is the angular momentum operator. The dimensionless couplings $g_{\sigma_1 \sigma_2}>0$ are the strength of the hyperfine state dependent interatomic contact interactions and $\Omega_\text{R}$ is the Rabi frequency. The external electromagnetic field is introduced in the dipole approximation through $H_{\text{Rabi}}$ [@quantum-optics].
Single Vortex Molecules {#sec:mol}
-----------------------
In their seminal work, Son and Stephanov predicted that in a Rabi-coupled 3D two component BEC, there should exist a domain wall of the relative phase of the two components –a domain wall inside which the relative phase changes by $2 \pi$ [@Son-Stephanov]. This would be bound by a closed vortex line. Furthermore, they argued that the external field would work as a confinement mechanism for vortices of different components.
In this section we give qualitative arguments to explain why in 2D a pair of such vortices are confined in a *vortex molecule*. In the mean field treatment discussed in Section \[sec:gp\], $H_\text{int}$ and $H_\text{Rabi}$ give rise to contributions $$\begin{aligned}
&E_{\text{int}} = \frac{g}{2} \int d \mathbf{r} \ \left[\rho_a({\mathbf{r}})+\rho_b({\mathbf{r}})\right]^2 \; \text{and} \\
\label{E_Rabi}
&E_{\text{Rabi}} = -2 \Omega_\text{R} \int d \mathbf{r} \ \sqrt{\rho_{a}(\mathbf{r}) \rho_{b}(\mathbf{r})} \cos(\theta_{a}(\mathbf{r})-\theta_{b}(\mathbf{r})).\end{aligned}$$ Here we have set $g\equiv g_{aa}=g_{bb}=g_{ab}$ for simplicity, and have introduced the amplitude-phase (Madelung) representation $\psi_a({\mathbf{r}}) =\sqrt{\rho_a({\mathbf{r}})}e^{i\theta({\mathbf{r}})}$.
For $g>0$, $E_{\text{int}}$ favors configurations where densities of different components don’t overlap. $E_{\text{Rabi}}$ favors alignment of the phases of the two components. Now let’s think of a pair of vortices, one in each component. In the absence of the external field, there is no energy cost for having the phases misaligned:
![Schematic view of a pair of free vortices, one in each component, in the absence of an external field. There is no energy cost for having phases misaligned and the winding is smooth to minimize the kinetic energy.[]{data-label="fig:1"}](fig1.pdf){width="8cm"}
The term $E_{\text{Rabi}}$ is minimized by full alignment of the phases. This is achieved if the two vortices overlap completely. On the other hand, overlapping vortices have an increased $E_{\text{int}}$ relative to nonoverlapping vortices. Thus there is a competition between $E_{\text{Rabi}}$ and $E_{\text{int}}$, which have typical magnitudes per particle of $\Omega_\text{R}$ and $g n$, where $n$ is the bulk density of the two components (assumed equal).
Between the limits $\Omega_\text{R} \ll g n$ and $\Omega_\text{R} \gg g n$ the optimal arrangement will be a configuration where vortices are neither overlapping, nor too far separated.
![Vortex pair in the presence of the external field. Because of the energy cost for misaligning phases Eq. , the misalignment region (in orange) is confined in a region. Out of this region the phases are aligned.[]{data-label="fig:2"}](fig2.pdf){width="8cm"}
Hence in the presence of vortices, which is ensured by the rotation of the trap (above some critical angular velocity $\Omega_c$), the external field $\Omega_\text{R}$ works as an inter-component *confinment mechanism* for vortices, giving rise to vortex molecules. The size of the molecule (expressed in terms of the healing length $\xi = (4gn)^{-1/2}$) is a function of the ratio $gn/\Omega_\text{R}$, but there appears to be no simple argument for this relationship. In $^{3}$He-A the situation is different: the equilibrium separation of a molecule arises from a balance between tension in the domain wall and the logarithmic repulsion of the vortices [@Salomaa:1985aa]. In our setting the vortices are in different components, and the repulsion arises from $E_{\text{int}}$. Thus there is not a simple ‘phase only’ description of the molecule.
Outline
-------
The outline of the remainder of the paper is as follows. In Section II we introduce the method we use to find the ground state and show the results we obtain. In Section III we introduce an effective theory in terms electric point charges for the system of vortex molecules and we show the ground state configuration. Section IV contains the conclusions. Some of the details of the calculations are described in Appendices A-D.
Gross–Pitaevskii Theory {#sec:gp}
=======================
We want to study the ground state properties of the above mentioned Spinor BEC. Gross-Pitaevskii theory describes the properties of the condensate at $T=0$. The approach used in this theory is variational, i.e. we have an interacting Hamiltonian whose exact ground state we don’t know and we use our experimental knowledge about the existence of a condensate at $T=0$, to guess the ground state wave function.
In a two level system with off-diagonal coupling, the eigenstates are superpositions of the eigenstates of the Hamiltonian in the absence of coupling [@cohen1998quantum; @Kasamatsu:2004aa; @Matthews]. The off-diagonal coupling mediated by the external electromagnetic field Eq. , motivates an ansatz where there is a $N$ particle condensate in a state which is a superposition of two hyperfine states $\{ | \phi_{a} \rangle,| \phi_{b} \rangle \}$ :
$$| \Psi \rangle =\frac{1}{(N!)^{1/2}} \left ( \sum_{\sigma} \int d \mathbf{r} \ \phi_{\sigma}^{*}(\mathbf{r}) \Psi^{\dagger}_{\sigma}(\mathbf{r}) \right )^N | 0 \rangle .$$
We then calculate the expectation value of the Hamiltonian in this ansatz state. Defining the condensate wave-function $\psi_{\sigma}(\mathbf{r}) = \sqrt{N} \phi_{\sigma}(\mathbf{r})$ and using that $N(N-1) \sim N^2$, the final expression to be minimized is:
$$\begin{aligned}
\label{E}
E(\psi_{a}, \psi_{b}) &= \sum_{\sigma}\int d\mathbf{r} \ \psi_{\sigma}^{*}(\mathbf{r}) \left[ \frac{(\mathbf{p} - \mathbf{A})^2}{2} + \frac{\omega_{\text{eff}}^{2} r^{2}}{2} \right] \psi_{\sigma}(\mathbf{r}) \nonumber \\
&+ \sum_{\sigma_1 \sigma_2} \frac{g_{\sigma_1 \sigma_2}}{2} \int d \mathbf{r} \ |\psi_{\sigma_1}(\mathbf{r})|^2 |\psi_{\sigma_2}(\mathbf{r})|^2 \nonumber \\
&-\Omega_\text{R} \int d \mathbf{r} \left[\psi_{a}^{*}(\mathbf{r}) \psi_{b}(\mathbf{r}) +\psi_{b}^{*}(\mathbf{r}) \psi_{a}(\mathbf{r})\right].\end{aligned}$$
Infinite Lattices
-----------------
In order to study the infinite lattice, we choose $\omega_{\text{eff}}=0$. It is the value of the effective trapping potential $\omega_{\text{eff}}$ that governs the “envelope” modulation of the condensate density. In the absence of an effective trapping potential, the only modulation is the one due to the presence of a vector potential ${\mathbf{A}}$. Hence, $\omega_{\text{eff}}=0$ corresponds to having a spatially extended condensate, where there are no boundary effects and an ideal vortex lattice is expected to be found in the ground state [@Luca]. We stress that periodicity – which we assume from now on – is not *a priori* obvious.
It is important to comment on the difference between the *unit cell* of the lattice and what we call the *computational unit cell*. The computational unit cell is the system in which we do the calculations: for numerical simplicity we choose a rectangular system. Note that this does not imply that the unit cell (the smallest portion of the system that repeats in the infinite periodic system) should be rectangular. The easiest example that illustrates this subtlety well is the triangular lattice. The unit cell is a rhombus and contains one vortex. On the other hand, if one is restricted to have a rectangular computational unit cell, this would be a rectangle with aspect ratio ${{\mathcal R}}=1/ \sqrt{3}$ (or $\sqrt{3}$) containing two vortices. Both unit cells reproduce the same infinite lattice.
What conditions should be imposed at the boundary of the computational unit cell? It is most natural to require gauge-invariant quantities to be periodic under some set of translations. In order to fully determine the boundary condition fulfilling the aforementioned condition, it is necessary and sufficient to require periodicity of densities, velocities and pseudo-spin: $\rho_{\sigma}, {\mathbf{v}}_{\sigma}$ and ${\mathbf{S}}$ (Appendix \[boundary conditions\]). This leads to the boundary conditions [@Kita:1998; @Kita:2002]:
$$\begin{aligned}
\label{BC1}
&\psi_{\sigma}(x+L_x , y) = e^{i \Omega L_x y} \psi_{\sigma}(x,y), \nonumber \\
&\psi_{\sigma}(x, y+L_y) = e^{-i \Omega L_y x} \psi_{\sigma}(x,y) , \; \sigma = a,b.\end{aligned}$$
Here $L_x$ and $L_y$ are the dimensions of our rectangular computational unit cell. In order to have a consistent theory, the angular velocity of the trap can only take a discrete set of values (Appendix \[allowed values and relation to the number of vortices\]):
$$\Omega = \pi n_v,$$
where $n_v = N_v/L_x L_y$ is the vortex density in the computational unit cell.
Recently Mingarelli *et al* [@Luca:2017] have studied infinite vortex lattices in a two component superfluid. The boundary conditions used in this work allow for non periodic spin solutions (Appendix \[boundary conditions\]).
Numerical Calculations
----------------------
To find the computational unit cell and the associated ground state wavefunction, we numerically minimize the discrete version of Eq. (see Eq. ) subject to the constraint of fixed particle number for each component, with $\omega_{\text{eff}}=0$ and using the boundary conditions Eq. . The method used is the nonlinear conjugate-gradient algorithm as implemented in SciPy [@Jones:2001aa]. As pointed out by Mingarelli *et al*, in order to allow the vortex lattice configuration to access any lattice geometry in the minimization process, the energy Eq. has to be minimized not only with respect to the wave-functions but also the aspect ratio ${{\mathcal R}}=L_x / L_y$ [@Luca; @Kita:2002].
To find the computational unit cell in the ground state, we use the following procedure:
1. Minimize the energy for a given $A=L_x L_y$ and $N_v$, to find $E_{min}$, ${{\mathcal R}}_{min}$ and $\{ \psi_{\sigma,min}\}$.
2. Repeat the minimization with area $2A$ and $2N_v$ vortices.
3. If the energy has doubled and ${{\mathcal R}}_{min}$ has doubled (and halved – note that in general there are several ${{\mathcal R}}_{min}$ corresponding to one same configuration, at least ${{\mathcal R}}_{min}$ and $1/{{\mathcal R}}_{min}$), we can infer that the unit cell contains $N_v$ vortices and its aspect ratio is ${{\mathcal R}}_{min}$. If either $E_{min}$ was not doubled or ${{\mathcal R}}_{min}$ was not doubled and halved, we keep increasing the area and the number of vortices until the *doubling-halving criterion* has been fulfilled.
4. We repeat the same protocol for several starting $N_v$. We pick the solution with smallest energy density that fulfills the doubling-halving criterion.
Step 3 follows from the fact that by stacking unit cells together, one should be able to reproduce the infinite lattice. Since $\mathcal{R}=L_x / L_y$, $\mathcal{R}_{min}$ should be doubled if we stack two unit cells horizontally, and halved if we stack them vertically. The judgment of the fulfillment of the doubling-halving criterion, takes into account the integration error Eq. . This protocol does not ensure one to find the true ground state. Note that even if we find a choice of $N_v$ that fulfills the doubling-halving criterion, the possibility always exists that there could be a larger $N_v$ with a lower energy density.
Note that when $\Omega_\text{R}=0$ and $g_{aa}=g_{bb}=g_{ab}$, the energy Eq. is invariant under unitary transformation: $$\label{unitary}
\binom{\psi_{a}}{\psi_{b}} \rightarrow U \binom{\psi_{a}}{\psi_{b}}, \; \text{$U$ unitary. }$$ As a consequence there is a continuous manifold – in fact a sphere – of ground states related by unitary transformation.
When $\Omega_\text{R}\neq0$ and $g_{aa}=g_{bb}=g_{ab}$, the symmetry of the energy Eq. is lowered, but it still is invariant under rotations of the spinor in the $yz$ plane (note that $E_{\text{Rabi}}$ is the integral of $S_x$ Eq. ): $$\label{Sx}
\binom{\psi_{a}}{\psi_{b}} \rightarrow e^{i(\theta/2)\sigma_x} \binom{\psi_{a}}{\psi_{b}}.$$ While the densities in each component $\rho_{\sigma}$ are not invariant, the total density is. In terms of $\rho_{a,b}({\mathbf{r}})$, therefore, one can find several vortex lattice geometries in the ground state.
For $\Omega_\text{R}\gg g_{ab}n$ we recover the behaviour of a scalar condensate in the state $\psi_a({\mathbf{r}})=\psi_b({\mathbf{r}})$: the two vortices of each molecule (see Fig. \[fig:2\]), overlap. Thus, we recover the triangular lattice geometry, independent of the value of $\alpha \equiv g_{ab}/\sqrt{g_{aa}g_{bb}}$. We now turn to the finite $\Omega_\text{R}$ behavior. From now on we choose the values $g_{aa}=g_{bb} \equiv g =0.125$ and $\mu_a = \mu_b \equiv \mu = 12.5 n_v$, and explore three different values of $\alpha$. From the Euler-Lagrange equations one can deduce that in this case the bulk densities are $n=\frac{\mu + \Omega_R}{g+g_{ab}}$ and the healing lengths $\xi=\frac{1}{\sqrt{2(\mu + \Omega_R)}}$. The choice of $\xi$ ensures that we are both away from the LLL and point-vortex limits.
### $\alpha=1$
We begin with the case of zero Rabi field: $\Omega_\text{R} =0$ (Fig. \[fig:3\](a)). For this case we find that the computational unit cell contains four vortices in each of the components (the unit cell has two) and the vortex lattice is composed of two intertwined rectangular sublattices. Note that as explained above in Eq. , this is only one lattice of an infinite degenerate set. The two sublattices give rise to an overall (neglecting the two different flavors) triangular lattice ${{\mathcal R}}=1/\sqrt{3}$. Our finding agrees with [@Ho:2002], even though we are away from the LLL limit. It would be interesting to study this problem in the opposite limit of very small healing length [@Lamacraft:2008aa], to see whether the triangular lattice is the ground state in this case too.
Here it is interesting to note that although the computational unit cell of the density contains two vortices of each component, the pseudo-spin has a period that is twice as large, that is why the overall computational unit cell has four vortices.
We then include $\Omega_\text{R}$, which gives rise to molecules. In Fig. \[fig:4\](a) we see that neighbouring molecules tend to antialign. On the other hand, we find a continuous degeneracy with respect to the alignment direction, i.e. there is no preferred direction.
### $\alpha=0.5$
For $\Omega_\text{R}=0$ we find a square chess board configuration of vortices with four vortices per component (Fig. \[fig:3\](b)). This result agrees qualitatively with [@Ho:2002].
For $\Omega_\text{R}\neq 0$, the square chess board gets distorted giving rise to a rectangular chess board (Fig. \[fig:4\](b)). Again molecules like to align or antialign. In this case, there is a preferred direction of alignment parallel to one of the Cartesian axes.
### $\alpha=0.2$
For $\Omega_\text{R}=0$ we find two intertwined triangular lattices with six vortices per component in the computational unit cell (Fig. \[fig:3\](c)). This also agrees with [@Ho:2002].
When we include $\Omega_\text{R}$, the result is qualitatively similar to the result obtained for $\alpha = 0.5$. The geometry of the lattice differs from the one obtained in [@Cipriani:2013aa] in the center of the trap. This may be due to either differences in the parameters used, because the computational unit cell is very large (we tried up to 16 vortices per component) or because for the size of the trap (relative to the healing length) used in [@Cipriani:2013aa], is not large enough to obtain the structure of the ideal infinite system in the bulk of the trap.
[ 1= ]{} [ 1= ]{} [ 1= ]{}
[ 1= ]{} [ 1= ]{} [ 1= ]{}
Orientation of the Molecules
----------------------------
The numerical calculations show that for $\alpha = 1$ there is no preferred direction of alignment of the molecules whereas for $\alpha < 1$ there is. To understand this it is helpful to consider the configuration of the pseudo-spin density ${\mathbf{S}}= \Psi^\dagger \boldsymbol{\sigma}\Psi / 2$. An isolated molecule has pseudo-spin pointing in the $-x$ direction at its center, and in the $+x$ direction far outside. Moving out from the center, the points where the spin points in the $\pm z$ direction give the location of the vortices in the two components.
Expressing the interaction and Rabi energies in terms of the pseudo-spin density gives $$\begin{aligned}
\label{E_int_Sz}
&E_{\text{int}} = \frac{g}{4} \int d \mathbf{r} \ \left[4 S_z^2({\mathbf{r}}) (1-\alpha) + \rho^2({\mathbf{r}}) (1+\alpha)\right] \; \text{and} \\
&E_{\text{Rabi}} = -2\Omega_\text{R} \int d \mathbf{r} \ S_x({\mathbf{r}}),\end{aligned}$$ where $\rho = \rho_a + \rho_b$. For $\alpha = 1$ the interaction energy is independent of the spin direction, so configurations that differ by global rotations of the spin around the $x$-axis have the same energy. Such a global rotation causes the two vortices forming the molecule to rotate about their center, explaining the numerical observation that the orientation is undetermined.
Further, an isolated molecule will have a spin that winds at a constant angular rate around the $x$-axis as we encircle the molecule at fixed radius. It is more natural to regard the molecule as a Skyrmion. Any modulation of the total density is circularly symmetric. For $\alpha\neq 1$ the spin configuration does not wind at a constant rate in the $y-z$ plane, and the total density is anisotropic (see Fig. \[fig:5\]).
[ 1= ]{} [ 1= ]{} [ 1= ]{} [ 1= ]{} [ 1= ]{} [ 1= ]{}
Small Molecule Limit
====================
The numerical calculations of the previous section show that neighbouring molecules are antialigned. In order to gain some insight, we develop an effective theory for the system, in the limit of very small molecules. We assume that the behavior of the lattice of molecules can be explained in terms of the kinetic energy in Eq. only. Within this picture, $g_{ab}$ and $\Omega_\text{R}$ take care of the shape and size of the molecule, but not its orientation. $\Omega= \pi N_v /A$ ensures the presence of $N_v$ vortices in each component.
Kinetic Energy of a Molecule Lattice
------------------------------------
For a system of vortices in 2D with separations $\gg\xi$, the most important contribution to the kinetic energy comes from the regions away from the vortex cores where $\nabla \sqrt{\rho_{a,b}}=0$ and $\rho_a = \rho_b = n \; (S_z = 0)$. Using the parametrization $\Psi = \sqrt{\rho} e^{-i \chi /2}
(\cos \frac{\theta}{2} e^{-i \varphi /2},\sin \frac{\theta}{2} e^{i \varphi /2})^T$, $$E_{\text{kin}} = \frac{n}{4} \int d\mathbf{r} \ \left [ (\nabla \chi({\mathbf{r}}))^2 + (\nabla \varphi({\mathbf{r}}))^2 \right ],$$ where $\varphi = \theta_b - \theta_a$ and $\chi = -( \theta_a + \theta_b)$. Note that due to the Rabi field Eq. , $\varphi =0$ away from the molecules and therefore the only contribution to the kinetic energy away from the molecule cores comes from the overall phase $$E_{\text{kin}} = \frac{n}{4} \int d\mathbf{r} \ (\nabla \chi({\mathbf{r}}))^2.$$ Far from a molecule, $\chi$ obeys Laplaces’s equation $\nabla^2\chi=0$, and winds by $4\pi$ as we encircle the molecule, which contains two vortices. Around an isolated molecule with no angular modulation of the density (as occurs at $\alpha=1$, see Fig.\[fig:5\]) $\chi=2\vartheta$, where $\vartheta$ is the angular coordinate centered on the molecule. In this case, $E_{\text{kin}}$ describes a set of point charges interacting via a 2D Coulomb interactions (see e.g. Ref. [@Kardar]). In the small molecule limit, when $\Omega_\text{R}/g_{ab}n$ becomes large, the kinetic energy dominates the intermolecular energy. If we consider only this contribution, then:
1. The molecules form a triangular lattice [@Tkachenko:1966], as confirmed by our numerical calculations.
2. The orientation of *each* molecule is *separately undetermined*. This corresponds to a lattice of small Skyrmions, each of which may be arbitrarily rotated about the $x$-axis. The freedom will obviously be removed by neglected terms.
For $\alpha<1$ the density modulation around an isolated molecule is angle dependent. Then the angular field $\chi$ of an isolated molecule will have corrections to the point charge configuration that may be described by a multipole expansion, beginning with a quadrupolar field.
The interaction of quadrupoles on a triangular lattice gives rise to a long-ranged aligning interaction between molecules that is absent for $\alpha=1$. Recall that the size of the molecule is determined by $g_{ab}$ and $\Omega_\text{R}$, and is taken as an input to this picture.
We further assume that in the ground state the net quadrupole moment of the infinite lattice is zero $\sum_i \Delta_i^2=0$. As shown in Appendix \[quadrupole energy\], with this restriction the energy per unit cell of a periodic lattice with $N_{\text{mol}}$ molecules in the unit cell is given by: $$\label{E_dens}
V_{\text{inf}}/N_{\text{uc}}= \frac{1}{8} \text{Re} \left [ \sum_{i<j} \Delta_i^2 \Delta_j^2 \mathcal{Q}(z_{ij};\omega_1,\omega_2) \right ],$$ where $$\begin{aligned}
\mathcal{Q}(z_{ij};\omega_1,\omega_2) = &3 \sum_{n,m} \frac{ 1}{(z_{ij}+n \omega_1 + m \omega_2)^4} \nonumber \\
&-4 \sum_{\substack{n,m\\
n^2 + m^2 >0}} \frac{1}{(n \omega_1 + m \omega_2)^4} \nonumber \\
& -\sum_{k(\neq a)} \sum_{n,m} \frac{ 1}{(z_{ak}+n \omega_1 + m \omega_2)^4}.\end{aligned}$$ The index $a$ corresponds to any molecule in the unit cell. $\mathcal{Q}(z_{ij};\omega_1,\omega_2)$ is an elliptic function with periods $\omega_1$ and $\omega_2$. We can numerically calculate it truncating the sums. Here $\omega_1$ and $\omega_2$ shown in Fig. \[fig:6\], are the vectors connecting adjacent unit cells, in complex notation [@milne].
Numerical Calculations
----------------------
Now that we have an expression for the energy density of the infinite lattice Eq. , we can find the lowest energy configuration in a triangular lattice with the constraint of having zero net quadrupole moment. We perform a constrained minimization using the SLSQP method implemented in SciPy. We fix the molecules $\Delta_i$ to be of unit length, so the variables are the orientations of the molecules.
Again, we assume that the infinite system is periodic and therefore we want to find the unit cell. The procedure in this case is
1. Minimize the energy Eq. with $N_{\text{mol}}$ unit length molecules in the unit cell.
2. Repeat the minimization, doubling the number of molecules.
3. If the energy has doubled, we can infer that the unit cell contains $N_{\text{mol}}$ molecules.
Again, this protocol cannot guarantee that there does not exist a larger unit cell with a lower energy density.
We find that the unit cell contains two molecules. Choosing these two molecules to sit on the $x$ axis and $\omega_2 = |\omega_2| e^{i \pi /3}$, $\mathcal{Q}(z_{12})= |\mathcal{Q}(z_{12})|e^{-i \pi /3}$. Then $V_{\text{inf}}/N_{\text{uc}} = \frac{|\mathcal{Q}(z_{12})|}{8}
\cos (2 \theta_1 + 2 \theta_2 - \pi/3)$. Requiring $e^{i 2 \theta_1}+e^{i 2 \theta_2}=0$, the ground state is $(\theta_1, \theta_2)= (\frac{\pi}{2}n+\frac{\pi}{12})\pm(0,\frac{\pi}{2})$. There are two inequivalent infinite systems whose unit cell this is (Fig. \[fig:6\]).
![We show the two inequivalent configurations with the ground state unit cell we find.[]{data-label="fig:6"}](fig6a.pdf "fig:"){width="5cm"} ![We show the two inequivalent configurations with the ground state unit cell we find.[]{data-label="fig:6"}](fig6b.pdf "fig:"){width="5cm"}
Conclusions
===========
We have calculated the ground state configuration of the infinite system of vortex molecules and found qualitative agreement with previous results in the bulk of harmonic traps. More interestingly, we have come up with an effective theory in terms of point charges and derive an expression for the interaction energy density in terms of an elliptic function $\mathcal{Q}(z_{ij};w_1, w_2)$, in the limit of point vortices and very small molecules when the net quadrupole moment is zero. We used this expression to find the ground state configuration of an infinite system of molecules.
Acknowledgements
----------------
We are grateful to Luca Mingarelli for very useful discussions. We are grateful to Artane Jérémie Siad for interesting discussions on elliptic functions. BMU and AL would like to acknowledge EPSRC under Grants EP/M506485/1 and EP/P034616/1 respectively.
Derivation of boundary conditions {#boundary conditions}
=================================
Let us parametrize the wave functions as $\psi = \sqrt{\rho}e^{i \theta}$. We define the lattice vectors ${\mathbf{R}}_x = L_x \hat{x}$ and ${\mathbf{R}}_y = L_y \hat{y}$. $L_x$ and $L_y$ are the dimensions of the computational unit cell.
We first require the density $\rho_{\sigma}$ in each component to be periodic. This gives us a condition on the amplitudes of the wave-functions:
$$\begin{aligned}
\sqrt{\rho_{\sigma}({\mathbf{r}}+ {\mathbf{R}}_i)} = \sqrt{\rho_{\sigma}({\mathbf{r}})}, \; \sigma = a,b, \; i=x,y.\end{aligned}$$
We next require the superfluid velocity ${\mathbf{v}}_{\sigma} = \nabla \theta_{\sigma} - {\mathbf{A}}$ on each of the components to be periodic. Note that ${\mathbf{v}}_{\sigma}$ is the $\sigma$ component superfluid velocity only when $\Omega_{\text{R}}=0$. On the other hand, it is still a gauge invariant quantity when $\Omega_{\text{R}} \neq 0$ and hence its periodicity should be required:
$$\begin{aligned}
{\mathbf{v}}_{\sigma}({\mathbf{r}}+ {\mathbf{R}}_i) = {\mathbf{v}}_{\sigma}({\mathbf{r}}), \; \sigma = a,b, \; i=x,y.\end{aligned}$$
This does still not give an explicit condition on the phase (it is a set of equations involving gradients of phases). In order to find it, we need to integrate the above equations. By doing so, we arrive to four equations:
$$\begin{aligned}
&\theta_{a}({\mathbf{r}}+ {\mathbf{R}}_x) = \theta_{a}({\mathbf{r}})+ \Omega L_x y + \alpha_x, \\
&\theta_{a}({\mathbf{r}}+ {\mathbf{R}}_y) = \theta_{a}({\mathbf{r}})- \Omega L_y x + \alpha_y, \\
&\theta_{b}({\mathbf{r}}+ {\mathbf{R}}_x) = \theta_{b}({\mathbf{r}})+ \Omega L_x y + \beta_x, \\
&\theta_{b}({\mathbf{r}}+ {\mathbf{R}}_y) = \theta_{b}({\mathbf{r}})- \Omega L_y x + \beta_y.\end{aligned}$$
Hence we are left with four integration constants.
Finally, we require periodicity of spin. Let’s define the pseudo-spin density ${\mathbf{S}}= \Psi^\dagger \boldsymbol{\sigma}\Psi / 2$, where $\bm{\sigma}=({\sigma_x, \sigma_y, \sigma_z})$ are the Pauli spin matrices. We first require periodicity of $S_x({\mathbf{r}})$:
$$S_x ({\mathbf{r}}+ {\mathbf{R}}_i) = S_x ({\mathbf{r}}), \; i=x,y.$$
These yields the conditions
$$\begin{aligned}
&\beta_x = \alpha_x + 2 \pi n, \\
&\beta_y = \alpha_y + 2 \pi n, \; \text{$n$ integer.}\end{aligned}$$
This condition also ensures the periodicity of $S_y({\mathbf{r}})$ as well. The periodicity of $S_z({\mathbf{r}})$ is ensured by the periodicity of the densities. Thus we are left with two integration constants $\alpha_x, \alpha_y$. The only effect of varying these two constants is to shift the wave-functions in the unit cell. These degrees of freedom are expected, since one reproduces the same infinite lattice upon copying unit cells, no matter where vortices sit in the computational unit cell. We choose $\alpha_x = \alpha_y =0$. Note that we have still not said anything about the periodicity of true spin. The key point is that, because $\{ \sigma_0, \sigma_x, \sigma_y, \sigma_z \}$ form a basis in the space of $2 \times 2$ matrices, periodicity of $\mathbf{S}({\mathbf{r}})$ automatically ensures periodicity of spin. Hence, in order to fully fix the boundary condition for the wave-functions, it is necessary and sufficient to require periodicity of $\rho_{\sigma}, {\mathbf{v}}_{\sigma}$ and ${\mathbf{S}}$. The boundary condition is:
$$\begin{aligned}
\label{BC}
&\psi_{\sigma}({\mathbf{r}}+ {\mathbf{R}}_x) = e^{i \Omega L_x y} \psi_{\sigma}({\mathbf{r}}) \nonumber \\
&\psi_{\sigma}({\mathbf{r}}+ {\mathbf{R}}_y) = e^{-i \Omega L_y x} \psi_{\sigma}({\mathbf{r}}) , \; \sigma = a,b.\end{aligned}$$
$\Omega$: allowed values and relation to the number of vortices {#allowed values and relation to the number of vortices}
===============================================================
Let’s prove that in order to avoid having a contradicting theory, the angular velocity can only take a discrete set of values. Using Eq. :
$$\begin{aligned}
\psi(x+L_x , y+L_y) &= e^{-i \Omega L_y (x+L_x)} \psi(x+L_x,y) \nonumber \\
&= e^{-i \Omega L_y (x+L_x)} e^{i \Omega L_x y} \psi(x,y) \nonumber \\
\psi(x+L_x , y+L_y) &=e^{-i \Omega L_x (y+L_y)} \psi(x,y+L_y) \nonumber \\
&= e^{i \Omega L_x (y+L_y)} e^{-i \Omega L_y x} \psi(x,y)\end{aligned}$$
$$\label{omega}
\psi(x+L_x , y+L_y) = \psi(x+L_x , y+L_y) \Leftrightarrow \Omega = \frac{\pi n}{A},$$
where $n$ is an integer and $A=L_x L_y$.
In his seminal work, Feynman explains that the lowest energy state for an irrotational fluid with a given angular momentum is a vortex lattice, with a $2 \pi$ winding of the phase around each vortex [@Feynman:1955aa]. Because the superfluid velocity is ${\mathbf{v}}= \nabla \theta$, the superfluid cannot rotate as a rigid body. On the other hand, the vortex lattice (the set of vortex cores) can only rotate as a rigid body in equilibrium [@Tkachenko:1966]. Hence, on average the region of the superfluid that is packed with vortices, rotates as a rigid body. This allows to estimate a relation between the angular velocity of the trap $\Omega$ and the number of vortices $N_v$, in the ground state. Let $D$ be a region of area $A$ packed with $N_v$ vortices and ${\mathbf{v}}= \Omega r \hat{\varphi}$ (rigid solid rotation). Let $\partial D$ be its boundary. If we calculate the circulation of the velocity:
$$\left.\begin{aligned}
\Gamma_{\partial D} = \oint_{\partial D} {\mathbf{v}}\cdot d {\mathbf{l}}= 2 \Omega A \\
\Gamma_{\partial D} = 2 \pi N_v
\end{aligned}\right\rbrace
\Rightarrow \Omega = \frac{\pi N_v}{A}.$$
From this result, we infer the meaning of $n$ in Eq. : $n=N_v$. Even though this estimate is based on heuristic arguments, it is verified in the numerics, i.e. the number of vortices found in the ground state is $n$.
Numerical integration {#Numerical integration}
=====================
We have an integral in two dimensions over the area $A$
$$E = \int_{A} d \mathbf{r} \mathcal{E}(\mathbf{r}).$$
To calculate the integral numerically, we use the $Riemann \; sum$ method. We have a 2D grid of points $(x_n , y_m)$, where $x_n = n a_x$, $n,m \in [0, N -1]$, $y_n = n a_y$. The discretization lattice constant is $a_x = L_x /N$ and $a_y = L_y /N$. Using this method, we approximate the integral as the sum of the volumes of the parallelepipeds:
$$V_{nm} = a_x a_y \mathcal{E}(x_n,y_m),$$
and
$$E(\text{estim.}) = a_x a_y \sum_{n,m} \mathcal{E}(x_n,y_m).$$
In an analogous way to what is done in [@riley], we find that to leading order, the discretization error is
$$\label{error}
\Delta E = E(\text{estim.}) - E = - \frac{A}{2}(a_x \left \langle \partial_x \mathcal{E} \right \rangle + a_y \left \langle \partial_y \mathcal{E} \right \rangle),$$
where $ \left \langle \partial_x \mathcal{E} \right \rangle = \frac{1}{N^2} \sum_{nm} \partial_x \mathcal{E}(x_n + a_x / 2, y_m + a_y /2)$.
Let’s now write the discrete version of Eq. , with $\omega_{\text{eff}}=0$. It is all trivial to write except the kinetic energy term, so let’s focus on that first. We introduce the vector potential by making the Peierls substitution:
$$\begin{aligned}
&\psi^{*}(x)(p_x-A_x)^2 \psi(x) = \nonumber \\
&\frac{1}{a^2} \big ( 2|\psi(x)|^2-e^{iA_x a}\psi^{*}(x+a)\psi(x)-e^{-iA_x a}\psi^{*}(x)\psi(x+a) \big )\nonumber \\
&+ {{\mathcal O}}(a^3).\end{aligned}$$
Now, by defining the discrete wave function $\varphi(n,m)=\psi(x,y)/\sqrt{a_x a_y}$:
$$\begin{aligned}
\label{E_d}
&E_d({{\mathcal R}},\{\varphi_{\sigma}(n,m) \}) = \nonumber \\
& \sum_{\sigma}\sum_{n,m} \Big [ \frac{1}{2a_{x}({{\mathcal R}})^{2}}\left|\varphi_{\sigma}(n+1,m)e^{-iA_x a_x({{\mathcal R}})}
-\varphi_{\sigma}(n,m)\right|^2 \nonumber \\
& +\frac{1}{2a_{y}({{\mathcal R}})^{2}}\left|\varphi_{\sigma}(n,m+1)e^{-iA_y a_y({{\mathcal R}})}-\varphi_{\sigma}(n,m)\right|^2 \nonumber \\
& - \mu_{\sigma} |\varphi_{\sigma}(n,m)|^2 \Big ] \nonumber \\
&+ \sum_{\sigma_1 , \sigma_2} \frac{g_{\sigma_1 \sigma_2}}{2} \sum_{n,m} \frac{1}{a_x({{\mathcal R}}) a_y({{\mathcal R}})} |\varphi_{\sigma_1}(n,m)|^2 |\varphi_{\sigma_2}(n,m)|^2 \nonumber \\
& -\Omega_\text{R}\sum_{n,m} \left [\varphi_{a}^{*}(n,m) \varphi_{b}(n,m) +\varphi_{b}^{*}(n,m) \varphi_{a}(n,m) \right ].\end{aligned}$$
Note that we have added two Lagrange multipliers $\{ \mu_{a} , \mu_{b}\}$ to constrain the norm of the wave function (and therefore the number of particles) in the minimization.
Here something important pointed out by Mingarelli $et \; al$ is that in order to allow the vortex lattice configuration access any lattice geometry, one needs to minimize with respect to the aspect ratio of the unit cell ${{\mathcal R}}= a_x/a_y$. It is important to parametrize the discretization lattice constants in such a way that the area of the computational unit cell does not depend on it. Such a parametrization is:
$$\label{a(R)}
a_x({{\mathcal R}}) = \sqrt{\frac{A}{N^2} \mathcal{R}} \;\; \text{and} \;\; a_y({{\mathcal R}}) = \sqrt{\frac{A}{N^2} \frac{1}{\mathcal{R}}}.$$
Energy of the infinite system of point charge molecules {#quadrupole energy}
=======================================================
If $V_{ij}$ is the interacting energy of a pair of molecules, the energy of the infinite lattice is:
$$\begin{aligned}
V_{\text{inf}} &= \frac{1}{2} \sum_{i \neq j} V_{ij} = \frac{1}{2} \sum_{i=1}^{N_{\text{mol}}} \sum_{j(\neq i)} V_{ij} = \nonumber \\
&\frac{1}{2} \sum_{i=1}^{N_{\text{uc}}} \sum_{i'=1}^{N_{\text{mol/uc}}} \sum_{j(\neq k)} V_{kj},\end{aligned}$$
where $k = (i-1)N_{\text{uc}}+i'$, $N_{\text{mol}}=\infty$, $N_{\text{mol/uc}}$ is the number of molecules in the unit cell and $N_{\text{uc}}$ is the number of unit cells, assuming there is some periodicity in the infinite system. Now, assuming so, i.e. assuming $V_{ij}$ depends only on the vector ${\mathbf{r}}_{ij}$ and not ${\mathbf{r}}_i$ and ${\mathbf{r}}_j$ separately and assuming the unit cell contains $N_{\text{mol}}$ molecules, we can write the energy per unit cell:
$$\label{V/N}
V_{\text{inf}}/N_{\text{uc}}= \frac{1}{2} \sum_{i=1}^{N_{\text{mol/uc}}} \sum_{j(\neq i)}V_{ij}.$$
Here $j$ runs over the infinite set of molecules.
Let’s now write the specific expression for the energy. Because it is a 2D problem, it is convenient to use complex numbers instead of vectors [@milne]. The 2D Coulomb potential energy of two charges sitting at $z_1$ and $z_2$ is $- \text{Re} \log (z_1 - z_2)$ [@Kardar].
Let’s now consider a pair of molecules, with repelling charges at $$\begin{aligned}
&z_{1,2}^a = \zeta_{1,2}+ \frac{\Delta_{1,2}}{2}, \\
&z_{1,2}^b = \zeta_{1,2}- \frac{\Delta_{1,2}}{2}.\end{aligned}$$ With the molecule lengths $|\Delta_1|=|\Delta_2|<< |\zeta_{12}|$, where $\zeta_{12}=\zeta_1-\zeta_2$. Ignoring the interaction within a molecule, the interaction energy is proportional to the real part of $$\begin{aligned}
\label{multipole}
&-\log\left[(z_1^a-z_2^b)(z_1^b-z_2^a)(z_1^a-z_2^a)(z_1^b-z_2^b)\right] = \nonumber \\
&-4 \log \zeta_{12}- \log\left[ 1- \left ( \frac{\Delta_1+\Delta_2}{2\zeta_{12}} \right )^2 \right ]- \nonumber \\
&\log\left[ 1- \left ( \frac{\Delta_1-\Delta_2}{2\zeta_{12}} \right )^2 \right ] \nonumber \\
&= -4 \log \zeta_{12} + \frac{\Delta_1^2 + \Delta_2^2}{2 \zeta_{12}^2} +\frac{\Delta_1^4 + \Delta_2^4 + 6\Delta_1^2 \Delta_2^2 }{(2 \zeta_{12})^4} \nonumber \\
&+ \mathcal{O}((\Delta_1 / \zeta_{12})^6).\end{aligned}$$ Let’s now calculate the energy per unit cell. The first term in the expansion is addressed by putting the molecules in a triangular lattice. Let’s start by calculating the next to leading order contribution. We will derive an expression for the case of arbitrary number of molecules in the unit cell and for an arbitrary periodic lattice geometry. In order to follow the calculations let’s illustrate one concrete case:
![A schematic square lattice of molecules with $N_{\text{mol}}=4$. Even though our numerical calculations are done for the triangular lattice, we show a square lattice to emphasise that our result of the general expression of $V_{\text{inf}}/N_{\text{uc}}$ is valid for any lattice geometry.[]{data-label="dip_lattice"}](fig7.pdf){width="7cm"}
We need to sum the interaction energy of each of the molecules in only one unit cell, with all the other molecules in the infinite lattice. Let’s start with the contribution coming from pairs, where one of the molecules is outside of the unit cell. Let $\omega_1$ and $\omega_2$ be the vectors connecting adjacent unit cells and $\{ z_{ij}\}$ the vectors connecting molecules within a unit cell, in complex notation [@milne]. We first do equal color (i.e. equal position in the unit cell) pairs, each of them contributes:
$$\sum_{\substack{n,m\\
n^2 + m^2 >0}} \frac{(\Delta_i^2 + \Delta_i^2 )}{2(n \omega_1 + m \omega_2)^2}.$$
Here and from now on, $n,m$ run over all the integers that fulfill the condition $n^2 + m^2 > 0$ (if specified). The indices $i,j$ and $k$ run over molecules inside the unit cell. Therefore, the total contribution is:
$$\label{eq}
\sum_{i=1}^{N_{\text{mol}}} \sum_{\substack{n,m\\
n^2 + m^2 >0}} \frac{(\Delta_i^2 + \Delta_i^2 )}{2(n \omega_1 + m \omega_2)^2}.$$
The contribution from different color pairs is only slightly trickier, $-z_{ij}$ appears for some of the terms in the denominator, but because of the square, the signs disappear. The contribution of each of the members of the unit cell is:
$$\sum_{j=1}^{N_{\text{mol}}} \sum_{\substack{n,m\\
n^2 + m^2 >0}} \frac{ (\Delta_i^2 + \Delta_j^2 ) }{2(z_{ij}+n \omega_1 + m \omega_2)^2}.$$
Therefore the total contribution is:
$$\label{neq}
\sum_{i \neq j}^{N_{\text{mol}}} \sum_{\substack{n,m\\
n^2 + m^2 >0}} \frac{ (\Delta_i^2 + \Delta_j^2 )}{2(z_{ij}+n \omega_1 + m \omega_2)^2}.$$
The contribution from pairs inside the unit cell is just:
$$\label{intra}
\sum_{i \neq j}^{N_{\text{mol}}} \frac{(\Delta_i^2 + \Delta_j^2 )}{2z_{ij}^{2}}.$$
Summing all contributions Eq. , Eq. and Eq. and including the factor $1/2$ from Eq. , we get the final expression:
$$\begin{aligned}
&V_{\text{inf}}/N_{\text{uc}}= \frac{1}{2} \text{Re} \Bigg [ \sum_{i }^{N_{\text{mol}}} \Delta_i^2 \sum_{\substack{n,m\\
n^2 + m^2 >0}} \frac{1}{(n \omega_1 + m \omega_2)^2} + \nonumber \\
& \sum_{i<j} (\Delta_i^2 + \Delta_j^2) \sum_{n,m}
\frac{ 1}{(z_{ij}+n \omega_1 + m \omega_2)^2} \Bigg ].\end{aligned}$$
The first term is divergent unless we require the net quadrupole moment of the unit cell to vanish $\sum_i \Delta_i^2 =0$. Using this condition and due to the double periodicity in $z_{ij}$ of the infinite sum in the second term, $V_{\text{inf}}/N_{\text{uc}}=0$.
We next calculate the contribution of the third term in the multipole expansion Eq. . Following the same steps as above we arrive to $$\begin{aligned}
&V_{\text{inf}}/N_{\text{uc}}= \frac{1}{2^4} \text{Re} \Bigg [ 4 \sum_i \Delta_i^4 \sum_{\substack{n,m\\
n^2 + m^2 >0}} \frac{1}{(n \omega_1 + m \omega_2)^4} + \nonumber \\
& \sum_{i<j} (\Delta_i^4 + \Delta_j^4 + 6 \Delta_i^2 \Delta_j^2) \sum_{n,m}
\frac{ 1}{(z_{ij}+n \omega_1 + m \omega_2)^4} \Bigg ].\end{aligned}$$ Using $\sum_i \Delta_i^2 =0$ $(\Rightarrow \sum_i \Delta_i^4 = - 2\sum_{i<j} \Delta_i^2 \Delta_j^2)$ and taking advantage of the double periodicity in $z_{ij}$ of the last infinite sum, we can rewrite the expression as $$V_{\text{inf}}/N_{\text{uc}}= \frac{1}{8} \text{Re} \left [ \sum_{i<j} \Delta_i^2 \Delta_j^2 \mathcal{Q}(z_{ij};\omega_1,\omega_2) \right ],$$ where $$\begin{aligned}
\mathcal{Q}(z_{ij};\omega_1,\omega_2) = &3 \sum_{n,m} \frac{ 1}{(z_{ij}+n \omega_1 + m \omega_2)^4} \nonumber \\
&-4 \sum_{\substack{n,m\\
n^2 + m^2 >0}} \frac{1}{(n \omega_1 + m \omega_2)^4} \nonumber \\
& -\sum_{k(\neq a)} \sum_{n,m} \frac{ 1}{(z_{ak}+n \omega_1 + m \omega_2)^4}.\end{aligned}$$ Here $a$ is any molecule in the unit cell. $\mathcal{Q}(z_{ij};\omega_1,\omega_2)$ is an elliptic function with periods $\omega_1$ and $\omega_2$. We can numerically calculate it truncating the sums.
[^1]: In his Nobel Prize lecture, Abrikosov states that his discovery dates from 1953 but publication was delayed by an incredulous Landau!
|
Novo Fogo hosts a “Bartenders Soccer Cup” annually at Portland Futsal. And, annually, the Seattle Bartenders pour the proper ingredients to win the thing. They have done it in 2012, 2013 and now again in 2014.
The winning team in the 5-v-5 tournament gains possession of the Novo Fogo Cup, and receives a $1,000 prize to fund a wellness activity for bartenders in their city. Other prizes were awarded for the Hottest Team (New York) and the Best Team Spirit (Missouri).
About the tournament, Novo Fogo says:
We may be a liquor company (CACHAÇA!), but we believe in living rich lives outside of the bar and striking a sustainable balance between the two worlds. This is why our hearts go pitter-patter when we find bartenders who do the same, especially through music and sports.
Our objective: promote health and wellness to our craft, especially during boozy Cocktail Weeks. Think about it: you can be a role model!
See videos below with 2012-13 highlights and 2014 preview.
goalWA.net Local Soccer News is sponsored by Pro Roofing Northwest, Kirkland, Bellevue, Seattle, Redmond, Woodinville, Federal Way, Everett, Snohomish, Issaquah, Renton, Kent, Bothell, Edmonds Washington roofing company. |
This counterintuitive and powerfully effective approach to creativity demonstrates how every corporation and organization can develop an innovative culture.
Want to be creative? Then think Inside the Box. The traditional view says that creativity is unstructured and doesn’t follow rules or patterns. That you need to think “outside the box” to be truly original and innovative. That you should start with a problem and then “brainstorm” ideas without restraint until you find a solution. Inside the Box shows that more innovation— and better and quicker innovation—happens when you work inside your familiar world (yes, inside the box) using a set of templates that channel the creative process in a way that makes us more—not less—creative. These techniques were derived from research that discovered a surprising set of common patterns shared by all inventive solutions. They form the basis for Systematic Inventive Thinking, or SIT, now used by hundreds of corporations throughout the world, including industry leaders such as Johnson & Johnson, GE, Procter & Gamble, SAP, and Philips. Many other books discuss how to make creativity a part of corporate culture, but none of them uses the innovative and unconventional SIT approach described in this book. With “inside the box” thinking, companies and organizations of any size can creatively solve problems before they develop—and innovate on an ongoing, systematic basis. This system really works!
Special offers and product promotions
Get 50% cashback up to Rs.100 on your first ever online payment on Amazon.in. Applicable only on ATM card, debit card or credit card orders. Cashback will be credited as Amazon Pay balance within 10 days. Here's how (terms and conditions apply)
Get 10% cashback up to Rs.25 using BHIM UPI or Rupay ATM cards, debit cards or credit cards. Cashback will be credited as Amazon Pay balance within 10 days. Here's how (terms and conditions apply)
Get 50% cashback up to Rs. 50 using Axis Bank Credit & Debit Cards. Valid only on your first 2 online payments. Cashback will be credited as Amazon Pay balance within 10 days from purchase. Here's how (terms and conditions apply)
Product description
Review
“Among the few ideas that have fundamentally changed how I look at life is the idea that creativity can be simple and systematic. In this book Boyd and Goldenberg explain the basic building blocks for creativity and by doing so help all of us better express our potential.” (Dan Ariely, author of Predictably Irrational)
“Why wait for a brilliant idea to hit like a bolt from the blue? You can increase the odds of a creative lightning strike just by learning and applying a few simple tools—ones that have proven their effectiveness time and again. The 'inside-the-box approach' described by Drew Boyd and Jacob Goldenberg can reveal key opportunities for innovation that are hiding in plain sight. It’s hard to imagine a real-world problem that wouldn’t be amenable to their approach.” (Daniel H. Pink, author of To Sell is Human and Drive)
“Innovation means a lot of things to a lot of people. Unfortunately, this can make it difficult to actually innovate—especially for big, established companies. Inside the Box uses very practical methods to take the mystery out of innovation and provides a roadmap for getting real results.” (David Butler, Vice President, Innovation, The Coca-Cola Company)
“What’s Inside the Box? In this case, a remarkably original way of thinking about and implementing creativity in the workplace. If you’re interested in gaining a competitive edge over your rivals, open this package (of truly impressive insights) first.” (Robert B. Cialdini, author of Influence: Science and Practice and Professor Emeritus of Psychology and Marketing at Arizona State University)
“Many books are written on the topic of stimulating creativity, but the practical examples provided here make Boyd and Goldenberg’s advice stand out from the crowd. A captivating and fun read that adds insight to product design.” (Library Journal)
About the Author
Drew Boydis assistant professor of marketing and innovation at the University of Cincinnati. He trains and consults in the fields of innovation, marketing, persuasion, and social media. He lives in Cincinnati, Ohio.
Enter your mobile number or email address below and we'll send you a link to download the free Kindle App. Then you can start reading Kindle books on your smartphone, tablet, or computer - no Kindle device required.
Showing 1-1 of 1 reviews
There was a problem filtering reviews right now. Please try again later.
Thanks to Drew Boyd - A global leader in creativity and innovation, teaches us how he learned about Systematic Inventive Thinking and why he feels S.I.T. is the only innovation method that produces breakthrough results for individuals, corporations and governments. Thanks for wonderful book.
Most helpful customer reviews on Amazon.com
Amazon.com:
4.7 out of 5 stars
61 reviews
Scully
5.0 out of 5 starsGreat book.
20 March 2017 - Published on Amazon.com
Verified Purchase
I've always considered myself creative. I'm a musician and a self proclaimed artist. I am always looking for ways to fuel creativity, and noticed that while lots of books for artists advise on ways to let your creative spirit "flow,"not much is written about HOW to be creative, in practical terms. I found myself thinking in new ways before I even finished the book. I highly recommend this book for anyone of any age.
I have read the book twice - one of those few that I've read twice for the past 10 years. I believe the 5 Thinking Tools or SIT work because (1) they are derived from TRIZ, (2) the examples described, and (3) I tried it myself. I was able to generate some creative ideas for product design and business almost effortlessly and in a short amount of time. The writing style used is clear and free flowing unlike Creativity in Product Innovation (Goldberg and Mazursky) which reads like an engineering textbook. Inside the Box seems to be a rewrite of Creativity in Product Innovation. Although SIT is very useful to generate creative ideas (and is much more effective than other creativity tools out there), I am not convinced that SIT covered enough of TRIZ principles and tools. The last chapter on resolving technical contradictions, for example, is better handled using TRIZ. I would still learn and use TRIZ for the bigger and more complex problems. Boyd and Goldberg did an excellent job in creating innovative thinking tools and communicating these to non-engineers who may not likely hear of, like, or use TRIZ.
No argument that the short stories add some flavor to the reading. But there is nothing new or creative here that differs from the SCAMPER process (Substitute, Combine, Adapt, Modify/distort, Put to other purposes, Eliminate, Rearrange/Reverse) that you can find through an Internet search. And you save the $28.00+ purchase price of the book.
Being a long time follower of Roni Horowitz and his ASIT (ADVANCED SYSTEMATIC INVENTIVE THINKING), and a consistent user of SIT methods in my consulting practice (both in creative aspects and the development of new services), I must say that this book have outstanding information to help readers to enhance their thinking process and defeat mental blockades.The Closed World Principle, and the Tools that are presented are very well explained with the use of real examples.The book is easy to read, but powerful in concepts. I like a lot the two approaches: the one that come for a business world, and the one that comes from "a lab rat", as Goldenberg refers to himself. Being a mix of both worlds, read the stories was delicious.If you want a fresh approach to creativity and innovation, please, read this book.
The authors have good points about innovation... it reminds me of McGyver! Interesting viewpoint on innovation and how to work with what you have. I am not totally sure if good innovation comes from this theory, but the book does present valid argument on the subject. One thing is this book goes against the popular creative thinking of "outside the box". My take on this is that successful innovation is all about timing more so than on the technological advance an idea would make. Some of that is discussed in the book. So it really boils down to is if one is lucky to pick the right time to introduce a right product. One of the best ever invention I came across is the Pet Rock! So far, nothing beats it! |
The ultimate question, I need a transformation matrix to take a point in local space representing a roughly 500m x 500m place in New Mexico centered at -108.619987456 long 36.234600064 lat. The final output needs to be in geocentric coordinates and I can during initialization get any number of points on the map such as the corners, center, western most along the center etc. During run time I would like to have a transformation matrix that can be applied to a position in local space expressed in meters and get back an approximate GCC coordinate.
The center of the point in GCC: -1645380 -4885138 3752889
The bottom left corner of the map in GCC: -1644552, -4881054, 3749220
During run time I need to be able to multiply (-250, -250, 0) with the transformation matrix and get something close to (-1644552, -4881054, 3749220).
I've spent more than a week trying to research a solution for this and so far nothing.
Given an identity matrix as our starting position and orientation. Then using geotrans and the known lat, long, and height of the starting position I get an x,y,z geocentric coordinate. A vector from the origin of (0,0,0) gives both the up and translation for the matrix. However, I need the forward and right so that I can pass a distance in meters from the origin into the transformation matrix and get a roughly accurate GCC. Do I have all of the inputs I need to calculate the right and forward?
So with the right and forward added to the up and translation I already calculated I would have a transformation matrix. I could then apply the matrix to a vector of say (50, 50, 0) and get something within about 0-3 cm of the output if I feed the lat/long back into geotrans. This matrix would only ever be used small maps of about 500m x 500m so the curvature of the earth is negligible.
In reply to whuber,
I don't know your level of experience so I will start with the very basics.
An identity matrix is a 4x4 matrix that you can multiply by a vector and it returns the vector unchanged. Such as below.
1 0 0 x=0
0 1 0 y=0
0 0 1 z=0
0 0 0 1
The x, y, and z of the matrix are how much to translate the vector by and the first 3 rows and columns are the rotation. Below is a tranformation matrix that does nothing to the orientation of a vector but does translate. This is what you would want for two axis aligned worlds in different locations.
1 0 0 13
0 1 0 50
0 0 1 -7
0 0 0 1
If you were to multiply a vector of (10, 10, 10) with the above transformation matrix you would get an output of (23, 60, 3).
My problem is the axes are not aligned and the "plane" of the world I am trying to get the local coordinate converted to is projected on the ellipsoid of the earth.
Geotrans is library that you can use to pass a coordinate from one system such as geodetic or GDC (lat, long, height) and get back another such as geocentric or GCC (x,y,z).
For example:
If my game world was representing a map centered exactly on the prime meridian and equator the transformation matrix would look something like below. I am just guesstimating the Y and Z rotations and might have them flipped and/or the wrong sign.
Hi, welcome to our site! I confess to not having a clue what you're trying to do, even though I think I know a little about coordinate systems. Could you humor me (along with anyone else who might be lost) by providing an example? Or perhaps a plain English description of what you're trying to accomplish?
–
whuber♦Jul 27 '12 at 18:36
Hi whuber, I've expanded on what I am doing in the original post.
–
TooMadJul 27 '12 at 20:12
1
Thank you, but the information still seems insufficient. (There's also some confusion about matrices and vectors--e.g., you can't multiply a 3 x 1 vector by a 4 x 4 matrix and what you're claiming to be an identity matrix is not one--but let's let that pass for now.) In fact, I still don't see a question! So you have a geocentric coordinate system and a local coordinate system. Now what? What are you trying to do? Could you give a concrete example of typical inputs and show what the outputs should be? Are you trying to compute a transformation between the two coordinate systems?
–
whuber♦Jul 27 '12 at 20:21
Mathematically you can't multiply a 3x1 vector but in programming your math library can, adding a 4th element W that is irrelevant and still return the desired 3x1 vector. I will add an example shortly showing conversion from local space to a point exactly on the prime meridian and equator.
–
TooMadJul 27 '12 at 20:31
1
Yes, the forward vector would be north. Upwards would be vertically straight up in the air if that is what you meant by up.
–
TooMadJul 27 '12 at 23:13
What are the geocentric coordinates corresponding to a given location given in terms of latitude and longitude (at a nominal height of zero)?
What rotation will bring the local frame (in which x points east, y points north, and z points up) into the geocentric frame (in which x points towards the Prime Meridian at the Equator, z points at the North Pole, and x-y-z form a positively oriented orthogonal coordinate system)?
Let's solve these geometrically. Because the math for the first one has been done elsewhere on this site, the new part is the second.
To begin with, consider the geocentric frame at the North Pole:
In this and subsequent images, the blue arrow represents the local "x" direction, the red arrow the local "y" direction, and the green arrow the local "z" direction. At the outset, the three local directions correspond with the geocentric axes as shown.
(Sharp-eyed readers will notice the relatively extreme eccentricity of this representation of the ellipsoid, especially in the third and fourth images: the Earth looks somewhat "squashed." This is by design: the software that made these images uses the equations worked out below. Exaggerating the eccentricity emphasizes potentially small errors that can creep into ellipsoidal calculations, making them easier to spot and rectify.)
For reasons that will soon be clear, first rotate the local frame 90 degrees counterclockwise around its z-axis:
Next, rotate this frame around the geocentric y-axis to bring it to the desired latitude. (For this illustration we're headed toward Indonesia, in the southern hemisphere.)
(Notice how the red arrow (local y) is pointing due north and the blue arrow (local x) is pointing due east: it was to establish this x=east, y=north correspondence that the first rotation was done.)
Finally, rotate this frame once more around the geocentric z-axis to bring it to the desired longitude.
These three rotations provide the Euler angles in the Z-Y'-Z'' convention. The amounts of rotation were:
First, 90 degrees around the z axis from x towards y.
Second, 90 - 'latitude' degrees around the y axis from z towards x.
Third, 'longitude' degrees around the z axis from x towards y.
(It should now be evident that these transformations were worked out in reverse: starting with a local east-north-up frame at a given point, a rotation around the earth's axis (geocentric z) can take us to the Prime Meridian, and thence a rotation around the geocentric y axis can take us to the North Pole, where we discover a simple 90 degree rotation around the pole will align the local frame with the geocentric one. The key idea is to use rotations around the geocentric axes to line up the frames: although there are many ways to accomplish this, they will all produce the same answer.)
It remains to convert the geometry into arithmetic. The 3 x 3 matrix representing a rotation of t from axis i towards axis j will have values of cos(t) in its (i,i) and (j,j) positions, sin(t) in the (j,i) position, -sin(t) in the (i,j) position, a 1 in the other diagonal position, and zeros elsewhere. Successive rotations are computed by multiplying the matrices (from right to left). Writing f for the longitude and q for the latitude, the resulting rotation matrix is
The first column is a unit-length vector giving the local x (east) direction in terms of the geocentric coordinates (as a check, notice it has no third component: x is entirely east-west). The second column is a unit vector giving the local y (north) direction and the third column is the local outward unit normal, or "up" direction.
As far as the origin of the local system goes, we can work it out from properties of the Earth's ellipsoid. The WGS 84 ellipsoid, for instance, has a major axis of a = 6378137 meters (that's the equatorial radius) and a minor axis of b = 6356752.3142 meters (that's the polar radius). (The ratio of these axes equals 0.996647189335, which is less than 1 by the "flattening," equal to 1 / 298.257223563.) Consequently, the geocentric coordinates of the origin are given by
a cos(q') cos(f)
a cos(q') sin(f)
b sin(q')
where q' = Atan(b/a tan(q)) converts the geodetic latitude q to the angle between the origin and the equator. In the example, these coordinates (in meters) are
-1,644,552.1
-4,881,054.5
3,749,220.2
Finally, to find the geocentric coordinates of a local displacement from this origin, we form the linear combination in terms of the geocentric frame. E.g., a displacement of 250 meters west is -250 in the local x direction, equivalent to a geocentric displacement of
-250 * (0.94765709, -0.3192899, 0) = (-236.9, 79.8, 0)
and a displacement of 250 meters south is -250 in the local y direction, equivalent to a geocentric displacement of
-250 * (0.1887300, 0.56015335, 0.80660351) = (-47.2, -140.0, -201.7).
Applying these two displacements to the geocentric origin (by adding them component-by-component) yields geocentric coordinates of
(-1644836.2, -4881114.7, 3749018.6).
As the question notes, all this can be compactly represented as a four by four transformation matrix: its upper left three by three block is the rotation matrix, the first three entries in its rightmost column are the geocentric coordinates for the given longitude and latitude, and its bottom row is (0,0,0,1). Local coordinates (x',y',z') are converted to geocentric coordinates by left-multiplying the column vector (x',y',z',1)' by this matrix.
Incidentally, the earth's surface is usually not at sea level at land locations like this one. No problem: the surface elevation at the origin represents a displacement in the local z direction. Simply add that multiple of the local z vector to obtain the final value. In the example, the surface elevation at the origin is approximately 2000 meters. The corresponding geocentric displacement therefore equals
A third option and the one I ended up using is simple and works for anywhere but with the possible exception of the poles with accuracy for the NM example at less than 2 feet (58 cm).
Given a single input of the geodetic coordinate (GDC)
The first two steps have a lot done "in the background" by geotrans which is available for at least C/C++ and Java. It accounts for the ellipsoidal nature of the earth and can do a number of conversions from one coordinate system to another.
1) Convert GDC to a Geocentric coordinate (GCC) = vector3 Origin
2) Get the GCC for a point 100m above the origin = vector3 AboveOrigin
The "up" component of the matrix is really easy and is just a vector from the point above the origin to the origin. While I was implementing this I thought it was backwards and should be AboveOrigin - Origin but for reasons I don't understand it is as described.
3) vector3 Up = Origin - AboveOrigin
4) Normalize Up
You need a vector that is perpendicular to both your true forward or north vector and your true right. The cross product of your true up and straight up positive Z, which is through the axis in GCC for geotrans, will give you a temp right vector.
5) vector3 temp = Up crossed with vector3 (0,0,1)
6) Normalize temp
This is your final forward or north vector
7) vector3 forward = Up cross temp
8) Normalize forward
Now recalculate the right or east vector
8) vector3 right = Up cross temp
9) Normalize right
10) Initialize your 4x4 matrix with forward, right, up, and origin
For example:
On our map we have tags that describe the top, bottom, left, and right edges of the map in decimal degrees. From there we get the center and point above the center.
With just those two points you can follow the steps and get a matrix the can be applied to a coordinate in local space and get back a reasonably accurate point in GCC.
To test this I found 9 points across the map through geotrans, the center of the map, the four corners, and the four points along the middle of each edge. Ignoring the curvature of the earth and knowing that this is a small map I just took the average distance from the center of the map in GCC to each of the four edges. I then used that X/Y distance to generate 9 local coordinates to pass through the matrix and compare to the point found through geotrans. In testing the distance of the transformed point against the geotrans point the worst result was for the top middle and top right with 57.3cm of inaccuracy with the left middle being 0 or near 0.
I think I get the idea (the hard work is buried in steps 1 and 2), but most of these steps are unclear: I think most people would need more details just to get a sense of exactly what you are proposing. Could you provide (a) a worked example and (b) any evidence you have that your method has 58 cm accuracy (especially outside NM)? After all, at some point in these ten steps, you are going to need to wrestle with the details of the exact ellipsoidal shape of the Earth. Where does that occur? And why, precisely, doesn't this method work near the poles?
–
whuber♦Aug 1 '12 at 19:10
Ok, updated and I expanded on the reasoning behind the steps. A library called geotrans does the heavy lifting for steps 1 & 2. As for the poles well...that was more of a guess I can't predict what will happen at the North pole. However, the South might work just fine. The issue was with how I was testing the accuracy. I used the extents of the level map to give offsets to apply to a hard coded point you wanted to test with. This is only test code so I didn't want to waste any more company time accounting for a map centered on a pole.
–
TooMadAug 1 '12 at 20:17
Thanks for the clarification: you found a good solution! Just make sure to do calculations in very high precision: step 3 costs you five decimal places right away. BTW, you were correct the first time: up = above origin - origin. You have to take the cross product in step 5 in the other order to get an east vector. Normalize that and form up cross east to get forward, which will already be normalized: this workflow saves you four steps. (The problem at the poles is that (0,0,1) and up are almost parallel; the cross product erases almost all the precision that remains.)
–
whuber♦Aug 1 '12 at 20:45
What you essentially have is a plane that you want to rotate and translate so it rests on the surface of a spheroid, with its normal congruent with the sphere's normal at that point.
Your first task therefore is to calculate a rotation matrix so that the normals align. Looking at this Wolfram page, you can see that a R3 rotation can be broken down into 3 separate transforms that can be multiplied together. Now, assuming that you'll be avoiding the poles, and that your forward vector will always point north, you can treat one of the matrices as identity. Which one depends on whether you're using a left or right-handed coordinate system, and whether Z or X points through the north pole.
So your two remaining rotation matrices can be created by substituting the angles represented by alpha, beta, and/or gamma with the latitude and longitude of the point on the surface you want the plane to touch, 36.234600064 and -108.619987456 in your case. Then you need to construct a translation matrix that represents the radius of the globe. Just multiply them all together and there you have it!
Now, this assumes that your globe is spherical, which as long as you steer clear of the poles, deal with small areas, and don't expect millimetre accuracy, is OK. If you want more accuracy, you'll have to take the ellipsoidal nature of the Earth, which can be easily simulated with a slight scaling factor in the north pole axis.
You also need to make sure that the axes you use are the same as those in the Wolfram article; if not, you may have to play about with adding or subtracting 90 degrees to your longitude value (not forgetting to modulus with 360), and possibly choosing the gamma instead of the alpha matrix for instance. If I had a bit more time, I'd work through your example to figure it out, sorry! |
Q:
Using Rsync include and exclude options to include directory and file by pattern
I'm having problems getting my rsync syntax right and I'm wondering if my scenario can actually be handled with rsync. First, I've confirmed that rsync is working just fine between my local host and my remote host. Doing a straight sync on a directory is successful.
Here's what my filesystem looks like:
uploads/
1260000000/
file_11_00.jpg
file_11_01.jpg
file_12_00.jpg
1270000000/
file_11_00.jpg
file_11_01.jpg
file_12_00.jpg
1280000000/
file_11_00.jpg
file_11_01.jpg
file_12_00.jpg
What I want to do is run rsync only on files that begin with "file_11_" in the subdirectories and I want to be able to run just one rsync job to sync all of these files in the subdirectories.
Here's the command that I'm trying:
rsync -nrv --include="**/file_11*.jpg" --exclude="*" /Storage/uploads/ /website/uploads/
This results in 0 files being marked for transfer in my dry run. I've tried various other combinations of --include and --exclude statements, but either continued to get no results or got everything as if no include or exclude options were set.
Anyone have any idea how to do this?
A:
The problem is that --exclude="*" says to exclude (for example) the 1260000000/ directory, so rsync never examines the contents of that directory, so never notices that the directory contains files that would have been matched by your --include.
I think the closest thing to what you want is this:
rsync -nrv --include="*/" --include="file_11*.jpg" --exclude="*" /Storage/uploads/ /website/uploads/
(which will include all directories, and all files matching file_11*.jpg, but no other files), or maybe this:
rsync -nrv --include="/[0-9][0-9][0-9]0000000/" --include="file_11*.jpg" --exclude="*" /Storage/uploads/ /website/uploads/
(same concept, but much pickier about the directories it will include).
A:
rsync include exclude pattern examples:
"*" means everything
"dir1" transfers empty directory [dir1]
"dir*" transfers empty directories like: "dir1", "dir2", "dir3", etc...
"file*" transfers files whose names start with [file]
"dir**" transfers every path that starts with [dir] like "dir1/file.txt", "dir2/bar/ffaa.html", etc...
"dir***" same as above
"dir1/*" does nothing
"dir1/**" does nothing
"dir1/***" transfers [dir1] directory and all its contents like "dir1/file.txt", "dir1/fooo.sh", "dir1/fold/baar.py", etc...
And final note is that simply dont rely on asterisks that are used in the beginning for evaluating paths; like "**dir" (its ok to use them for single folders or files but not paths) and note that more than two asterisks dont work for file names.
A:
Add -m to the recommended answer above to prune empty directories.
|
Photos
Shots on Goal: The Night in Photos February 1, 2009
Jason Arnott of the Nashville Predators tries to block a pass made by Dwayne Roloson of the Edmonton Oilers at Rexall Place on February 1, 2009 in Edmonton, Alberta, Canada. (Photo by Andy Devlin/NHLI via Getty Images)
Stay Connected
I don't have a crystal ball. Predicting is a real complicated thing. If we stay healthy, have enough depth and get the good goaltending we think we're going to have, you can go all the way. But a lot of things have to happen. There's going to be a lot of teams that think the same thing. Everyone made deals. We're all are optimistic about where we'll end up.
— Rangers general manager Glen Sather after being asked if he's constructed a team that can win the Stanley Cup before their 4-1 win against the Predators on Monday |
// This source code is dual-licensed under the Apache License, version
// 2.0, and the Mozilla Public License, version 2.0.
//
// The APL v2.0:
//
//---------------------------------------------------------------------------
// Copyright (c) 2007-2020 VMware, Inc.
//
// 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
//
// https://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.
//---------------------------------------------------------------------------
//
// The MPL v2.0:
//
//---------------------------------------------------------------------------
// This Source Code Form is subject to the terms of the Mozilla Public
// License, v. 2.0. If a copy of the MPL was not distributed with this
// file, You can obtain one at https://mozilla.org/MPL/2.0/.
//
// Copyright (c) 2007-2020 VMware, Inc. All rights reserved.
//---------------------------------------------------------------------------
using System;
using NUnit.Framework;
namespace RabbitMQ.Client.Unit
{
[TestFixture]
public class TestAmqpTcpEndpointParsing
{
[Test]
public void TestHostWithPort()
{
AmqpTcpEndpoint e = AmqpTcpEndpoint.Parse("host:1234");
Assert.AreEqual("host", e.HostName);
Assert.AreEqual(1234, e.Port);
}
[Test]
public void TestHostWithoutPort()
{
AmqpTcpEndpoint e = AmqpTcpEndpoint.Parse("host");
Assert.AreEqual("host", e.HostName);
Assert.AreEqual(Protocols.DefaultProtocol.DefaultPort, e.Port);
}
[Test]
public void TestEmptyHostWithPort()
{
AmqpTcpEndpoint e = AmqpTcpEndpoint.Parse(":1234");
Assert.AreEqual("", e.HostName);
Assert.AreEqual(1234, e.Port);
}
[Test]
public void TestEmptyHostWithoutPort()
{
AmqpTcpEndpoint e = AmqpTcpEndpoint.Parse(":");
Assert.AreEqual("", e.HostName);
Assert.AreEqual(Protocols.DefaultProtocol.DefaultPort, e.Port);
}
[Test]
public void TestCompletelyEmptyString()
{
AmqpTcpEndpoint e = AmqpTcpEndpoint.Parse("");
Assert.AreEqual("", e.HostName);
Assert.AreEqual(Protocols.DefaultProtocol.DefaultPort, e.Port);
}
[Test]
public void TestInvalidPort()
{
try
{
AmqpTcpEndpoint.Parse("host:port");
Assert.Fail("Expected FormatException");
}
catch (FormatException)
{
// OK.
}
}
[Test]
public void TestMultipleNone()
{
AmqpTcpEndpoint[] es = AmqpTcpEndpoint.ParseMultiple(" ");
Assert.AreEqual(0, es.Length);
}
[Test]
public void TestMultipleOne()
{
AmqpTcpEndpoint[] es = AmqpTcpEndpoint.ParseMultiple(" host:1234 ");
Assert.AreEqual(1, es.Length);
Assert.AreEqual("host", es[0].HostName);
Assert.AreEqual(1234, es[0].Port);
}
[Test]
public void TestMultipleTwo()
{
AmqpTcpEndpoint[] es = AmqpTcpEndpoint.ParseMultiple(" host:1234, other:2345 ");
Assert.AreEqual(2, es.Length);
Assert.AreEqual("host", es[0].HostName);
Assert.AreEqual(1234, es[0].Port);
Assert.AreEqual("other", es[1].HostName);
Assert.AreEqual(2345, es[1].Port);
}
[Test]
public void TestMultipleTwoMultipleCommas()
{
AmqpTcpEndpoint[] es = AmqpTcpEndpoint.ParseMultiple(", host:1234,, ,,, other:2345,, ");
Assert.AreEqual(2, es.Length);
Assert.AreEqual("host", es[0].HostName);
Assert.AreEqual(1234, es[0].Port);
Assert.AreEqual("other", es[1].HostName);
Assert.AreEqual(2345, es[1].Port);
}
[Test]
public void TestIpv6WithPort()
{
AmqpTcpEndpoint e = AmqpTcpEndpoint.Parse("[::1]:1234");
Assert.AreEqual("::1", e.HostName);
Assert.AreEqual(1234, e.Port);
}
[Test]
public void TestIpv6WithoutPort()
{
AmqpTcpEndpoint e = AmqpTcpEndpoint.Parse("[::1]");
Assert.AreEqual("::1", e.HostName);
Assert.AreEqual(Protocols.DefaultProtocol.DefaultPort, e.Port);
}
}
}
|
The Yahoo CEO has yet to show her cards with Flickr, but Apple, Google, and others may be getting into defense mode by shoring up their own photo-related services.
Google, Shutterfly, and Canon remind us today that there’s gold in the overcrowded social photo industry.
advertisement
advertisement
Google has agreed to acquire the German Nik Software, the company behind the cult photo-editing app Snapseed that took Apple’s iPad App of the Year honor in 2011. The Verge reports that the Snapseed team will begin work on Google+. It’s easy to see why Google might want a Snapseed-like toolbar to make Google+ more enticing as a one-stop editing-and-sharing hub for photographers.
In a more bizarre move, lustworthy hardware maker Canon just launched its own beta photo management service called Project 1709 that aims to make it easy to manage photos across different social networks. At launch, it features integration with Facebook that lets you post images directly from 1709 to the network, as well as pull in Facebook photos with comments and likes.
Not to be outdone, nostalgia-inducing photo service Shutterfly today acquired Penguin Digital, the company behind mobile app Mobile Photo Factory, or MoPho. MoPho turns your iPhone into a photo printer by letting you print physical copies of images from your Camera Roll, Instagram, or Facebook. (It also lets you emblazon those images on tacky memorabilia galore in the form of key chains, mugs, and iPad cases, to name a few.)
And let’s not forget Apple’s impending launch of the new shared Photo Stream feature in iOS 6, which the company described at last week’s iPhone 5 unveiling. Photo Stream will let users share different streams with different friends as they add new photos. You can also follow and comment on friends’ streams.
What none of these players have yet figured out is how to monetize on all that snapping and sharing. Which begs the question: Are they all making moves while keeping one eye on Flickr’s pending return? Although Yahoo CEO Marissa Mayer has yet to show her cards for the photo service’s future, the Internet has spoken, and it’s pretty much said Flickr is all it cares to see Mayer salvage from Yahoo’s ashes. So it’s safe to assume that, even if she might not succeed, Mayer’s at the very least going to try to figure out how to better monetize that massive trove of images she’s sitting on. And also make Flickr great again. |
Hand hygiene and face touching in family medicine offices: a Cincinnati Area Research and Improvement Group (CARInG) network study.
Family medicine offices may play an important role in the transmission of common illnesses such as upper respiratory tract infections (URTIs). There has, however, been little study of whether physicians teach patients about URTI transmission and what their own actions are to prevent infection. The purpose of this study was to assess the quality of hand hygiene and the frequency with which family physicians and staff touch their eyes, nose, and mouth (the T-zone) as well as physician and staff self-reported behaviors and recommendations given to patients regarding URTI prevention. We observed family physicians and staff at 7 offices of the Cincinnati Area Research and Improvement Group (CARInG) practice-based research network for the quality of hand hygiene and number of T-zone touches. After observations, participants completed surveys about personal habits and recommendations given to patients to prevent URTIs. A total of 31 clinicians and 48 staff participated. They touched their T-zones a mean of 19 times in 2 hours (range, 0-105 times); clinicians did so significantly less often than staff (P < .001). We observed 123 episodes of hand washing and 288 uses of alcohol-based cleanser. Only 11 hand washings (9%) met Centers for Disease Control and Prevention criteria for effective hand washing. Alcohol cleansers were used more appropriately, with 243 (84%) meeting ideal use. Participants who were observed using better hand hygiene and who touched their T-zone less report the same personal habits and recommendations to patients as those with poorer URTI prevention hygiene. Clinicians and staff in family medicine offices frequently touch their T-zone and demonstrate mixed quality of hand cleansing. Participants' self-rated URTI prevention behaviors were not associated with how well they actually perform hand hygiene and how often they touch their T-zone. The relationship between self-reported and observed behaviors and URTIs in family medicine office settings needs further study. |
A novel planar polarity gene pepsinogen-like regulates wingless expression in a posttranscriptional manner.
Planar cell polarity (PCP) originally referred to the coordination of global organ axes and individual cell polarity within the plane of the epithelium. More recently, it has been accepted that pertinent PCP regulators play essential roles not only in epithelial sheets, but also in various rearranging cells. We identified pepsinogen-like (pcl) as a new planar polarity gene, using Drosophila wing epidermis as a model. Pcl protein is predicted to belong to a family of aspartic proteases. When pcl mutant clones were observed in pupal wings, PCP was disturbed in both mutant and wild-type cells that were juxtaposed to the clone border. We examined levels of known PCP proteins in wing imaginal discs. The amount of the seven-pass transmembrane cadherin Flamingo (Fmi), one of the PCP "core group" members, was significantly decreased in mutant clones, whereas neither the amount of nor the polarized localization of Dachsous (Ds) at cell boundaries was affected. In addition to the PCP phenotype, the pcl mutation caused loss of wing margins. Intriguingly, this was most likely due to a dramatic decrease in the level of Wingless (Wg) protein, but not due to a decrease in the level of wg transcripts. Our results raise the possibility that Pcl regulates Wg expression post-transcriptionally, and PCP, by proteolytic cleavages. |
Evidence that stress and surgical interventions promote tumor development by suppressing natural killer cell activity.
Stress and surgery have been suggested to compromise host resistance to infectious and malignant diseases in experimental and clinical settings. Because stress affects numerous physiological systems, the role of the immune system in mediating such effects is unclear. In the current study, we assessed the degree to which stress-induced alterations in natural killer (NK) cell activity underlie increased susceptibility to tumor development in F344 rats. Two stress paradigms were used: forced swim and abdominal surgery. Host resistance to tumor development was studied using 3 tumor models syngeneic to inbred F344 rats: CRNK-16 leukemia and the MADB106 mammary adenocarcinoma, both sensitive to NK activity, and the NK-insensitive C4047 colon cancer. Swim stress increased CRNK-16-associated mortality and metastatic development of MADB106 but not metastasis of C4047 cells. In both stress paradigms, stress suppressed NK activity (NKA) for a duration that paralleled its metastasis-enhancing effects on the MADB106 tumor. In vivo depletion of large granular lymphocyte/NK cells abolished the metastasis-enhancing effects of swim stress but not of surgical stress. Our findings indicate that stress-induced suppression of NKA is sufficient to cause enhanced tumor development. Under certain stressful conditions, suppression of NKA is the primary mediator of the tumor-enhancing effects of stress, while under other conditions, additional factors play a significant role. Clinical circumstances in which surgical stress may induce enhanced metastatic growth are discussed. |
Related literature {#sec1}
====================
For background to the importance of Schiff bases and nitroaromatic compounds and their uses, see: Docampo (1990[@bb4]); Ma *et al.* (2003[@bb6]); Purohit & Basu (2000[@bb8]); Safwat *et al.* (1988[@bb9]); Tarafder *et al.* (2002[@bb13]). For related structures, see: Valkonen *et al.* (2012[@bb14]); Akkurt *et al.* (2013[@bb2], 2014[@bb1]); Atioğlu *et al.* (2014[@bb3]).
Experimental {#sec2}
==============
Crystal data {#sec2.1}
--------------
C~13~H~10~N~2~O~3~*M* *~r~* = 242.23Triclinic,*a* = 12.3449 (6) Å*b* = 13.4266 (6) Å*c* = 15.7404 (7) Åα = 72.926 (4)°β = 67.390 (4)°γ = 76.824 (4)°*V* = 2282.7 (2) Å^3^*Z* = 8Mo *K*α radiationμ = 0.10 mm^−1^*T* = 296 K0.53 × 0.49 × 0.41 mm
Data collection {#sec2.2}
-----------------
Stoe IPDS 2 diffractometerAbsorption correction: integration (*X-RED32*; Stoe & Cie, 2002[@bb12]) *T* ~min~ = 0.952, *T* ~max~ = 0.97433476 measured reflections10470 independent reflections5234 reflections with *I* \> 2σ(*I*)*R* ~int~ = 0.099
Refinement {#sec2.3}
------------
*R*\[*F* ^2^ \> 2σ(*F* ^2^)\] = 0.070*wR*(*F* ^2^) = 0.197*S* = 0.9610470 reflections680 parameters5 restraintsH-atom parameters constrainedΔρ~max~ = 0.51 e Å^−3^Δρ~min~ = −0.26 e Å^−3^
{#d5e649}
Data collection: *X-AREA* (Stoe & Cie, 2002[@bb12]); cell refinement: *X-AREA*; data reduction: *X-RED32* (Stoe & Cie, 2002[@bb12]); program(s) used to solve structure: *SUPERFLIP* (Palatinus & Chapuis, 2007[@bb7]); program(s) used to refine structure: *SHELXL97* (Sheldrick, 2008[@bb10], 2015[@bb11]); molecular graphics: *ORTEP-3 for Windows* (Farrugia, 2012[@bb5]); software used to prepare material for publication: *WinGX* (Farrugia, 2012[@bb5]).
Supplementary Material
======================
Crystal structure: contains datablock(s) global, I. DOI: [10.1107/S2056989015000511/hb7349sup1.cif](http://dx.doi.org/10.1107/S2056989015000511/hb7349sup1.cif)
Structure factors: contains datablock(s) I. DOI: [10.1107/S2056989015000511/hb7349Isup2.hkl](http://dx.doi.org/10.1107/S2056989015000511/hb7349Isup2.hkl)
######
Click here for additional data file.
Supporting information file. DOI: [10.1107/S2056989015000511/hb7349Isup3.cml](http://dx.doi.org/10.1107/S2056989015000511/hb7349Isup3.cml)
######
Click here for additional data file.
. DOI: [10.1107/S2056989015000511/hb7349fig1.tif](http://dx.doi.org/10.1107/S2056989015000511/hb7349fig1.tif)
The molecular structure of the title compound (I) with displacement ellipsoids drawn at the 20% probability level. Only the major component of the disorder is shown.
######
Click here for additional data file.
a . DOI: [10.1107/S2056989015000511/hb7349fig2.tif](http://dx.doi.org/10.1107/S2056989015000511/hb7349fig2.tif)
View of the hydrogen bonding and molecular packing of (I) along *a* axis. Only H atoms involved in H bonding and atoms of the major disorder component are shown.
CCDC reference: [1042888](http://scripts.iucr.org/cgi-bin/cr.cgi?rm=csd&csdid=1042888)
Additional supporting information: [crystallographic information](http://scripts.iucr.org/cgi-bin/sendsupfiles?hb7349&file=hb7349sup0.html&mime=text/html); [3D view](http://scripts.iucr.org/cgi-bin/sendcif?hb7349sup1&Qmime=cif); [checkCIF report](http://scripts.iucr.org/cgi-bin/paper?hb7349&checkcif=yes)
Supporting information for this paper is available from the IUCr electronic archives (Reference: [HB7349](http://scripts.iucr.org/cgi-bin/sendsup?hb7349)).
The authors acknowledge the Faculty of Arts and Sciences, Ondokuz Mayıs University, Turkey, for the use of the Stoe IPDS 2 diffractometer (purchased under grant F.279 of the University Research Fund). AJ and EE thank the Shiraz University Research Council for financial support.
S1. Comment {#comment}
===========
Schiff bases are potentially biologically active compounds and have been reported to possess antifungal, anticancer, anticonvulsant and diuretic activities (Safwat *et al.*, 1988). Schiff bases derived from various heterocycles were reported to possess cytotoxic activity (Tarafder *et al.*, 2002). It is believed that the presence of a nitro group in the *p*-position appears to be an important condition for the development of bacteriostatic activity (Ma *et al.*, 2003). Nitroaromatic compounds are widely used in medicine, industry and agriculture (Purohit *et al.*, 2000). The anti-malarial activity of nitroaromatic compounds was attributed to the formation of reactive oxygen species during flavoenzyme catalyzed redox cycling reactions and/or oxyhemoglobin oxidation (Docampo, 1990).
The crystal structures of molecules I, II and III of the title compound are ordered, but in (IV) a \"*whole-disorder molecule*\" exists (Fig. 1), with the occupancy of the major component being 0.669 (10).
The hydroxy benzene ring is inclined at an angle of 32.30 (13)° in (I), 2.24 (14)° in (II), 41.61 (13)° in (III), 5.0 (5)° in (IV) and 10.2 (3)° in (IVA) with respect to the nitro benzene ring. In the disordered molecules IV, the dihedral angles between the hydroxy benzene rings and and the nitro benzene rings of the two disorders are 2.4 (4) and 3.6 (4) °, respectively.
In the asymmetric unit, the bond lengths and bond angles in all molecules are similar and comparable with those of the related structures reported by Valkonen *et al.*, 2012; Akkurt *et al.*, 2014; Atioğlu *et al.*, 2014; Akkurt *et al.*, 2013.
In the crystal structure, intermolecular C---H···O and O---H···O hydrogen bonding interactions link the molecules into a two-dimensional layered structure parallel to the (024) plane (Table 1, Fig. 2). C---H···π interactions and π--π stacking interactions \[*Cg*3···*Cg*4 (1 - *x*, 1 - *y*, -*z*) = 3.8476 (16) Å, *Cg*6···*Cg*7 (*x*, *y*, *z*) = 3.725 (3) Å and *Cg*6···*Cg*9 (*x*, *y*, *z*) = 3.733 (5) Å; *Cg*3, *Cg*4, *Cg*6, *Cg*7 and *Cg*9 are the centroids of the (C14--C19), (C21--C26), (C34--C39), (C40A--C45A) and (C40--C45) benzene rings, respectively\] between the layers stabilize the molecular packing.
S2. Experimental {#experimental}
================
*p*-Nitrobenzaldehyde (3.0 mmol, 0.46 g) was added to 4-aminophenol (3.0 mmol, 0.33 g) in EtOH (10 ml) refluxed for 4 h. After filtration and recrystallization from EtOH the title Schiff base gave colourless crystals in 85% yield. Mp: 449--451 K. IR (KBr, cm^-1^): 3448 (OH), 1627 (C=N). ^1^H-NMR (250 MHz, CDCl~3~), δ (p.p.m.): 6.83 (ArH, 2H, d, J=1.6 Hz), 7.30 (ArH, 2H, d, J=8.8 Hz), 8.13 (ArH, 2H, d, J=8.8 Hz), 8.33 (ArH, 2H, d, J=8.3 Hz), and 8.80 (CH=N,1*H*, s), 9.66 (OH, s, 1H). ^13^C-NMR (62.9 MHz, DMSO), δ (p.p.m.):116.5, 123.8, 124.6, 129.7, 142.3, 142.8, 149.04, 155.3 (aromatic carbons),157.9 (C=N).
S3. Refinement {#refinement}
==============
The molecule IV in the asymmetric unit is \"*whole-molecule disorder*\" over two sets of sites with occupancies in a ratio of 0.669 (10):0.331 (10). All H atoms bound to C atoms and the hydroxyl H atoms (H10A and H1A0) in the disordered molecule IV were positioned geometrically. The H atoms of the hydroxyl groups in the other molecules were located from electron-density maps, but they were calculated at their idealized positions and all were refined using a riding model with C---H = 0.93 Å, O---H = 0.82 Å and *U*~iso~(H) = 1.2*U*~eq~(C) and 1.5*U*~eq~(O)
Figures
=======
{#Fap1}
{#Fap2}
Crystal data {#tablewrapcrystaldatalong}
============
----------------------- ----------------------------------------
C~13~H~10~N~2~O~3~ *Z* = 8
*M~r~* = 242.23 *F*(000) = 1008
Triclinic, *P*1 *D*~x~ = 1.410 Mg m^−3^
Hall symbol: -P 1 Mo *K*α radiation, λ = 0.71073 Å
*a* = 12.3449 (6) Å Cell parameters from 25151 reflections
*b* = 13.4266 (6) Å θ = 1.8--27.9°
*c* = 15.7404 (7) Å µ = 0.10 mm^−1^
α = 72.926 (4)° *T* = 296 K
β = 67.390 (4)° Prism, colourless
γ = 76.824 (4)° 0.53 × 0.49 × 0.41 mm
*V* = 2282.7 (2) Å^3^
----------------------- ----------------------------------------
Data collection {#tablewrapdatacollectionlong}
===============
------------------------------------------------------------------ --------------------------------------
Stoe IPDS 2 diffractometer 10470 independent reflections
Radiation source: sealed X-ray tube, 12 x 0.4 mm long-fine focus 5234 reflections with *I* \> 2σ(*I*)
Plane graphite monochromator *R*~int~ = 0.099
Detector resolution: 6.67 pixels mm^-1^ θ~max~ = 27.6°, θ~min~ = 1.8°
ω scans *h* = −16→15
Absorption correction: integration (*X-RED32*; Stoe & Cie, 2002) *k* = −17→17
*T*~min~ = 0.952, *T*~max~ = 0.974 *l* = −20→20
33476 measured reflections
------------------------------------------------------------------ --------------------------------------
Refinement {#tablewraprefinementdatalong}
==========
------------------------------------- -------------------------------------------------------------------------------------
Refinement on *F*^2^ 5 restraints
Least-squares matrix: full Hydrogen site location: mixed
*R*\[*F*^2^ \> 2σ(*F*^2^)\] = 0.070 H-atom parameters constrained
*wR*(*F*^2^) = 0.197 *w* = 1/\[σ^2^(*F*~o~^2^) + (0.0989*P*)^2^\] where *P* = (*F*~o~^2^ + 2*F*~c~^2^)/3
*S* = 0.96 (Δ/σ)~max~ \< 0.001
10470 reflections Δρ~max~ = 0.51 e Å^−3^
680 parameters Δρ~min~ = −0.26 e Å^−3^
------------------------------------- -------------------------------------------------------------------------------------
Special details {#specialdetails}
===============
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
Geometry. Bond distances, angles *etc*. have been calculated using the rounded fractional coordinates. All su\'s are estimated from the variances of the (full) variance-covariance matrix. The cell e.s.d.\'s are taken into account in the estimation of distances, angles and torsion angles
Refinement. Refinement on *F*^2^ for ALL reflections except those flagged by the user for potential systematic errors. Weighted *R*-factors *wR* and all goodnesses of fit *S* are based on *F*^2^, conventional *R*-factors *R* are based on *F*, with *F* set to zero for negative *F*^2^. The observed criterion of *F*^2^ \> σ(*F*^2^) is used only for calculating -*R*-factor-obs *etc*. and is not relevant to the choice of reflections for refinement. *R*-factors based on *F*^2^ are statistically about twice as large as those based on *F*, and *R*-factors based on ALL data will be even larger.
------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------
Fractional atomic coordinates and isotropic or equivalent isotropic displacement parameters (Å^2^) {#tablewrapcoords}
==================================================================================================
------ --------------- --------------- --------------- -------------------- ------------
*x* *y* *z* *U*~iso~\*/*U*~eq~ Occ. (\<1)
O1 0.50039 (19) −0.36460 (16) 0.28944 (16) 0.0835 (8)
O2 0.1795 (2) 0.53357 (19) −0.1317 (2) 0.1147 (13)
O3 0.0208 (2) 0.47714 (17) −0.10965 (19) 0.0933 (10)
N1 0.3541 (2) 0.04251 (18) 0.12063 (16) 0.0650 (8)
N2 0.1187 (2) 0.4635 (2) −0.10289 (18) 0.0718 (9)
C1 0.5013 (2) −0.0934 (2) 0.15946 (19) 0.0620 (9)
C2 0.5401 (2) −0.1958 (2) 0.1993 (2) 0.0673 (10)
C3 0.4587 (2) −0.2649 (2) 0.25257 (19) 0.0615 (9)
C4 0.3386 (2) −0.2317 (2) 0.26808 (19) 0.0645 (9)
C5 0.3021 (2) −0.1315 (2) 0.22690 (19) 0.0627 (9)
C6 0.3833 (2) −0.0606 (2) 0.16962 (18) 0.0587 (9)
C7 0.2659 (2) 0.0614 (2) 0.09237 (18) 0.0603 (9)
C8 0.2321 (2) 0.1657 (2) 0.04025 (18) 0.0580 (9)
C9 0.1387 (2) 0.1805 (2) 0.0077 (2) 0.0640 (10)
C10 0.1018 (2) 0.2770 (2) −0.0398 (2) 0.0652 (10)
C11 0.1614 (2) 0.3603 (2) −0.05649 (19) 0.0581 (9)
C12 0.2590 (2) 0.3470 (2) −0.0295 (2) 0.0708 (10)
C13 0.2926 (3) 0.2508 (2) 0.0190 (2) 0.0698 (11)
O4 0.62408 (19) 0.06613 (17) 0.33983 (17) 0.0884 (9)
O5 0.1439 (2) 0.88143 (19) −0.10061 (18) 0.0923 (9)
O6 0.2621 (2) 0.95766 (17) −0.07833 (19) 0.0932 (9)
N3 0.4627 (2) 0.4603 (2) 0.15030 (18) 0.0831 (10)
N4 0.22268 (19) 0.87913 (19) −0.07013 (16) 0.0643 (8)
C14 0.5837 (2) 0.3448 (2) 0.2357 (2) 0.0644 (9)
C15 0.6250 (2) 0.2482 (2) 0.2825 (2) 0.0655 (10)
C16 0.5807 (2) 0.1583 (2) 0.29194 (19) 0.0639 (9)
C17 0.4949 (2) 0.1654 (2) 0.2526 (2) 0.0681 (10)
C18 0.4553 (2) 0.2618 (2) 0.20622 (19) 0.0667 (10)
C19 0.4968 (2) 0.3534 (2) 0.19782 (18) 0.0628 (9)
C20 0.3792 (3) 0.4787 (3) 0.1257 (3) 0.0897 (14)
C21 0.3415 (3) 0.5865 (2) 0.0741 (2) 0.0749 (11)
C22 0.3926 (2) 0.6749 (3) 0.0635 (2) 0.0764 (13)
C23 0.3554 (2) 0.7735 (2) 0.01514 (19) 0.0649 (10)
C24 0.2691 (2) 0.7782 (2) −0.02215 (18) 0.0562 (8)
C25 0.2217 (2) 0.6907 (2) −0.0134 (2) 0.0692 (11)
C26 0.2566 (3) 0.5968 (3) 0.0359 (2) 0.0811 (12)
O7 −0.10722 (19) −0.36719 (16) 0.78633 (17) 0.0856 (9)
O8 0.1778 (2) 0.53834 (18) 0.3923 (2) 0.1027 (10)
O9 0.35460 (18) 0.47295 (17) 0.38559 (18) 0.0875 (9)
N5 0.00532 (19) 0.04052 (17) 0.62254 (16) 0.0615 (8)
N6 0.2508 (2) 0.46369 (18) 0.40531 (17) 0.0678 (9)
C27 0.0410 (2) −0.1359 (2) 0.72341 (19) 0.0608 (9)
C28 0.0131 (2) −0.2363 (2) 0.7640 (2) 0.0670 (10)
C29 −0.0768 (2) −0.2677 (2) 0.74937 (19) 0.0616 (9)
C30 −0.1403 (2) −0.1970 (2) 0.6974 (2) 0.0662 (10)
C31 −0.1132 (2) −0.0948 (2) 0.65762 (19) 0.0595 (9)
C32 −0.0199 (2) −0.0636 (2) 0.66785 (18) 0.0560 (8)
C33 0.1125 (2) 0.0584 (2) 0.58926 (19) 0.0595 (9)
C34 0.1457 (2) 0.1640 (2) 0.54077 (18) 0.0553 (8)
C35 0.2643 (2) 0.1772 (2) 0.49720 (19) 0.0605 (9)
C36 0.3001 (2) 0.2740 (2) 0.45158 (19) 0.0593 (9)
C37 0.2141 (2) 0.3600 (2) 0.44933 (19) 0.0573 (9)
C38 0.0943 (2) 0.3494 (2) 0.4904 (2) 0.0683 (10)
C39 0.0611 (2) 0.2517 (2) 0.5364 (2) 0.0649 (10)
O10A −0.013 (2) 0.073 (2) 0.8503 (14) 0.077 (3) 0.669 (10)
O11A 0.3512 (13) 0.9451 (6) 0.4143 (11) 0.085 (2) 0.669 (10)
O12A 0.524 (2) 0.871 (2) 0.408 (2) 0.090 (3) 0.669 (10)
N7A 0.1472 (4) 0.4600 (5) 0.6493 (3) 0.0602 (18) 0.669 (10)
N8A 0.416 (3) 0.8789 (18) 0.4259 (18) 0.059 (4) 0.669 (10)
C40A 0.20184 (19) 0.2548 (4) 0.7124 (4) 0.0589 (9) 0.669 (10)
C41A 0.1522 (3) 0.1631 (3) 0.7650 (4) 0.0589 (9) 0.669 (10)
C42A 0.0300 (4) 0.1659 (2) 0.8035 (4) 0.0589 (9) 0.669 (10)
C43A −0.04275 (19) 0.2603 (3) 0.7893 (4) 0.0589 (9) 0.669 (10)
C44A 0.0068 (3) 0.3520 (2) 0.7366 (4) 0.0589 (9) 0.669 (10)
C45A 0.1291 (4) 0.3493 (3) 0.6982 (4) 0.0589 (9) 0.669 (10)
C46A 0.2461 (5) 0.4821 (5) 0.6344 (3) 0.0642 (17) 0.669 (10)
C47A 0.2851 (6) 0.5852 (3) 0.5794 (2) 0.0548 (19) 0.669 (10)
C48A 0.4047 (6) 0.5938 (3) 0.5513 (3) 0.0621 (19) 0.669 (10)
C49A 0.4460 (5) 0.6894 (4) 0.5002 (5) 0.0632 (17) 0.669 (10)
C50A 0.3679 (6) 0.7764 (3) 0.4772 (6) 0.071 (3) 0.669 (10)
C51A 0.2484 (5) 0.7678 (4) 0.5053 (5) 0.075 (3) 0.669 (10)
C52A 0.2070 (5) 0.6722 (4) 0.5564 (4) 0.066 (2) 0.669 (10)
O10 −0.009 (5) 0.077 (5) 0.867 (3) 0.077 (3) 0.331 (10)
O11 0.339 (3) 0.9712 (15) 0.410 (3) 0.085 (2) 0.331 (10)
O12 0.510 (5) 0.872 (5) 0.396 (5) 0.090 (3) 0.331 (10)
N7 0.2033 (10) 0.4293 (8) 0.6474 (7) 0.063 (4) 0.331 (10)
N8 0.404 (6) 0.862 (4) 0.436 (4) 0.059 (4) 0.331 (10)
C40 0.1942 (4) 0.2784 (7) 0.7093 (8) 0.0628 (19) 0.331 (10)
C41 0.1664 (6) 0.1777 (5) 0.7574 (9) 0.0628 (19) 0.331 (10)
C42 0.0488 (7) 0.1596 (4) 0.7991 (9) 0.0628 (19) 0.331 (10)
C43 −0.0410 (4) 0.2423 (7) 0.7926 (9) 0.0628 (19) 0.331 (10)
C44 −0.0132 (6) 0.3431 (5) 0.7445 (9) 0.0628 (19) 0.331 (10)
C45 0.1044 (8) 0.3612 (4) 0.7029 (8) 0.0628 (19) 0.331 (10)
C46 0.1522 (7) 0.5239 (11) 0.6291 (6) 0.054 (3) 0.331 (10)
C47 0.2226 (11) 0.6094 (7) 0.5811 (5) 0.054 (4) 0.331 (10)
C48 0.3447 (11) 0.5931 (4) 0.5595 (6) 0.062 (4) 0.331 (10)
C49 0.4103 (7) 0.6765 (6) 0.5103 (8) 0.064 (4) 0.331 (10)
C50 0.3539 (7) 0.7762 (5) 0.4827 (9) 0.034 (3) 0.331 (10)
C51 0.2319 (7) 0.7926 (6) 0.5043 (8) 0.049 (3) 0.331 (10)
C52 0.1662 (7) 0.7092 (9) 0.5535 (6) 0.066 (4) 0.331 (10)
H1 0.55590 −0.04590 0.12530 0.0740\*
HO1 0.44750 −0.40100 0.31640 0.1250\*
H2 0.62010 −0.21740 0.18990 0.0810\*
H4 0.28340 −0.27760 0.30630 0.0770\*
H5 0.22190 −0.11010 0.23710 0.0750\*
H7 0.22210 0.00750 0.10530 0.0720\*
H9 0.10040 0.12350 0.01830 0.0770\*
H10 0.03810 0.28650 −0.06050 0.0780\*
H12 0.30080 0.40290 −0.04430 0.0850\*
H13 0.35720 0.24150 0.03850 0.0840\*
HO4 0.58390 0.02360 0.34280 0.1330\*
H14 0.61460 0.40460 0.22960 0.0770\*
H15 0.68310 0.24370 0.30790 0.0790\*
H17 0.46490 0.10560 0.25770 0.0820\*
H18 0.39870 0.26600 0.17940 0.0800\*
H20 0.33560 0.42470 0.13870 0.1080\*
H22 0.45140 0.66760 0.08890 0.0920\*
H23 0.38710 0.83310 0.00830 0.0780\*
H25 0.16580 0.69650 −0.04140 0.0830\*
H26 0.22240 0.53820 0.04390 0.0970\*
HO7 −0.06020 −0.39870 0.81320 0.1280\*
H27 0.10170 −0.11560 0.73310 0.0730\*
H28 0.05430 −0.28330 0.80120 0.0800\*
H30 −0.20170 −0.21750 0.68880 0.0790\*
H31 −0.15790 −0.04680 0.62380 0.0710\*
H33 0.17150 0.00280 0.59590 0.0710\*
H35 0.32130 0.11850 0.49910 0.0730\*
H36 0.38010 0.28180 0.42290 0.0710\*
H38 0.03760 0.40790 0.48660 0.0820\*
H39 −0.01880 0.24400 0.56500 0.0780\*
H1A0 0.04250 0.02610 0.85250 0.1150\* 0.669 (10)
H40A 0.28370 0.25300 0.68660 0.0710\* 0.669 (10)
H41A 0.20090 0.10000 0.77450 0.0710\* 0.669 (10)
H43A −0.12460 0.26210 0.81500 0.0710\* 0.669 (10)
H44A −0.04180 0.41520 0.72710 0.0710\* 0.669 (10)
H46A 0.29820 0.43130 0.65890 0.0770\* 0.669 (10)
H48A 0.45690 0.53560 0.56660 0.0750\* 0.669 (10)
H49A 0.52600 0.69520 0.48140 0.0760\* 0.669 (10)
H51A 0.19610 0.82600 0.48990 0.0900\* 0.669 (10)
H52A 0.12700 0.66640 0.57520 0.0790\* 0.669 (10)
H10A 0.03870 0.02400 0.87210 0.1150\* 0.331 (10)
H40 0.27290 0.29050 0.68140 0.0750\* 0.331 (10)
H41 0.22650 0.12230 0.76170 0.0750\* 0.331 (10)
H43 −0.11970 0.23030 0.82050 0.0750\* 0.331 (10)
H44 −0.07330 0.39850 0.74020 0.0750\* 0.331 (10)
H46 0.07020 0.53720 0.64660 0.0650\* 0.331 (10)
H48 0.38240 0.52640 0.57800 0.0750\* 0.331 (10)
H49 0.49190 0.66560 0.49580 0.0770\* 0.331 (10)
H51 0.19420 0.85930 0.48580 0.0580\* 0.331 (10)
H52 0.08460 0.72010 0.56800 0.0800\* 0.331 (10)
------ --------------- --------------- --------------- -------------------- ------------
Atomic displacement parameters (Å^2^) {#tablewrapadps}
=====================================
------ ------------- ------------- ------------- -------------- -------------- --------------
*U*^11^ *U*^22^ *U*^33^ *U*^12^ *U*^13^ *U*^23^
O1 0.0828 (14) 0.0652 (13) 0.0985 (16) −0.0102 (10) −0.0416 (12) 0.0020 (11)
O2 0.1063 (18) 0.0661 (15) 0.179 (3) −0.0303 (13) −0.0768 (19) 0.0141 (16)
O3 0.0831 (15) 0.0768 (15) 0.130 (2) −0.0091 (11) −0.0632 (14) −0.0027 (13)
N1 0.0649 (13) 0.0607 (14) 0.0675 (14) −0.0099 (10) −0.0244 (11) −0.0082 (11)
N2 0.0740 (16) 0.0640 (16) 0.0835 (17) −0.0113 (12) −0.0361 (13) −0.0114 (13)
C1 0.0549 (15) 0.0656 (17) 0.0673 (16) −0.0179 (12) −0.0255 (12) −0.0038 (13)
C2 0.0544 (15) 0.081 (2) 0.0685 (17) −0.0084 (13) −0.0273 (13) −0.0117 (15)
C3 0.0712 (17) 0.0586 (16) 0.0600 (15) −0.0072 (13) −0.0309 (13) −0.0105 (13)
C4 0.0634 (16) 0.0664 (18) 0.0587 (15) −0.0152 (13) −0.0205 (13) −0.0024 (13)
C5 0.0525 (14) 0.0716 (18) 0.0614 (16) −0.0138 (12) −0.0143 (12) −0.0139 (14)
C6 0.0627 (15) 0.0600 (16) 0.0555 (14) −0.0134 (12) −0.0220 (12) −0.0096 (12)
C7 0.0608 (15) 0.0606 (16) 0.0584 (15) −0.0107 (12) −0.0214 (12) −0.0085 (13)
C8 0.0547 (14) 0.0623 (16) 0.0562 (15) −0.0104 (12) −0.0162 (11) −0.0142 (12)
C9 0.0604 (15) 0.0621 (17) 0.0747 (18) −0.0203 (12) −0.0270 (13) −0.0085 (14)
C10 0.0570 (15) 0.0708 (19) 0.0754 (18) −0.0112 (13) −0.0295 (13) −0.0162 (15)
C11 0.0574 (15) 0.0561 (16) 0.0613 (15) −0.0074 (11) −0.0213 (12) −0.0128 (12)
C12 0.0655 (16) 0.0620 (18) 0.100 (2) −0.0155 (13) −0.0395 (16) −0.0199 (16)
C13 0.0675 (17) 0.0663 (19) 0.090 (2) −0.0060 (14) −0.0434 (16) −0.0184 (16)
O4 0.0802 (14) 0.0668 (13) 0.1097 (17) −0.0073 (10) −0.0450 (13) 0.0074 (12)
O5 0.0805 (14) 0.0945 (17) 0.1134 (18) −0.0065 (12) −0.0596 (14) −0.0084 (14)
O6 0.0985 (16) 0.0586 (13) 0.1221 (19) −0.0195 (12) −0.0481 (14) 0.0009 (13)
N3 0.0668 (15) 0.107 (2) 0.0671 (15) −0.0061 (14) −0.0209 (13) −0.0146 (15)
N4 0.0567 (13) 0.0625 (15) 0.0688 (14) −0.0089 (11) −0.0206 (11) −0.0082 (12)
C14 0.0573 (15) 0.0617 (17) 0.0696 (17) −0.0062 (12) −0.0205 (13) −0.0112 (13)
C15 0.0543 (15) 0.0732 (19) 0.0655 (17) −0.0113 (13) −0.0179 (12) −0.0121 (14)
C16 0.0575 (15) 0.0638 (18) 0.0599 (15) −0.0048 (13) −0.0173 (12) −0.0051 (13)
C17 0.0657 (16) 0.0669 (18) 0.0717 (18) −0.0095 (13) −0.0232 (14) −0.0157 (15)
C18 0.0597 (15) 0.077 (2) 0.0610 (16) −0.0077 (13) −0.0231 (13) −0.0099 (14)
C19 0.0610 (15) 0.0600 (17) 0.0500 (14) 0.0004 (12) −0.0115 (12) −0.0036 (12)
C20 0.072 (2) 0.098 (3) 0.094 (2) −0.0238 (18) −0.0156 (18) −0.022 (2)
C21 0.081 (2) 0.0524 (17) 0.0654 (18) −0.0010 (14) −0.0042 (15) −0.0099 (14)
C22 0.0570 (16) 0.107 (3) 0.0600 (17) 0.0058 (16) −0.0240 (13) −0.0185 (17)
C23 0.0583 (15) 0.0758 (19) 0.0648 (16) −0.0127 (13) −0.0230 (13) −0.0163 (14)
C24 0.0530 (14) 0.0590 (16) 0.0521 (14) −0.0025 (11) −0.0157 (11) −0.0128 (12)
C25 0.0657 (16) 0.0652 (19) 0.081 (2) −0.0114 (14) −0.0251 (15) −0.0206 (15)
C26 0.079 (2) 0.068 (2) 0.097 (2) −0.0099 (15) −0.0309 (18) −0.0186 (17)
O7 0.0836 (14) 0.0649 (13) 0.1052 (17) −0.0191 (10) −0.0400 (12) 0.0026 (12)
O8 0.0845 (15) 0.0623 (14) 0.148 (2) −0.0069 (11) −0.0510 (15) 0.0085 (14)
O9 0.0611 (12) 0.0716 (14) 0.1182 (18) −0.0193 (10) −0.0186 (12) −0.0131 (12)
N5 0.0585 (13) 0.0572 (14) 0.0683 (14) −0.0084 (10) −0.0236 (11) −0.0102 (11)
N6 0.0657 (15) 0.0590 (15) 0.0754 (15) −0.0043 (11) −0.0259 (12) −0.0109 (12)
C27 0.0576 (15) 0.0666 (17) 0.0631 (16) −0.0065 (12) −0.0287 (13) −0.0123 (13)
C28 0.0646 (16) 0.0671 (18) 0.0682 (17) −0.0085 (13) −0.0304 (14) −0.0033 (14)
C29 0.0566 (15) 0.0559 (16) 0.0638 (16) −0.0101 (12) −0.0159 (12) −0.0056 (13)
C30 0.0583 (15) 0.0713 (19) 0.0721 (18) −0.0136 (13) −0.0274 (13) −0.0102 (15)
C31 0.0506 (13) 0.0600 (16) 0.0681 (16) −0.0047 (11) −0.0270 (12) −0.0078 (13)
C32 0.0531 (14) 0.0569 (16) 0.0568 (14) −0.0056 (11) −0.0186 (11) −0.0125 (12)
C33 0.0571 (15) 0.0575 (16) 0.0632 (16) −0.0070 (12) −0.0205 (12) −0.0131 (13)
C34 0.0531 (14) 0.0598 (16) 0.0540 (14) −0.0031 (11) −0.0186 (11) −0.0172 (12)
C35 0.0498 (13) 0.0599 (16) 0.0704 (17) 0.0000 (11) −0.0224 (12) −0.0158 (13)
C36 0.0471 (13) 0.0625 (17) 0.0654 (16) −0.0031 (11) −0.0165 (12) −0.0171 (13)
C37 0.0589 (15) 0.0534 (15) 0.0611 (15) −0.0105 (11) −0.0189 (12) −0.0152 (12)
C38 0.0516 (14) 0.0597 (17) 0.092 (2) 0.0066 (12) −0.0254 (14) −0.0243 (15)
C39 0.0465 (13) 0.0630 (17) 0.0822 (19) −0.0069 (12) −0.0166 (13) −0.0199 (15)
O10A 0.077 (2) 0.067 (2) 0.081 (8) −0.0226 (15) −0.028 (5) 0.002 (5)
O11A 0.090 (4) 0.026 (5) 0.123 (2) 0.010 (4) −0.044 (2) 0.005 (4)
O12A 0.060 (6) 0.0929 (19) 0.122 (7) −0.022 (4) −0.039 (3) −0.010 (4)
N7A 0.058 (3) 0.046 (4) 0.066 (2) −0.003 (2) −0.025 (2) 0.005 (2)
N8A 0.063 (6) 0.046 (8) 0.066 (6) −0.017 (4) −0.021 (5) −0.003 (5)
C40A 0.0567 (16) 0.0599 (16) 0.0564 (17) −0.0131 (9) −0.0179 (11) −0.0057 (12)
C41A 0.0567 (16) 0.0599 (16) 0.0564 (17) −0.0131 (9) −0.0179 (11) −0.0057 (12)
C42A 0.0567 (16) 0.0599 (16) 0.0564 (17) −0.0131 (9) −0.0179 (11) −0.0057 (12)
C43A 0.0567 (16) 0.0599 (16) 0.0564 (17) −0.0131 (9) −0.0179 (11) −0.0057 (12)
C44A 0.0567 (16) 0.0599 (16) 0.0564 (17) −0.0131 (9) −0.0179 (11) −0.0057 (12)
C45A 0.0567 (16) 0.0599 (16) 0.0564 (17) −0.0131 (9) −0.0179 (11) −0.0057 (12)
C46A 0.067 (3) 0.061 (3) 0.065 (3) −0.009 (2) −0.028 (2) −0.007 (2)
C47A 0.042 (4) 0.065 (3) 0.060 (3) 0.004 (3) −0.023 (3) −0.019 (2)
C48A 0.056 (4) 0.049 (3) 0.083 (3) −0.001 (2) −0.037 (3) −0.004 (2)
C49A 0.059 (3) 0.055 (3) 0.079 (3) −0.007 (2) −0.033 (3) −0.008 (3)
C50A 0.074 (5) 0.095 (7) 0.053 (5) −0.028 (5) −0.019 (4) −0.022 (4)
C51A 0.081 (5) 0.062 (3) 0.081 (5) 0.008 (3) −0.039 (4) −0.014 (3)
C52A 0.053 (3) 0.075 (5) 0.068 (3) −0.010 (3) −0.019 (3) −0.013 (3)
O10 0.077 (2) 0.067 (2) 0.081 (8) −0.0226 (15) −0.028 (5) 0.002 (5)
O11 0.090 (4) 0.026 (5) 0.123 (2) 0.010 (4) −0.044 (2) 0.005 (4)
O12 0.060 (6) 0.0929 (19) 0.122 (7) −0.022 (4) −0.039 (3) −0.010 (4)
N7 0.059 (7) 0.056 (7) 0.082 (5) 0.011 (5) −0.042 (5) −0.016 (5)
N8 0.063 (6) 0.046 (8) 0.066 (6) −0.017 (4) −0.021 (5) −0.003 (5)
C40 0.052 (3) 0.063 (3) 0.070 (4) −0.0075 (17) −0.021 (2) −0.010 (3)
C41 0.052 (3) 0.063 (3) 0.070 (4) −0.0075 (17) −0.021 (2) −0.010 (3)
C42 0.052 (3) 0.063 (3) 0.070 (4) −0.0075 (17) −0.021 (2) −0.010 (3)
C43 0.052 (3) 0.063 (3) 0.070 (4) −0.0075 (17) −0.021 (2) −0.010 (3)
C44 0.052 (3) 0.063 (3) 0.070 (4) −0.0075 (17) −0.021 (2) −0.010 (3)
C45 0.052 (3) 0.063 (3) 0.070 (4) −0.0075 (17) −0.021 (2) −0.010 (3)
C46 0.044 (4) 0.048 (6) 0.059 (5) 0.003 (4) −0.018 (4) −0.001 (5)
C47 0.040 (7) 0.064 (8) 0.057 (5) −0.010 (6) −0.012 (5) −0.018 (5)
C48 0.028 (6) 0.066 (6) 0.094 (7) 0.017 (5) −0.029 (6) −0.027 (5)
C49 0.055 (6) 0.061 (8) 0.086 (8) −0.009 (5) −0.029 (6) −0.022 (6)
C50 0.033 (5) 0.012 (5) 0.049 (7) 0.000 (4) −0.014 (4) 0.004 (4)
C51 0.031 (4) 0.067 (6) 0.042 (5) −0.011 (4) −0.005 (4) −0.011 (5)
C52 0.059 (6) 0.075 (9) 0.055 (5) −0.011 (6) −0.013 (5) −0.007 (5)
------ ------------- ------------- ------------- -------------- -------------- --------------
Geometric parameters (Å, º) {#tablewrapgeomlong}
===========================
-------------------------- ------------- --------------------------- -------------
O1---C3 1.361 (3) C18---H18 0.9300
O2---N2 1.210 (4) C20---H20 0.9300
O3---N2 1.222 (4) C22---H22 0.9300
O1---HO1 0.8100 C23---H23 0.9300
O4---C16 1.359 (4) C25---H25 0.9300
O5---N4 1.230 (4) C26---H26 0.9300
O6---N4 1.213 (4) C27---C32 1.395 (4)
O4---HO4 0.8200 C27---C28 1.371 (4)
O7---C29 1.367 (4) C28---C29 1.389 (4)
O8---N6 1.212 (4) C29---C30 1.372 (4)
O9---N6 1.224 (4) C30---C31 1.390 (4)
O7---HO7 0.8200 C31---C32 1.389 (4)
O10A---C42A 1.36 (3) C33---C34 1.466 (4)
O11A---N8A 1.08 (3) C34---C39 1.389 (4)
O12A---N8A 1.24 (5) C34---C35 1.386 (4)
O10A---H1A0 0.8200 C35---C36 1.368 (4)
O10---C42 1.40 (6) C36---C37 1.381 (4)
O11---N8 1.53 (7) C37---C38 1.390 (4)
O12---N8 1.23 (10) C38---C39 1.368 (4)
O10---H10A 0.8200 C27---H27 0.9300
N1---C6 1.414 (4) C28---H28 0.9300
N1---C7 1.276 (4) C30---H30 0.9300
N2---C11 1.449 (4) C31---H31 0.9300
N3---C19 1.461 (4) C33---H33 0.9300
N3---C20 1.187 (5) C35---H35 0.9300
N4---C24 1.454 (4) C36---H36 0.9300
N5---C32 1.415 (4) C38---H38 0.9300
N5---C33 1.273 (4) C39---H39 0.9300
N6---C37 1.450 (4) C40A---C41A 1.390 (7)
N7A---C46A 1.240 (9) C40A---C45A 1.391 (7)
N7A---C45A 1.483 (8) C41A---C42A 1.389 (7)
N8A---C50A 1.50 (3) C42A---C43A 1.390 (6)
N7---C46 1.286 (18) C43A---C44A 1.390 (6)
N7---C45 1.520 (16) C44A---C45A 1.390 (7)
N8---C50 1.32 (6) C46A---C47A 1.476 (7)
C1---C6 1.383 (4) C47A---C48A 1.391 (10)
C1---C2 1.392 (4) C47A---C52A 1.390 (8)
C2---C3 1.376 (4) C48A---C49A 1.390 (8)
C3---C4 1.393 (4) C49A---C50A 1.390 (9)
C4---C5 1.367 (4) C50A---C51A 1.390 (11)
C5---C6 1.400 (4) C51A---C52A 1.390 (8)
C7---C8 1.460 (4) C40A---H40A 0.9300
C8---C13 1.396 (4) C41A---H41A 0.9300
C8---C9 1.386 (4) C43A---H43A 0.9300
C9---C10 1.367 (4) C44A---H44A 0.9300
C10---C11 1.384 (4) C46A---H46A 0.9300
C11---C12 1.384 (4) C48A---H48A 0.9300
C12---C13 1.358 (4) C49A---H49A 0.9300
C1---H1 0.9300 C51A---H51A 0.9300
C2---H2 0.9300 C52A---H52A 0.9300
C4---H4 0.9300 C40---C45 1.390 (12)
C5---H5 0.9300 C40---C41 1.389 (13)
C7---H7 0.9300 C41---C42 1.390 (15)
C9---H9 0.9300 C42---C43 1.390 (12)
C10---H10 0.9300 C43---C44 1.390 (14)
C12---H12 0.9300 C44---C45 1.390 (15)
C13---H13 0.9300 C46---C47 1.444 (16)
C14---C15 1.382 (4) C47---C52 1.391 (15)
C14---C19 1.384 (4) C47---C48 1.391 (19)
C15---C16 1.383 (4) C48---C49 1.390 (14)
C16---C17 1.392 (4) C49---C50 1.390 (12)
C17---C18 1.371 (4) C50---C51 1.390 (14)
C18---C19 1.390 (4) C51---C52 1.390 (14)
C20---C21 1.505 (5) C40---H40 0.9300
C21---C26 1.360 (5) C41---H41 0.9300
C21---C22 1.407 (5) C43---H43 0.9300
C22---C23 1.394 (5) C44---H44 0.9300
C23---C24 1.383 (4) C46---H46 0.9300
C24---C25 1.378 (4) C48---H48 0.9300
C25---C26 1.346 (5) C49---H49 0.9300
C14---H14 0.9300 C51---H51 0.9300
C15---H15 0.9300 C52---H52 0.9300
C17---H17 0.9300
C3---O1---HO1 111.00 C27---C32---C31 118.1 (2)
C16---O4---HO4 104.00 N5---C32---C27 124.4 (3)
C29---O7---HO7 105.00 N5---C32---C31 117.5 (2)
C42A---O10A---H1A0 109.00 N5---C33---C34 122.0 (3)
C42---O10---H10A 110.00 C35---C34---C39 118.8 (2)
C6---N1---C7 118.8 (2) C33---C34---C35 119.5 (2)
O2---N2---C11 119.3 (3) C33---C34---C39 121.7 (2)
O3---N2---C11 118.5 (3) C34---C35---C36 121.9 (3)
O2---N2---O3 122.2 (3) C35---C36---C37 118.1 (3)
C19---N3---C20 119.7 (3) C36---C37---C38 121.6 (3)
O6---N4---C24 119.3 (3) N6---C37---C36 118.7 (2)
O5---N4---O6 122.4 (3) N6---C37---C38 119.8 (2)
O5---N4---C24 118.3 (2) C37---C38---C39 119.1 (3)
C32---N5---C33 118.8 (2) C34---C39---C38 120.6 (3)
O8---N6---C37 119.4 (3) C32---C27---H27 119.00
O9---N6---C37 118.3 (2) C28---C27---H27 119.00
O8---N6---O9 122.3 (3) C29---C28---H28 120.00
C45A---N7A---C46A 114.8 (6) C27---C28---H28 120.00
O12A---N8A---C50A 113 (2) C29---C30---H30 120.00
O11A---N8A---C50A 115 (3) C31---C30---H30 120.00
O11A---N8A---O12A 132 (3) C30---C31---H31 120.00
C45---N7---C46 106.0 (10) C32---C31---H31 120.00
O11---N8---O12 105 (5) N5---C33---H33 119.00
O11---N8---C50 126 (6) C34---C33---H33 119.00
O12---N8---C50 129 (6) C36---C35---H35 119.00
C2---C1---C6 121.4 (3) C34---C35---H35 119.00
C1---C2---C3 119.3 (3) C35---C36---H36 121.00
C2---C3---C4 120.2 (3) C37---C36---H36 121.00
O1---C3---C4 122.4 (3) C37---C38---H38 120.00
O1---C3---C2 117.4 (3) C39---C38---H38 121.00
C3---C4---C5 119.8 (3) C38---C39---H39 120.00
C4---C5---C6 121.2 (3) C34---C39---H39 120.00
C1---C6---C5 117.9 (2) C41A---C40A---C45A 120.0 (4)
N1---C6---C1 117.1 (2) C40A---C41A---C42A 120.0 (4)
N1---C6---C5 125.0 (3) O10A---C42A---C43A 122.7 (12)
N1---C7---C8 121.5 (3) C41A---C42A---C43A 120.1 (4)
C9---C8---C13 118.4 (3) O10A---C42A---C41A 117.1 (12)
C7---C8---C13 122.6 (3) C42A---C43A---C44A 120.0 (4)
C7---C8---C9 119.0 (2) C43A---C44A---C45A 120.0 (3)
C8---C9---C10 121.4 (3) N7A---C45A---C44A 104.2 (4)
C9---C10---C11 118.4 (3) N7A---C45A---C40A 135.9 (5)
N2---C11---C12 120.1 (2) C40A---C45A---C44A 120.0 (4)
C10---C11---C12 121.6 (3) N7A---C46A---C47A 123.1 (6)
N2---C11---C10 118.3 (3) C48A---C47A---C52A 120.0 (4)
C11---C12---C13 118.7 (3) C46A---C47A---C52A 122.4 (6)
C8---C13---C12 121.3 (3) C46A---C47A---C48A 117.6 (5)
C6---C1---H1 119.00 C47A---C48A---C49A 120.0 (5)
C2---C1---H1 119.00 C48A---C49A---C50A 120.1 (7)
C1---C2---H2 120.00 N8A---C50A---C49A 117.9 (15)
C3---C2---H2 120.00 N8A---C50A---C51A 122.0 (15)
C3---C4---H4 120.00 C49A---C50A---C51A 120.0 (6)
C5---C4---H4 120.00 C50A---C51A---C52A 120.0 (6)
C4---C5---H5 119.00 C47A---C52A---C51A 120.0 (6)
C6---C5---H5 119.00 C45A---C40A---H40A 120.00
N1---C7---H7 119.00 C41A---C40A---H40A 120.00
C8---C7---H7 119.00 C40A---C41A---H41A 120.00
C10---C9---H9 119.00 C42A---C41A---H41A 120.00
C8---C9---H9 119.00 C44A---C43A---H43A 120.00
C9---C10---H10 121.00 C42A---C43A---H43A 120.00
C11---C10---H10 121.00 C43A---C44A---H44A 120.00
C13---C12---H12 121.00 C45A---C44A---H44A 120.00
C11---C12---H12 121.00 C47A---C46A---H46A 118.00
C8---C13---H13 119.00 N7A---C46A---H46A 118.00
C12---C13---H13 119.00 C49A---C48A---H48A 120.00
C15---C14---C19 120.6 (3) C47A---C48A---H48A 120.00
C14---C15---C16 120.7 (3) C50A---C49A---H49A 120.00
C15---C16---C17 119.4 (3) C48A---C49A---H49A 120.00
O4---C16---C17 123.0 (3) C50A---C51A---H51A 120.00
O4---C16---C15 117.6 (3) C52A---C51A---H51A 120.00
C16---C17---C18 119.1 (3) C51A---C52A---H52A 120.00
C17---C18---C19 122.3 (3) C47A---C52A---H52A 120.00
C14---C19---C18 117.9 (2) C41---C40---C45 120.0 (8)
N3---C19---C18 127.9 (3) C40---C41---C42 120.0 (7)
N3---C19---C14 114.2 (2) O10---C42---C41 134 (3)
N3---C20---C21 122.3 (4) C41---C42---C43 120.0 (8)
C20---C21---C22 122.0 (3) O10---C42---C43 105 (3)
C20---C21---C26 118.1 (3) C42---C43---C44 120.0 (8)
C22---C21---C26 120.0 (3) C43---C44---C45 120.0 (7)
C21---C22---C23 120.3 (3) N7---C45---C44 154.3 (8)
C22---C23---C24 116.7 (3) C40---C45---C44 120.0 (8)
N4---C24---C23 119.6 (2) N7---C45---C40 85.7 (8)
C23---C24---C25 122.6 (3) N7---C46---C47 119.8 (10)
N4---C24---C25 117.8 (2) C46---C47---C52 118.5 (11)
C24---C25---C26 119.7 (3) C48---C47---C52 120.0 (9)
C21---C26---C25 120.8 (3) C46---C47---C48 121.5 (9)
C19---C14---H14 120.00 C47---C48---C49 120.0 (8)
C15---C14---H14 120.00 C48---C49---C50 120.0 (10)
C14---C15---H15 120.00 N8---C50---C49 127 (3)
C16---C15---H15 120.00 N8---C50---C51 113 (3)
C18---C17---H17 120.00 C49---C50---C51 120.1 (9)
C16---C17---H17 120.00 C50---C51---C52 120.0 (8)
C19---C18---H18 119.00 C47---C52---C51 120.0 (10)
C17---C18---H18 119.00 C41---C40---H40 120.00
C21---C20---H20 119.00 C45---C40---H40 120.00
N3---C20---H20 119.00 C40---C41---H41 120.00
C23---C22---H22 120.00 C42---C41---H41 120.00
C21---C22---H22 120.00 C42---C43---H43 120.00
C22---C23---H23 122.00 C44---C43---H43 120.00
C24---C23---H23 122.00 C43---C44---H44 120.00
C26---C25---H25 120.00 C45---C44---H44 120.00
C24---C25---H25 120.00 N7---C46---H46 120.00
C25---C26---H26 120.00 C47---C46---H46 120.00
C21---C26---H26 120.00 C47---C48---H48 120.00
C28---C27---C32 121.3 (3) C49---C48---H48 120.00
C27---C28---C29 119.8 (3) C48---C49---H49 120.00
C28---C29---C30 119.9 (3) C50---C49---H49 120.00
O7---C29---C30 117.5 (3) C50---C51---H51 120.00
O7---C29---C28 122.6 (3) C52---C51---H51 120.00
C29---C30---C31 120.2 (3) C47---C52---H52 120.00
C30---C31---C32 120.6 (3) C51---C52---H52 120.00
C7---N1---C6---C1 149.3 (3) C17---C18---C19---N3 179.7 (3)
C7---N1---C6---C5 −30.5 (4) C17---C18---C19---C14 2.0 (4)
C6---N1---C7---C8 −179.1 (2) N3---C20---C21---C26 170.0 (4)
O2---N2---C11---C10 −168.2 (3) N3---C20---C21---C22 −9.0 (6)
O3---N2---C11---C10 13.3 (4) C20---C21---C22---C23 179.9 (3)
O2---N2---C11---C12 12.2 (4) C22---C21---C26---C25 1.0 (5)
O3---N2---C11---C12 −166.3 (3) C26---C21---C22---C23 0.9 (5)
C20---N3---C19---C14 −170.7 (3) C20---C21---C26---C25 −178.1 (3)
C20---N3---C19---C18 11.5 (5) C21---C22---C23---C24 −1.1 (4)
C19---N3---C20---C21 −178.3 (3) C22---C23---C24---N4 177.5 (2)
O5---N4---C24---C23 −178.2 (3) C22---C23---C24---C25 −0.5 (4)
O5---N4---C24---C25 −0.2 (4) N4---C24---C25---C26 −175.7 (3)
O6---N4---C24---C23 1.4 (4) C23---C24---C25---C26 2.4 (4)
O6---N4---C24---C25 179.5 (3) C24---C25---C26---C21 −2.6 (5)
C33---N5---C32---C31 −145.5 (3) C32---C27---C28---C29 0.5 (4)
C32---N5---C33---C34 179.5 (2) C28---C27---C32---N5 −178.9 (3)
C33---N5---C32---C27 35.9 (4) C28---C27---C32---C31 2.5 (4)
O9---N6---C37---C38 166.6 (3) C27---C28---C29---O7 178.7 (3)
O8---N6---C37---C36 171.0 (3) C27---C28---C29---C30 −2.5 (4)
O9---N6---C37---C36 −11.6 (4) C28---C29---C30---C31 1.4 (4)
O8---N6---C37---C38 −10.8 (4) O7---C29---C30---C31 −179.7 (3)
C45A---N7A---C46A---C47A 174.5 (4) C29---C30---C31---C32 1.6 (4)
C46A---N7A---C45A---C44A 159.3 (5) C30---C31---C32---C27 −3.5 (4)
C46A---N7A---C45A---C40A −19.8 (9) C30---C31---C32---N5 177.7 (2)
O11A---N8A---C50A---C51A 2 (3) N5---C33---C34---C35 −173.2 (3)
O12A---N8A---C50A---C49A 2 (3) N5---C33---C34---C39 6.2 (4)
O11A---N8A---C50A---C49A −175.6 (18) C33---C34---C35---C36 −179.6 (3)
O12A---N8A---C50A---C51A 179.1 (19) C39---C34---C35---C36 1.1 (4)
C2---C1---C6---N1 −175.4 (2) C33---C34---C39---C38 −179.7 (3)
C2---C1---C6---C5 4.3 (4) C35---C34---C39---C38 −0.4 (4)
C6---C1---C2---C3 −2.2 (4) C34---C35---C36---C37 −0.3 (4)
C1---C2---C3---C4 −1.5 (4) C35---C36---C37---C38 −1.2 (4)
C1---C2---C3---O1 179.3 (2) C35---C36---C37---N6 177.0 (2)
C2---C3---C4---C5 2.8 (4) C36---C37---C38---C39 1.9 (4)
O1---C3---C4---C5 −178.0 (3) N6---C37---C38---C39 −176.3 (3)
C3---C4---C5---C6 −0.5 (4) C37---C38---C39---C34 −1.1 (4)
C4---C5---C6---C1 −3.0 (4) C41A---C40A---C45A---C44A 0.0 (8)
C4---C5---C6---N1 176.7 (3) C45A---C40A---C41A---C42A −0.1 (8)
N1---C7---C8---C13 −0.7 (4) C41A---C40A---C45A---N7A 179.1 (6)
N1---C7---C8---C9 177.2 (3) C40A---C41A---C42A---C43A 0.2 (8)
C9---C8---C13---C12 2.3 (4) C40A---C41A---C42A---O10A 177.0 (11)
C7---C8---C9---C10 178.6 (3) C41A---C42A---C43A---C44A −0.1 (8)
C13---C8---C9---C10 −3.4 (4) O10A---C42A---C43A---C44A −176.7 (12)
C7---C8---C13---C12 −179.9 (3) C42A---C43A---C44A---C45A −0.1 (8)
C8---C9---C10---C11 1.1 (4) C43A---C44A---C45A---N7A −179.2 (5)
C9---C10---C11---N2 −177.1 (3) C43A---C44A---C45A---C40A 0.1 (8)
C9---C10---C11---C12 2.4 (4) N7A---C46A---C47A---C48A −167.3 (5)
N2---C11---C12---C13 176.0 (3) N7A---C46A---C47A---C52A 13.4 (7)
C10---C11---C12---C13 −3.6 (4) C46A---C47A---C48A---C49A −179.3 (5)
C11---C12---C13---C8 1.2 (4) C52A---C47A---C48A---C49A 0.0 (7)
C19---C14---C15---C16 0.3 (4) C46A---C47A---C52A---C51A 179.3 (5)
C15---C14---C19---N3 −179.8 (3) C48A---C47A---C52A---C51A 0.0 (7)
C15---C14---C19---C18 −1.7 (4) C47A---C48A---C49A---C50A 0.0 (9)
C14---C15---C16---C17 0.9 (4) C48A---C49A---C50A---N8A 177.2 (12)
C14---C15---C16---O4 −179.2 (3) C48A---C49A---C50A---C51A 0.0 (11)
C15---C16---C17---C18 −0.7 (4) N8A---C50A---C51A---C52A −177.1 (13)
O4---C16---C17---C18 179.4 (3) C49A---C50A---C51A---C52A 0.0 (11)
C16---C17---C18---C19 −0.7 (4) C50A---C51A---C52A---C47A 0.0 (9)
-------------------------- ------------- --------------------------- -------------
Hydrogen-bond geometry (Å, º) {#tablewraphbondslong}
=============================
Cg2, Cg3, Cg4 and Cg8 are the centroids of the C8--C13, C14--C19, C21--C26 and C47*A*--C52*A* benzene rings, respectively.
----------------------------- --------- --------- ------------ ---------------
*D*---H···*A* *D*---H H···*A* *D*···*A* *D*---H···*A*
O1---H*O*1···O9^i^ 0.81 2.05 2.836 (3) 163
O4---H*O*4···O12*A*^i^ 0.82 2.16 2.89 (3) 148
O7---H*O*7···O3^ii^ 0.82 2.06 2.832 (4) 158
C1---H1···O6^iii^ 0.93 2.53 3.417 (4) 159
C14---H14···O2^iii^ 0.93 2.59 3.289 (4) 132
C49*A*---H49*A*···O12*A* 0.93 2.30 2.63 (3) 100
C2---H2···*Cg*2^iv^ 0.93 3.00 3.610 (3) 125
C15---H15···*Cg*8^v^ 0.93 2.99 3.665 (4) 131
C36---H36···*Cg*3 0.93 2.81 3.487 (3) 130
C43*A*---H43*A*···*Cg*4^vi^ 0.93 2.80 3.539 (5) 137
C43---H43···*Cg*4^vi^ 0.93 2.94 3.590 (11) 128
----------------------------- --------- --------- ------------ ---------------
Symmetry codes: (i) *x*, *y*−1, *z*; (ii) *x*, *y*−1, *z*+1; (iii) −*x*+1, −*y*+1, −*z*; (iv) −*x*+1, −*y*, −*z*; (v) −*x*+1, −*y*+1, −*z*+1; (vi) −*x*, −*y*+1, −*z*+1.
###### Hydrogen-bond geometry (, )
*Cg*2, *Cg*3, *Cg*4 and *Cg*8 are the centroids of the C8C13, C14C19, C21C26 and C47*A*C52*A* benzene rings, respectively.
*D*H*A* *D*H H*A* *D* *A* *D*H*A*
------------------------ ------ ------ ----------- ---------
O1H*O*1O9^i^ 0.81 2.05 2.836(3) 163
O4H*O*4O12*A* ^i^ 0.82 2.16 2.89(3) 148
O7H*O*7O3^ii^ 0.82 2.06 2.832(4) 158
C1H1O6^iii^ 0.93 2.53 3.417(4) 159
C14H14O2^iii^ 0.93 2.59 3.289(4) 132
C2H2*Cg*2^iv^ 0.93 3.00 3.610(3) 125
C15H15*Cg*8^v^ 0.93 2.99 3.665(4) 131
C36H36*Cg*3 0.93 2.81 3.487(3) 130
C43*A*H43*A* *Cg*4^vi^ 0.93 2.80 3.539(5) 137
C43H43*Cg*4^vi^ 0.93 2.94 3.590(11) 128
Symmetry codes: (i) ; (ii) ; (iii) ; (iv) ; (v) ; (vi) .
|
Southern Travel
Having youngsters does not mean it’s important to cease traveling. Redemption: One point is worth 1.5¢ once you redeem through the Chase travel portal; switch miles at a 1:1 worth to greater than a dozen loyalty partners. We used a Phocuswright report to estimate travel expenses at $2,910—for all Individuals, not just by technology—and then we estimated the typical bank card spending for all People from BLS statistics, which came to $27,683.
You obtain 1.5 miles for each dollar spent, and slightly than receiving a spending bonus, you get double rewards the first 12 months. Also, not all Amex factors are value 1¢. In case you redeem your factors for a cruise or to order a pay as you go resort by way of American Categorical Travel, for instance, your points are value only 0.7¢.
On high of the projected travel points and miles we calculated from BLS and different spending information, we layered on any applicable signup bonuses, annual charges, and other credit to the anticipated annual return, and then we extended our model out seven years.
What we love: You earn one of the best vary of rewards (including points and travel credits) without paying an annual charge. You still pay taxes and costs: Even you probably have the time to reap the benefits of mile-switch flights, you still need to pay taxes and charges. The Platinum card beats out the Reserve in a number of classes, comparable to lounge entry and a $200 Uber credit, making it the better decide for folks who spend tens of thousands a 12 months on travel.
What we love: No different card affords as wide an array of rewards and perks (from points to travel credits to lounge entry) that you could simply use. You’ve got began traveling extra and wish to stretch your spending a bit further. Create an account to earn factors on every journey and manage your bookings on-line.
What Roles: Investment Manager, Supervisor of Expatriate Accounting, Advertising Senior Supervisor, Sales Government, Multimedia Developer, Business Methods Analyst, Audit & Assurance Senior, Challenge Administration Lead & extra. Reasonably than rely solely on machine intelligence, Airfare Watch Dog , a site dedicated to finding the very best deals on travel, uses a small group of employees members to scour the Internet and handpick the best offers. |
Relation of vascular oxidative stress, alpha-tocopherol, and hypercholesterolemia to early atherosclerosis in hamsters.
A model of early atherosclerosis in hamsters with moderate hypercholesterolemia (217 to 271 mg/dL) was established that was highly responsive to exogenous antioxidants. A key feature of this model was elevation of vascular oxidative stress by use of a diet deficient in nutritional antioxidants and supplemented with corn oil (10%) and cholesterol (0.2%, 0.4%, or 0.8%). After 10 weeks on the 0.4% cholesterol diet, mean plasma alpha-tocopherol levels declined from 5.68 +/- 0.30 to 1.27 +/- 0.15 micrograms/mL, while monocyte-macrophage foam cell lesions in the aortic arch, as assayed by video microscopy/image analysis of oil red O-stained histological specimens, increased from undetectable at week 0 to 60,900 +/- 5400 microns 2 per specimen at week 10 (mean +/- SEM, n = 36). alpha-Tocopherol or probucol administered for 10 weeks markedly suppressed LDL oxidation ex vivo and profoundly inhibited aortic foam cell formation. However, the effects of antioxidants on aortic lesions were attenuated at higher plasma cholesterol levels, although LDL oxidation ex vivo was effectively inhibited. With a plasma cholesterol level at approximately 250 mg/dL, the maximum effect of alpha-tocopherol on lesion size reached approximately 36% of control value, and the dose for half-maximal effect was approximately 10 mg.kg-1.d-1, which resulted in a plasma alpha-tocopherol value of approximately 20 micrograms/mL. Under these conditions a linear, inverse correlation of aortic lesion size and plasma alpha-tocopherol concentration was observed (n = 68, r = -0.581, P < .001). The data demonstrate that LDL oxidation is a significant component of early atherogenesis in this model but suggest that hyperlipidemia can outweigh the therapeutic effectiveness of antioxidants. The high sensitivity of aortic lesion initiation to alpha-tocopherol in hamsters maintained on moderately hypercholesterolemic diets depleted of endogenous antioxidants demonstrates that vascular oxidative stress can be isolated from other causative factors in an in vivo model of atherosclerosis. |
LOS ANGELES, California (CNN) -- Jamiel Shaw was just three doors from his house on March 2. His father told the 17-year-old high school football star to be home before dark. That is exactly what he was trying to do when, just before dusk, gunshots rang out.
Gang members pulled up in a car and asked Shaw if he was in a gang. Shaw didn't have time to tell them "no." He was mowed down before he could answer, police say.
His dad heard the shots from inside his house and immediately called his son's cell phone to warn him to stay away. But within seconds, the father realized what had happened.
"I just ran down there," Jamiel Shaw Sr. told CNN. Watch dad describe hearing "pow, pow" »
His son was wearing the same shirt his dad had pressed for him that morning. "He was laying on the ground and his face was so peaceful. I knew he was dead."
"For three hours, I was just completely blacked out walking."
More than 7,500 miles away, Army Sgt. Anita Shaw was serving her second tour in Iraq. Her commanding officer called her into his office and told her to sit down next to the chaplain. He then informed her that her son had been killed on the streets of Los Angeles.
"I freaked out," she said. "I wanted to run out of the room. I was screaming and kicking. I was shouting, 'No.'"
Anita Shaw is now back in Los Angeles to bury her son.
Police announced Tuesday that an arrest had been made in the shooting. Pedro Espinoza, a 19-year-old member of the Hispanic 18th Street Gang, was charged in the killing and could face the death penalty if convicted, the Los Angeles County District Attorney's Office said. Espinoza is scheduled to be arraigned March 25.
Espinoza was released from jail -- where he was held on a charge of assault with a deadly weapon -- one day before the incident.
Los Angeles Police Chief William Bratton Tuesday called on the community to help police locate a second suspect who was with Espinoza at the time of the shooting.
Hundreds of family members and friends gathered Tuesday at West Los Angeles Cathedral to remember Shaw, a standout running back and sprinter at Los Angeles High School who had good grades and stayed out of trouble despite his rough neighborhood. Among the schools recruiting him was Stanford University. Watch as family, friends remember Shaw »
Blue-and-white flowers -- his school colors -- adorned his casket, and photos of Shaw over the years were displayed at the service. Eric Clapton's "Tears in Heaven" played as mourners entered the church.
"He was a Christian and I thank God for that because I know he's in a better place," his mom said, trembling as she sobbed. "He'd just try all the time to do the right thing. He was so good."
Shaw is one of several innocent victims in a horrifying three-week spate of gang-related shootings around Los Angeles. A man was gunned down as he held a 2-year-old baby in his arms. A 13-year-old boy was shot to death last week as he went to pick lemons from a tree. In another incident, a 6-year-old boy was critically wounded when he was shot in the head while riding in the car with his family; two gang members have been arrested in connection with that shooting, according to police.
"I think what is particularly unnerving for all of us is just the random nature of these shootings," Los Angeles Mayor Antonio Villaraigosa said last week.
Bratton and Deputy Chief Kenneth Garner met with community members from the South Side of Los Angeles over the weekend to try to calm tensions between black and Hispanic communities. Among those in attendance were Shaw's parents and his younger brother.
Bratton acknowledged some neighborhoods are rife with underlying racial tensions that have "taken too many young lives." He said he is in the process of hiring 1,000 new police officers to help combat inner city gang violence. Watch Bratton describe an "always underlying tension" »
"There's no denying that some of the crime in this city is a direct result of hatred, animosity, racial animosity, ethnic differences," Bratton said. "We must all work to the best of our ability to try to prevent that."
"None of it is right," said Garner. "We can't get so incensed that we lose focus that it's going on on both sides."
He added, "Wrong is wrong."
The killing of Shaw has rallied his neighborhood. Dozens of people gathered outside his home for a vigil last week and placed candles, flowers and blue-and-white balloons at a makeshift memorial. One sign read, "We love you! Jamiel Shaw."
On the online social networking site Facebook, more than 100 people have joined a page called "Good people live in our hearts forever RIP Jamiel Shaw."
"Loved you lots babyboi! Still do! I know many, many, many people who are missing you right NOW!!!" wrote Christina Stewart on the Facebook wall.
Another person, Harley Lally, wrote, "Football will never be the same without you. I miss you every Sunday, and every time I step on that field."
Shaw, a junior, carried the ball 74 times for 1,052 yards this season, with an average of 14.2 yards per carry, according to MaxPreps Web site. The longest of his 10 touchdowns went for 75 yards.
He passed the ball one time all year in the last game of the season -- the last game of his career. It was a 60-yard touchdown strike. Watch mom's Thanksgiving message to son from Iraq »
But he will be missed for more than his football. The beloved player with the big smile meant so much more.
The father and son years ago had made a pact: Keep focused, stay away from drugs and gangs, and get into college on an athletic scholarship. In return, the dad promised to do everything for his son, nicknamed "Jas," to make that happen.
Breaking down in tears, the father said, "I guaranteed 'Jas.' That's why it hurts so much -- because I told him, 'I promise you, if you sacrifice these years, I'll sacrifice with you.'" Watch Jamiel Shaw Sr. ask mourners to make a difference »
The dad said more must be done to combat gang violence. "It's a gang problem and they have nothing in their heart for people."
Shaw's mother, the Army sergeant, compares the gang members who killed her son to those she's fighting against in Iraq. "To me, they're terrorists." E-mail to a friend
CNN's Kara Finnstrom, Paul Vercammen and Wayne Drash contributed to this report.
All About Los Angeles • Gang Violence • Murder and Homicide |
770 S.W.2d 10 (1989)
Jim WINN, Appellant,
v.
CITY OF IRVING, Texas, Appellee.
No. 05-88-00480-CV.
Court of Appeals of Texas, Dallas.
March 13, 1989.
*11 Marty Cannedy, James A. Rasmussen, Wichita Falls, for appellant.
Cathy L. Meyer, Irving, for appellee.
Before McCLUNG, KINKEADE and OVARD, JJ.
KINKEADE, Justice.
Jim Winn appeals a summary judgment dismissing his suit for an injunction and damages based upon the City of Irving's failure to rezone his property. Winn contends that the summary judgment was improper because material fact issues existed. We disagree and affirm the trial court's judgment.
Winn owned property in the City of Irving which he used in an auto salvage operation. This use violated Irving's zoning ordinance, so Winn applied to Irving's Zoning and Planning Commission to rezone his property. Although the Zoning and Planning Commission may recommend action to the Irving City Council, it cannot enact zoning ordinances. Winn failed to pursue his zoning request before the City Council, the only body empowered to rezone property in Irving. Winn then filed suit against Irving for its failure to rezone his property. Irving moved for summary judgment and the trial court granted its motion.
Winn complains that issues of material fact remained unresolved and, therefore, summary judgment was improper. He argues that his failure to request rezoning from the City Council was only a failure to exhaust his administrative remedies and not an element of his cause of action. He maintains that the trial court should have abated his cause of action because he simply failed to fulfill one of the prerequisites to filing suit. Irving, however, argues that a request to the City Council for rezoning was an element of the cause of action, which Winn admits he failed to perform.
Irving, the defendant in the trial court, moved for summary judgment. A defendant who moves for summary judgment has the burden of showing as a matter of law that no material issue of fact exists as to the plaintiff's cause of action. See Arnold v. National County Mutual Fire Ins. Co., 725 S.W.2d 165, 167 (Tex.1987). This may be accomplished by the defendant's summary judgment evidence showing that at least one element of the plaintiff's cause of action has been established conclusively against the plaintiff. See Gray v. Bertrand, 723 S.W.2d 957, 958 (Tex.1987).
It is settled that the administrative remedies provided by Local Government Code section 211.009-.010 (formerly article 1011g) must be exhausted before matters regarding nonconforming uses may be brought before the courts. City of Dallas v. Gaechter, 524 S.W.2d 400, 405 (Tex.Civ. App.Dallas 1975, writ dism'd). Section 211.009 provides that boards of adjustment may hear and decide special exceptions and variances from zoning ordinances. Winn, by his admissions and answers to interrogatories, admitted that he never presented a rezoning request to the Irving City Council, the entity which determines all zoning matters in Irving. Winn thus failed to exhaust the available administrative remedies.
Winn instituted this suit to prevent Irving from enforcing its zoning ordinance, thereby allowing Winn to continue his present use of the property. However, Winn must show that Irving denied him reasonable and proper use of his property through administrative remedies. Thomas v. City of San Marcos, 477 S.W.2d 322, 325 (Tex.Civ.App.Austin 1972, no writ). Without such a showing, there was no justiciable controversy before the trial court. Id. Whatever rights Winn had to an exception or variance from the zoning ordinance *12 were not before the trial court because Winn failed to exhaust his administrative remedies before the Irving City Council. Id. Therefore, Irving was entitled to a summary judgment dismissing the suit because the court lacked jurisdiction. Id. at 326. Although Winn contends that abatement was the proper remedy, he never requested that the trial court abate his suit rather than dismiss it. This Court cannot grant such relief when requested for the first time on appeal. TEX.R.APP.P. 52(a). We affirm the trial court's judgment.
The City of Irving prays that this Court grant delay damages as authorized by TEX.R.APP.P. 84. The city alleges that Winn prosecuted this appeal for delay and without sufficient cause. However, we find some merit, though not persuasive, in Winn's arguments and hold that Irving's right to a judgment in its favor was not so clear as to say Winn's appeal was without sufficient cause. We, therefore, decline to assess delay damages against Winn.
|
Q:
jQuery break out of table
I have a standard HTML formatted table, that dynamically generates the content, via Zend Framework. From which I have an issue altering the form internally PHP side. So I need to alter the tables appearance somehow. With that on the occasion I have an element show up in one of the rows and when this element shows up I want to break out of the table and then do something after it then start the table again.
Basically I want to inject the equivlant of
</tbody></table>/*other stuff*/<table><tbody> after the row containing the one element I seek which in this case is a label.
I tried $("label[for='theLable']").parents('tr').after('</tbody></table><br><table><tbody>') which appears to ignore the ending table parts add the br, and then does a complete open/close tag for table and tbody within the same table I am trying to break out of so inbetween tr tags basically it adds this new table
Whats the best way to approach this concept?
update with jsfiddle link
http://jsfiddle.net/cPWDh/
A:
You can't really modify the HTML of the document the way you're thinking, since it's not a legitimate way to alter the DOM.
Instead, I would create a new table and .append the rows you want to move to it, which will automatically move them from their current location (instead of copying them):
$(document).ready(function() {
var $trow = $('label[for="specialLabel"]').closest('tr'),
$table = $trow.closest('table');
$('<table>').append( $trow.nextAll().andSelf() ).insertAfter($table);
});
http://jsfiddle.net/cPWDh/1/
|
A nationwide survey on gynecologic endoscopic surgery in Japan, 2014-2016.
Since 2014, Japan Society of Gynecologic and Obstetric Endoscopy and minimally invasive therapy (JSGOE) conducted a nationwide survey on gynecologic endoscopic surgery. We aimed to evaluate the current status and complications associated with endoscopic surgery by Japan gynecologic and obstetric endoscopy-database registry system (JOE-D). Electrical medical records concerning the endoscopic surgery were generated from the daily use of reporting system. The subjects were all patients who underwent gynecologic endoscopic surgery. In addition to assessment of actual numbers, diagnosis, and operative methods, adverse events were registered. Total 203 970 patients performed laparoscopic, hysteroscopic and falloposcopic surgery for 3 years, 2014-2016. The numbers of endoscopic surgeries conducted in 2016 were increased more than 67 000, 13 000 or 450 cases, respectively. Incidence rates of complications involving these three types of surgeries in each year were approximately 3.1%. Incidences of intraoperative complications were relatively high in malignant diseases, laparoscopic-assisted vaginal hysterectomy (LAVH) and myomectomy (LAM). In total laparoscopic hysterectomy/laparoscopic hysterectomy (TLH/LH) performed from 2014 to 2016, ureteral injury as intra and postoperative complication occurred in 0.35%. In the past 3 years, the rates of vascular injury, urinary tract, and bowel injury as intraoperative complications caused by laparoscopic surgery were approximately 0.1%. In the hysteroscopic surgery, the rates of total intra- and postoperative complications were 0.78%. We exhibited the current status by the nationwide survey of gynecologic endoscopic surgery all over Japan. Severe intra or postoperative complications were identified over the 3 years at a rate of 0.04%. |
A MISSING cat has brought together internet baby mum Judith Kilshaw and a woman who looks likely to become a minor celebrity herself.
A MISSING cat has brought together internet baby mum Judith Kilshaw and a woman who looks likely to become a minor celebrity herself.
Ronnie Browse, 43, of Ellesmere Port will be eternally grateful to Mrs Kilshaw who found her £1,000 Siamese show cat Princess several miles away at her Chester home.
Mrs Kilshaw, made famous after she and husband Alan bought twins over the internet, rang the owner on reading about Princess' disappearance in the Chronicle.
But Mrs Browse, who has appeared on The Real Holiday Show and whose family has just filmed a docu-soap, was in for a shock because the cat was without its tail.
Mrs Browse, of Conway Court, who paid a £50 reward, said: 'I suspect she could have travelled in a bin wagon because she went missing on a Monday when the bins get emptied. She was injured badly and past dishevelled when Judith took her in. She was also found in the bottom of a bin.'
Mrs Browse, who is married to Phil with seven children, said her daughter Faye, 18, was closest to Princess. She said the saga of the missing moggie had been captured on camera by a BBC film crew making a series called House Exchange, in which two families from contrasting backgrounds swap lives for a week.
'When Judith rang, it must have been the fourth time we had been approached by someone with a Siamese cat,' said Mrs Browse, who explained that Faye had been 'in bits' as each glimmer of hope had been dashed.
'Princess is only one year-old. She had not been in a show and not likely to now,' she said. 'We bred her ourselves and she is registered as a breeding queen.'
The Browse family, who live on the Stanney Grange council estate, along with their five cats, three dogs, two rats, three hens and three ducks, swapped lives with a family from Solihull who live in a £5m mansion and have 400 acres of grounds.
'They were crying that they were hard up because they were down to their last £1m! We own our own house on a council estate and they came and lived here. To put it nicely, they weren't too gracious.'
Mrs Kilshaw, who has five cats and a lurcher at her Westminster Park home, said a neighbour brought Princess to her, complaining that one of her cats had been rooting through her bin.
Mrs Kilshaw, who lives in Rushfield Road, took the cat in and arranged for her to go straight to the vets on seeing the damaged tail which had to be amputated.
'It's a cat with a tale to tell but no tail to wag,' she said. 'It was here for two weeks and missing for three weeks so there is a week missing somewhere along the line. My boys will miss her.'
* BBC1's House Exchange is week-long pilot series starting on June 23 with a 45-minute show broadcast each day. |
Q:
How to get checkbox selected object in jquery
Hi my code is so far https://jsfiddle.net/Harsh343/LcL38dos/5/
How to get object of selected checkbox
For example i want below output based on checkbook checked, after clicking on submit.
"getafixTest2": {
"testCategory": {
"tests": [
"stress",
"common",
"tests"
],
"api": [
"baremetal",
"orchestration"
],
"scenario": [
"something"
]
},
"testDescription": "this is a getafix cloud test",
"testName": "getafixTest2",
"cloudName": "getafix"
}
Currently when i select tests and api parent checkbox i am getting below
Object {tests: Array[3], tests,api: Array[5]}
But i want this
Object {tests: Array[3], api: Array[2]}
"tests": [
"stress",
"common",
"tests"
],
"api": [
"baremetal",
"orchestration"
]
Any help is highly appreciated.
How do i get the output like this
"getafixTest2": {
"testCategory": {
"tests": [
"stress",
"common",
"tests"
],
"api": [
"baremetal",
"orchestration"
],
"scenario": [
"something"
]
},
"testDescription": "this is a getafix cloud test",
"testName": "getafixTest2",
"cloudName": "getafix"
}
A:
You can do a simple iteration based solution like
var data = {
"getafixTest2": {
"testCategory": {
"tests": [
"stress",
"common",
"tests"
],
"api": [
"baremetal",
"orchestration"
],
"scenario": [
"something"
]
},
"testDescription": "this is a getafix cloud test",
"testName": "getafixTest2",
"cloudName": "getafix"
}
};
for (name in data) {
categoryObject = data[name].testCategory;
var testName = name;
var testDescription = data[name].testDescription;
var cloudName = data[name].cloudName;
}
dataHtml = 'Test Name: <input id="testNameId" type="text" value="' + testName + '"/><br><br>';
dataHtml += '<input id="cloudNameId" type="hidden" value="' + cloudName + '"/>';
dataHtml += '<input id="categoryObject" type="hidden" value="' + testName + '"/><br>';
dataHtml += 'Test Description: <input type="text" id="testDescriptionId" value="' + testDescription + '"/><br><br>';
// dataHtml += '<select id="users_list" name="users_list" multiple="multiple" size="15">';
dataHtml += '<ul>';
for (catName in categoryObject) {
categoryName = catName;
categoryType = categoryObject[catName];
$("#categoryName").text(categoryName);
dataHtml += '<li><input type="checkbox" name="parent_list[]" value="' + categoryName + '" />' + categoryName;
dataHtml += '<ul>';
for (type in categoryType) {
dataHtml += '<li><input type="checkbox" name="child_list[]" value="' + categoryType[type] + '" />' + categoryType[type] + '</li>';
}
dataHtml += '</ul></li>'
}
dataHtml += '<input type="button" id="submit_data" value="Submit data" />';
$('body').append(dataHtml)
$('input[type=checkbox]').click(function() {
$(this).parent().find('li input[type=checkbox]').prop('checked', $(this).is(':checked'));
var sibs = false;
$(this).closest('ul').children('li').each(function() {
if ($('input[type=checkbox]', this).is(':checked')) sibs = true;
})
$(this).parents('ul').prev().prop('checked', sibs);
});
$("#submit_data").click(function() {
var obj = {};
$('input[name="parent_list[]"]:checked').each(function() {
obj[this.nextSibling.nodeValue] = $(this).next().find('input:checked').map(function() {
return this.nextSibling.nodeValue;
}).get();
})
console.table(obj);
$("#demo").html(JSON.stringify(obj, null, 2));
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<pre id="demo">
</pre>
|
Cascade polycyclizations in natural product synthesis.
Cascade (domino) reactions have an unparalleled ability to generate molecular complexity from relatively simple starting materials; these transformations are particularly appealing when multiple rings are forged during this process. In this tutorial review, we cover recent highlights in cascade polycyclizations as applied to natural product synthesis, including pericyclic, heteroatom-mediated, cationic, metal-catalyzed, organocatalytic, and radical sequences. |
"Many believe that Hong Kong has no bright future." "But everyone in Hong Kong knows that everything will continue to be the same as usual." "Robbery!" "Just leave!" "Who turned on the alarm?" "Oh no!" "I'll kill him with one shot!" "Don't shoot!" "It's me!" "I knew it was you all along." "Always getting into trouble." "Smarten up!" "Got it!" "Don't move!" "Just stay put!" "Open the vault!" "Hurry!" "I'll shoot you down!" "Don't shoot!" "Hurry up!" "Don't get up." "You!" "Take off the watch!" "I can't, boss!" "It's done, boss." "Don't move!" "Give him a hand." "Help me with the money." "I'm most diligent when it comes to grabbing money." "I'll shoot you if you don't hand it over to me!" "Go ahead." "Try to shoot me." "Bang" "I'm not playing games with you." "His gun is a fake." "A fake..." "The knife is real." "Don't move!" "You!" "Get the child!" "Hurry up!" "Go!" "Stay there..." "Don't shoot!" "Get over there!" "Officer Chan." "Hows the situation?" "We're still unsure." "He's a clerk at the bank." "How is the situation inside?" "How did you manage to escape?" "The robbers are holding fake guns, sir." "Come with me." "Their guns are fake." "Go!" "Go!" "And you said they were fake?" "One of them is holding a real gun." "Why didn't you mention it before?" "They're still guns." "How many robbers are in there?" "Five." "Call 2020 and 2021 right away!" "Yes, sir!" "Actually, there are four." "Why?" "One of them is tied together with our manager in the timing vault." "Tell Expert Man to come over right now!" "I'll play a lion and you can feed me a Popsicle stick." "Pipe down!" "You've finished all the popsicles!" "Then, I can go buy some more." "Come on!" "Chan's calling for us." "Good morning, sir." "The situation's under control." "Have you contacted them yet?" "They've been contacted." "Where could those two have gone to?" "Shit!" "What are you doing here, turf man?" "Keeping the earth from rotation?" "Sorry, sir." "Is there anything I can do to help?" "Go away." "Yes, sir!" "Come back!" "What is it, sir?" "What's wrong with your mouth?" "Just a toothache, sir." "Come... open your mouth so I can take a look at it." "Too many rotten teeth." "This won't be useful." "Continue your patrol." "Yes, sir." "Officer Chan." "Here are the blueprints to the bank, Officer Chan." "Thanks." "You sure know how to give me trouble, Officer Chan." "This case is a little tough." "Who is he?" "He's an expert from C.I.S." "The vault is at..." "The vault's over there, right?" "Are any of our men inside?" "Yes." "The oxygen inside can only last for 15 minutes." "Did you hear that?" "Now, go deal with those crooks!" "Yes, sir..." "Out of our way!" "Hows the situation inside?" "I wonder if they're well-armed." "Well, that's simple!" "Test it out and you'll find out." "You guys are imbeciles!" "How are we going to test it out?" "We'll die!" "Yeah, we'll die!" "Can you die by taking off your shoe and throwing it inside?" "No." "Take it off!" "Here you go..." "Roger!" "It's only a sub-machine gun." "Other than that, they've got nothing else." "Right." "You're so smart" "Did you bring an extra shoe here?" "No, so what do I do with my shoe now?" "Pick it up." "How?" "Are you scared?" "Look closely, fellow brothers!" "I'm just picking up my shoe!" "Look, buddy!" "I'm just picking up my shoe." "Watch carefully." "Look closely." "Thanks for giving me some face." "We're only here for a living." "You wouldn't want me dead." "Cut me some slack here." "Thanks!" "Marvelous!" "Marvelous?" "It's a sandal now!" "There's a wallet on the ground." "This must be some kind of trick." "Haven't you prepared yourselves yet?" "Officer Chan!" "The clothes are ready." "Fan, the fake bullets are now set." "Will this work?" "Put it on!" "I'm ready." "Why don't you pray for me?" "Hold on!" "Take this!" "Don't shoot me, pal!" "Come in." "Hello there!" "How are you?" "Boss, what is he doing in there?" "Negotiating." "Our terms are..." "You don't really have any terms." "Your only option is death." "What did you say?" "Look out, boss!" "We're armed." "This thing is useless." "We've made all the arrangements outside." "We've got 35 tanks, 75 sub-machine guns, and 69 helicopters." "You're finished." "What now, boss?" "And you believe what he says?" "Of course, you don't believe it." "I'll show you." "No!" "Don't!" "You're a good man." "What's the point?" "Mind your own business!" "It's me." "He's done for." "Shut up!" "Get down..." "I got shot!" "Shut up!" "It's really fierce, boss!" "You imbecile!" "Yes, I was stupid but I do this for the sake of peace." "Just see how cruel and heartless they are!" "They even shoot at their own fellow men." "Just surrender yourselves!" "What now?" "Shut up!" "You're so great." "You're making such a big sacrifice for us." "Are you in a lot of pain?" "Of course, I'm in a lot of pain!" "But as long as you surrender to resolve this battle, this pain is worth it." "Boss, just do him a favor since he's in a lot of pain." "Settle him with a fatal gunshot." "Okay!" "No, thanks." "Save your bullets for battle." "I can die by myself." "He really died." "Yes." "Where are you going, boss?" "I want to rush my way out." "No!" "We'll die if we run out like this!" "Since they want us dead, are we supposed to wait for death here?" "Boss, no!" "They've outnumbered us." "Don't do it, boss." "Let go and don't try to stop me!" "No!" "I want to rush my way out." "I'll break even if I shoot one down." "I'll make profit if I shoot two." "But we don't have any firearms, boss." "Don't act so rash." "Calm down!" "You've got to think about us!" "Don't do it, boss!" "Let me rush out alone." "No!" "What will we do if you leave?" "Boss, we'd be toast if we ran off like that." "Yeah..." "Better find another solution." "Any other plans?" "We can take a hostage with us." "Great!" "We can do that." "Boss..." "It'd be better if you all cooperated." "Otherwise, I'll shoot down anyone who tries to move." "We'll cooperate!" "Take some hostages out!" "Get up, old man!" "That's my father!" "Please let him go!" "Take someone else with you!" "Stay there!" "You seem filial to your father." "I'll take you." "Me?" "Cut the crap." "Let's move!" "So you're the boss." "Why did you pick me out of so many other brothers out there?" "Father's in trouble." "How can you sit there and do nothing?" "Come out!" "Did you hear that?" "You're involved too!" "Since when did you have so many brothers?" "There's plenty more outside." "Outside?" "They're working outside in the other branches." "Two in Causeway Bay, three in Shau Kei Wan, and four in Chai Wan." "Stop talking nonsense." "Let's move!" "Hurry..." "Go over there!" "Don't move!" "Don't move!" "Hands in the air!" "Get in the car!" "Go... get in the car!" "Hurry up and go!" "Excuse me..." "Out of our way!" "Can you handle it?" "I think you've set too many detonators." "With all due respect, Inspector Chan, making use of so many explosives may blow down the entire building." "We've got a problematic dilemma here, Inspector Chan." "How is it, Heng?" "Almost done." "Almost...?" "When?" "You work so slow!" "Very soon!" "That's what you always say!" "Is it done yet?" "It'll be done very soon." "Done!" "Take it." "Sorry, sir!" "Don't fire it up so soon, welding crew!" "A lot of detonators have been set here." "What?" "What are you doing here?" "You must feel great now, don't you?" "Putting on your own show?" "Not at all." "Lend me your lighter." "I don't even smoke." "Why would I carry a lighter?" "Then, what's this?" "That's a pistol." "Then, that means you do have a lighter." "Where's the vault?" "Over there." "Well?" "Can you handle it, Officer Chan?" "What's the situation now?" "Can't you see that they're setting up the detonators?" "Not even an A-bomb can destroy a vault like this." "But perhaps, it can be soldered." "That's right." "That is, if it's been soldered for an approximate six months." "Inspector Chan, who's the brain child that came up with this bright idea?" "You should understand, Inspector Chan." "People with brains don't necessarily have to be smart." "Many retarded people have brains too." "Do you think the one next to me have a brain?" "I do." "You get it now, don't you?" "I don't." "Then, that means you've got a brain." "Still rambling on when I'm screaming out at you." "Did you hear that?" "You always say I'm brainless even when someone says I'm not." "Yes, you're very clever." "Well, of course!" "Opening a vault is a very simple procedure." "The vault is designed not to let people get in." "But it's not designed for people trapped inside to exit." "Let me give you an example." "Take this coin and spread your palm out." "Let's say that the coin represents the criminal inside." "Now, hold it tightly." "Give it a try." "Do it for me." "Try harder." "Come on!" "Okay!" "Come on..." "1247, go!" "Anyone can give it a try!" "You can't take anything no matter how hard you try." "Try it..." "Who told you to come?" "What's your number?" "1247, sir!" "Go back, you idiot!" "My coin!" "Trying to take it away?" "Idiot..." "Can anyone hear me inside?" "Yes, I can hear you." "Then, look around carefully if you can hear me." "Is there a round white button to your right?" "It's too dark." "I can't see anything." "Then use your lighter, idiot!" "I don't smoke." "How can you be a robber if you don't smoke?" "You deserved to get caught!" "Feel it with your hand." "I'm not tall enough." "Stand on the shoulder, you idiot!" "Be careful." "Don't push the wrong one." "There's a lot of buttons inside." "Be careful." "Did you find it yet?" "I see it!" "Ready..." "Press it!" "There's a lot of water!" "You've pressed the wrong one." "What is this button?" "It's for the sprinklers." "The black one... do you see it?" "The black button?" "See it yet?" "Are you ready?" "Press it!" "Alright... it's opened!" "Bravo..." "Lock him up, brainy one." "Call me out for a drink some day, Inspector Chan." "They're coming." "Let's take a photo first!" "Could you please tell us how you opened the vault?" "These kinds of cases occur 3 times a day." "Go get some rest over there." "There isn't much about me that's worth to write on." "Expert Man, you've done a good job yesterday." "A piece of cake!" "You're too modest." "There are some more difficult cases than this one." "Expert Man, how long have you been in the force?" "Yeah... how long?" "I guess you can say it's been more than 10 years." "Expert Man." "Everyone in this field knows my name." "Man!" "Expert Man, we'd like to interview you in regards to the case on yesterday." "That case..." "The case from yesterday." "I know all about it." "You can ask me." "We handled it together." "Is he your assistant?" "No, he is not my assistant." "He came to repair the water tap." "What?" "I'm 2021!" "If you're not here to fix the water tap, why are you dressed like this?" "Am I right about that?" "By the way, can't you spit out your chewing gum before you speak?" "I'm not chewing any gum!" "You're not?" "Then, why did you say that you knew all about it?" "You talk just like a retarded person!" "How would I know?" "My dad told me to." "I can't get rid of my accent." "Did you father tell you to perm your hair to this state with nitric acid?" "No, I just wanted to save some money." "We are police officers, a prime example for fellow citizens." "You lose all your dignity when you're dressed up like a plumber." "Don't you agree with that?" "Try learning through me and dress sharp." "Tidy your hair and put on a coat, got it?" "Let's head over there and chat." "Go over there..." "Okay... come..." "Expert Man, go on and give us details about that day." "Why look so depressed?" "Well, the man is an expert." "Showing arrogance is normal for the likes of him." "No, he's right." "You've known me for a long time." "How can you not point out my flaws?" "And to think we are best friends!" "My fault again?" "Where are you going?" "Head to McDonald's first." "I'll join you later." "From the moment I saw your immediate reaction," "I knew that my new image was a success." "What are you saying?" "Didn't they teach you in preschool?" "If you placed a marble in your mouth, you can train yourself to speak more clearly." "How old were you when you went to school?" "How old are you now?" "You're way past your puberty stage Spit it out!" "I'll order something to eat." "Don't move." "I've found something." "Don't move." "We don't want to alert the enemy." "I've found something too." "What a target!" "How could you say something like that?" "Trust me." "I know a thug when I see one." "How can you tell by just one look?" "It's all about experience." "I'm really not experienced enough." "What do you want?" "First, we observe." "Then, we pursuit." "Is it okay?" "I'm afraid that..." "What are you afraid about?" "You've been a cop for a long time." "Very well." "Let's go!" "Coming." "Stay calm." "Go?" "Take it easy." "Go!" "Stop following me or I'll call the cops." "I am a cop." "Look, I'm 2021." "So a cop can do whatever he wants, huh?" "What do you take me for?" "A target." "What did you say?" "Not my fault." "My colleague said so." "He said that he knew you're a thug just from one look at you." "It's true." "I'm not lying to you." "What are you doing?" "Running around like that..." "I'm looking at these English letters." "What letter is this?" "M." "That's right." "Sorry, miss." "He's mentally handicapped." "Take good care of him." "Say goodbye to the lady." "Bye, lady!" "Go!" "How could you flirt with girls at a time like this?" "You told me to go for it." "Not her." "Now hurry!" "Have you seen them'?" "Yes." "Is it still there?" "Yes." "It must be that jewelry store." "I'll go inform the people there." "Just stay here and watch." "Why don't I go instead?" "I am smarter." "I can't let you ruin everything." "Watch them." "Calling headquarters...the suspects are heading into the jewelry shop." "We're ready to take action." "It's nice." "I like it." "Really?" "Sir, there's going to be a robbery." "Hurry up and leave!" "Take it." "Go!" "What's going on?" "Don't ask." "I think I'd prefer this one." "Not bad." "Sir, please allow me to take a look at the necklace." "This necklace is exquisite." "Not at all." "The craftsmanship is good." "Any difference?" "Look at it more carefully." "Sir, is it nice?" "The color is too vulgar." "Not bad." "There's going to be a robbery here." "How do you know?" "Because I'm a C.I.D. Do you hear that?" "You're a C.I.D?" "Don't move!" "I'm a C.I.D." "I'm the bandit!" "Don't move!" "This is a stick-up!" "Don't move!" "Stand over there!" "What now?" "It's unbreakable." "I don't know either." "This kind of glass is for shuttles." "It's unbreakable." "Damn you!" "What's going on?" "Say no more." "Grab the stuff!" "Take action." "Don't move!" "Tough luck for you to encounter me." "C.I.D." "We're also C.I.D." "This is bad." "I know." "Sorry, Mr. Yeung." "This was all a misunderstanding." "How can citizens like myself who runs over 10 jewelry shops feel secure when there are officers like these two working in the police force?" "Mr. Yeung, do you mean..." "I have no special requirements." "I just want to know how these robbers broke through this kind of glass." "Of course, they used hammers." "It's hatchets." "They used hatchets." "Show me how you can break it." "Do you have any hatchets with you?" "That won't be necessary." "Do you think this is a piece of commonly used glass?" "This glass was exclusively used in space shuttles." "My jewelry store is the only place in Hong Kong to use it." "Other stores won't carry it." "You people better have it investigated." "Yes, sir!" "Your glass is still in good condition." "Better take it away with you." "I was going to let it go." "But it'd ruin the reputation of the police force." "This is no fun." "We should teach that playboy a good lesson." "It's all your fault." "You've mistaken our own men as robbers." "What about you?" "You've mistaken the robber as a model citizen!" "You even gave your pistol to him!" "Anyway, I won't turn to you for advice." "What can we do with this piece of glass?" "Smash it with your head!" "Use your own head." "Mine isn't strong enough." "What now?" "Well, it's not that there's no solution but if I said it out loud, you might not even agree with it." "Just handle it!" "Handle what?" "Buddy, if I'm able to carry this car over to that side," "I wouldn't need to ask her to drive the car away." "So you're saying that her car will..." "Miss, your car is in front of my car." "My car is behind yours." "Will you please drive it aside?" "What's wrong with you'?" "What's taking so long to accomplish such a simple matter?" "Who knows?" "She ignored me." "Well, that's normal." "Disgusting!" "She's ignoring you too." "Maybe she's deaf and mute." "Come on." "Let's talk to her in sign language." "Miss..." "Your car is blocking my car." "I need to exit." "Why does your body movement look so lecherous?" "No, your car is blocking our car." "We just wanted you to drive it away." "Sorry, I can't help you with that." "I can't drive." "That's okay." "I have a drivers license." "I can move your car to go just a little forward for you." "Right." "Do you have a license to drive this kind of car?" "Miss." "Damned bitch!" "Let's do a prank on her!" "Okay, we'll make her curse at herself!" "Did you really think I didn't know that you're cursing at me?" "You're cursing me for being a..." "What is it?" "A chicken." "What about now?" "Now, I'm a mother pig." "How about now?" "1,2,3... shush..." "Now, I'm a bitch." "Charlie." "Go away!" "Charlie!" "Sorry, miss." "What's wrong with you?" "Watch where you're going!" "What an idiot!" "Sorry." "I wonder what day is it today." "Wednesday." "Bullshit!" "Did you think I didn't know that?" "I mean, why am I in such bad luck today?" "It's all because of this damned piece of glass!" "What would you like to drink, officers?" "Detol." "What?" "That means, no drink." "Haven't you seen people drink Detol before?" "Coffee, please." "What are we going to do now, Chau?" "Well?" "Take this thing and ask random people around the street to crack it." "Anyone who can do it, will be taken back as a suspect." "Right, is this going to work?" "What do you think?" "Here's your coffee." "I say it won't." "Of course, it won't." "That's why we need another plan." "I've got a plan but I'm afraid you'll disagree with it." "Anything you say would sound like a joke." "How could I disagree with it?" "Go ahead and tell me." "I can call Expert Man and ask for his assistance." "Is this another one of your jokes?" "Does it look like I'm joking here?" "No need to pull another tantrum here." "Go find him yourself!" "The only thing he knows is opening locks." "You're only asking for trouble here." "Where are you going?" "I'm going to give Expert Man a call!" "Do you really want me to say it?" "Don't laugh if I say this." "Do you even know her?" "Do you want to talk to her?" "Exactly!" "Are you done with the calling yet?" "Not yet, this pipebag's still hogging the phone." "Be patient." "Just wait a minute!" "Those punks are pretty damned vicious." "Do you want to use the phone right away?" "Well, that's how things went on that day." "Yeah." "I told you to stop this tomfoolery." "I'll scratch you!" "Stop it!" "That's it..." "See?" "What the hell?" "You're a fully grown adult." "Just leave it as a joke." "Now, I'm completely soaked!" "Nutcase!" "He's a nutcase!" "Hello." "Is this Man?" "He's home." "If you've got something to say, make it quick and snappy." "I'm very busy now." "This is 2021." "Do you remember me?" "The curly haired one with the unclear speaking pattern, right?" "Curly haired?" "Don't you remember?" "Are you the one dressed in shabby clothing who was begging for money outside Tsimshatsui?" "I'm Beethoven." "Make it quick and snappy if you need to say something." "Otherwise, I'm hanging up." "Well, it's like this." "Chau and I..." "Darling..." "Darling..." "My name isn't Darling." "Honey, you came back." "I see you've done some shopping." "This is terrific!" "I've bought it just for you." "I'm sure you'll like it." "Honey, I've spent over 7 hours on the one which you bought for me last night." "Want to take a look at it?" "No, I don't." "I have an appointment tonight." "Have fun with it by yourself." "Honey, who are you going to spent time with?" "Grand-aunt." "Meeting up with grand-aunt?" "Then..." "Don't you know it's our 5th anniversary today?" "What 5th anniversary?" "it's a brand new store." "Isn't it lovely?" "Of course, it's lovely." "You're amazing, honey!" "I give you a monthly allowance of $2,000." "But you managed to buy dozens of leather clothing." "None of my co-worker's wives are able to do that." "Don't you know that?" "Alright... get out now." "I need to get changed." "Where are you going?" "I'm going to play mahjong with my grand-aunt." "Honey, I've made some food." "Let's eat it together." "I said I have to meet up with grand-aunt." "Don't you know what day it is today?" "How would I know what it is today?" "Man, are you still there?" "Are you still there, Man?" "Man, we're in need of your advice." "Sorry, but I can't think of solutions on an empty stomach." "Man, why don't we treat you out for dinner tonight?" "How about Casablanca, the most elegant cuisine in Hong Kong?" "Okay, we'll see you tonight." "Why are we buying him dinner?" "We have the right to request people from your department for our assistance." "You're absolutely right." "Then, you've got to follow the standard procedures." "First, you'll need to write a letter to Wong, our supervisor at C.I.S." "Then, Supervisor Wong will hand out 3 forms for you in red, blue and yellow." "Once you fill in the three forms, please clearly type it out with a typewriter before sending it back to us." "We'll send you another form after we affirm it." "You'll have to type out the red form and mail it back to us again." "If Wong isn't on holiday, or if I'm not on a holiday, we'll keep your requirements in consideration." "After we make sure of its necessity, we'll ask you to come back and see us." "Once the meeting is decided and if procedures are done properly, we'll have to assign a meeting date." "If applied now, I won't be available until 1997." "If you're still interested, you'll have to wait until 1997." "By then, all of our colleagues might be replaced." "Do you speak Mandarin?" "If you don't speak Mandarin, your application will be revoked." "You should learn Mandarin right away." "Why do you keep things so complicated?" "Man, disregard what Chau says." "He's a nutcase." "Let's go out for dinner tonight." "Casablanca, 7:30." "Remember to bring a credit card or cash with you." "They don't accept cheques." "You almost ruined it for me." "This champagne from the year 1845 costs around $800 here." "It's a good deal, don't you think so?" "Give it a try." "Can it be replaced?" "Fill it up for everybody." "You came right in the nick of time, Man!" "How nice of you to come on short notice." "I'm telling you." "The service, renovations and food are exquisitely refined in all of Hong Kong." "Pricing is also great." "Do you need to wait till 1997?" "We can re-arrange our meeting." "But we'll have to speak in Mandarin." "No... that's not what we meant." "Couldn't you keep it down?" "Man, it's in regards to this piece of glass." "It should be unbreakable but it was broke during a robbery." "This is just a piece of commonly used glass." "Did you hear that?" "it's commonly used." "Glass that's commonly used in shuttle aircrafts." "Which means that it's not common." "This type of glass was made last year." "It was specifically made for shuttle aircraft." "You won't be able to break it with the use of excessive force." "So why was it broken?" "Because it has a fatal shortcoming." "It can't stand certain sound waves." "Can sound waves break glass?" "All kinds of glass can be broken by sound waves." "Let me demonstrate for you." "I've brought some tools here." "I didn't come to leech off your food." "Look at this." "This gadget has a frequency of 185,000 watts per second." "Look at its effect." "There's no effect at all." "However, if I increase the frequency by 1000 watts, which sets us to an increased 186,000 watts per second." "Now, look at the results." "Wow!" "That's amazing, Man!" "But why hasn't this piece of glass been broken?" "Different kinds of glass respond to differing frequencies." "Understand now?" "Yes." "202...what's your number again?" "I'm Fen." "2021." "Isn't it great, Chau?" "See what I tell you?" "He's not just an expert in opening locks." "Waiter, can you bring me a menu that includes Iranian caviar in it?" "You'll eat till you go bankrupt." "Look!" "it's Yeung and his girlfriend." "Well, where are we heading off for fun?" "It's up to you." "Where would you like to go?" "Isn't that the one whom we've met today?" "Look at how horny and sexually open she is!" "Maybe she is some other man's wife?" "You're right." "Some other man's wife!" "That means it's not his wife." "So Yeung the jeweler is really that capable of things." "Wow!" "How'd you figured that?" "Everyone knows about it." "Vanity doesn't matter in this case." "He'll only go out with the wives of other men." "Then, the husbands of these wives must be taking it bad." "They've become cuckolded." "Interesting." "I'm heading to the washroom." "Mrs. Kam." "Cat, why are the guests around here getting worse?" "Bitch!" "Showoff!" "You're completely filled with fake diamonds!" "How would you know they're fake?" "Give it a try and we'll find out." "Right!" "It can't be her!" "Anyway, it can't be!" "My diamonds have broken!" "How could this be?" "It does work and it sounds good too!" "Yeah!" "Hey, buddy!" "What are you doing?" "Sorry, Man!" "I only knocked it like this." "Fen and Chau, you've treated me to an expensive dinner." "Damn it!" "And you said you've gone out for mahjong with your grand-aunt!" "But instead, you've gone out to Casablanca with that man!" "Well, maybe they got hungry during their mahjong game and went out for a meal together, it's normal." "Good point!" "No!" "Where's the grand-aunt?" "Where aren't they here?" "They're not around." "Why?" "Where did she go?" "Maybe they don't like western food." "So they went for Chinese food." "That's not hard to comprehend." "Good point." "How can you have dinner with a man who's clearly a sex maniac?" "Even sex maniacs need to have dinner." "We all part ways and walk our paths after the meal." "It's reasonable, isn't it?" "Reasonable?" "A dinner that doesn't last till 4 in the morning?" "Maybe they played another 4 rounds after the meal." "Everyone took turns and played until now." "I'll call her back for some pudding." "Hello!" "May I please speak to grand-aunt?" "What?" "She did what?" "Traveling?" "To Singapore?" "She went traveling to Singapore." "So who did she play mahjong?" "Who?" "Maybe they played another 4 rounds of mahjong while waiting at the airport?" "Since when do airplanes take off at 4 in the morning?" "It's 4 in the morning, buddy!" "Maybe the plane got hijacked." "And when police arrived during the hijacking, they had to shoot down a swarm of people with machine guns." "They probably had to gun them down till 4." "Honey, you're home!" "What took you so long for 8 rounds of mahjong?" "Why are you drunk?" "Interesting, drinking while playing." "Be careful." "Sit down..." "Lai, I've made..." "Lai, I've made some ginseng soup for you." "It's good for you." "Wait here." "I'm so glad to see you." "You're so nice to me, Charlie." "I'm not Charlie..." "Charlie?" "Back up a bit." "I need to park now!" "This spot is mine!" "Don't ever park here, understand?" "Do you understand, fool?" "Do you?" "You're wrong." "This spot is mine from now on!" "Let go!" "We can lord it over Yeung now." "The entire piece of glass was even broken." "Man!" "How would you know if that's really Expert Man?" "I recognize his sock." "Now, come!" "Man..." "What happened, Man?" "He took away my..." "What did he take away from you?" "What is it?" "My... parking Space" "Fighting for his parking space?" "Then, you're wrong." "What do you mean by that?" "Well, you're sure doing swell!" "You're obviously on his side." "Come here, Shoehorn!" "Come!" "I'm talking to you!" "You're a police officer." "You witnessed his attempt at causing bodily harm to me." "I didn't see what he did to you." "But your car crushed his motorcycle." "I saw that very clearly." "Yes, it's your fault!" "His vehicle is already parked there." "Why did you have to park your way in?" "You're wrong." "This motorcycle shouldn't even be parked here." "How could you say that?" "Mr. Yeung's right because this parking spot is for private cars." "So now, I'm going to follow procedures and press charges on you for illegal parking." "Chau." "There's no need to press charges on him." "Just do me a favor, okay?" "But I'm going to have press charges on you as well, Mr. Yeung." "Press charges on me?" "For what?" "For deliberate damage to private property, how about that?" "I hope you will gladly cooperate with the police." "I won't say anything to you." "You can talk to my lawyer." "This is my lawyer." "So does this mean you aren't willing to drive your vehicle back to the police station?" "I've already told you to talk to my lawyer." "You're wrong, Mr. Yeung." "2021!" "Yes, sir!" "You've just heard that entire dialogue." "What should we do?" "According to regulations, if we can't receive any cooperation, we have the right to confiscate all the evidence and present them in court later on." "Why do you have all the procedures memorized this time?" "In order to prove this vehicle is a Rolls Royce, are we required to remove the logo from the hood of the car?" "Yes, but that's not enough." "How will we find out who the owner of the vehicle is?" "I know, we can find out by removing the license plate." "Good point but that's not enough either." "How will we find how the whole incident started?" "I know, we can find out about the incident by removing the wheels and bumpers." "But what if that's not even enough?" "Well, let me find another solution to this." "Sorry, Mr. Yeung." "Please wait." "My partner's going to think of another solution." "Go ahead and remove all you want." "I have plenty of time." "However, I will go to the police station with you." "You've got guts." "Is that enough now?" "I'll treat you out for dinner tonight." "Good." "You must be there." "We've got to dress up tonight." "Bottoms up, Man!" "Cheers." "Come on!" "You can't drink." "Does he have liver problems?" "No." "He'd be penalized by his wife if he drinks." "Last time, his wife made him kneel for 5 consecutive hours." "Really?" "Are there really men out there who are still in fear of their wives?" "Why not?" "He used to stay in the washroom for more than 10 hours." "Is his wife very beautiful?" "Yes, how did you know that?" "There are only two reasons for a man to be so afraid of his wife." "First, if he's lucky enough, he's afraid that his wife will seduce another man." "What if he's not lucky?" "She has already seduced another man." "No, his wife would never do that." "Have you noticed any nice cars coming to pick her up?" "No, there's only police cars." "Still one of our own, do you know who it is?" "It's me." "Your wife's looking for you." "Better call her back." "Buddy, where's the phone..." "Let her call." "I don't give a damn." "I'll wash the chopsticks." "Wash it clean." "This waters dirty, buddy." "Do I have to pay extra?" "Did you hear that?" "Man is right about that." "It's not normal for the wife to be so controlling to her husband." "It's better when the husband controls the wife." "This stuff is easier said than done." "Is it really that simple?" "Just take it easy." "He won't be able to accomplish this." "Yeah, I got it." "Easier said than done, right?" "Just be careful!" "Take them to the station." "No need for them to talk so much." "What's the hurry, bud?" "You won't last that long anyway." "It's Yeung and his girlfriend." "Really?" "Are you alright?" "I'm fine." "Now what?" "What will we do now?" "What do you mean "now what"?" "Go back to the station and file the report!" "Yeah, just wait at the station for 3 hours." "What?" "Honey, don't argue with them." "Just compensate them for their losses." "Don't be so nosy!" "How much compensation do you need?" "Compensation?" "We may be poor but we don't need your dirty money." "Then we can forget about it." "I've got to go." "Go then!" "Who's going to pay for the car repairs now?" "I'm always the one paying every time." "How about this'?" "Since it is my fault this time, you'll only need to pay for half of it." "Man!" "Man, are you okay?" "Yes." "I apologize for this." "Where did those two go?" "Those two..." "They've left." "I saw them enter the Angus." "No, that's Kimbar." "No, it's Angus." "Kimbar is up there." "I saw them driving into the Kimbar." "No. .." "What are they doing in there?" "Is there a need to ask?" "What else can they do at a place like this?" "Could they be there to play chess?" "Who'd play chess in a place like this?" "Obviously, they're going to make out there." "Take me home..." "Drive Man back home." "Will they just watch TV?" "Man, are you okay?" "There's a bed over there." "Sit down." "It's a sofa." "Same thing." "So you like raising lion-head fishes too, huh?" "People say they resemble me." "We'll leave and let him rest up a bit." "We can't do that." "It's not polite to leave without a drink as a guest in the home of a friend." "I'll pour a cup of tea for you." "Why does Man have to do the pouring himself?" "Maybe his wife is sleeping." "She just slept earlier today." "Why don't you take a look around?" "I have plenty of things to see in my workshop." "Take a seat first." "Doesn't your wife wait for you to return before sleeping?" "She does wait for me." "She probably had a fever today." "Since she's got a fever, we shouldn't wake her up." "No way." "I'll wake her up even when she's in a fever." "Have a seat." "Feel free to make yourselves at home." "Wake up!" "What are you doing?" "The light switch is on the wall." "You can tum it on." "Go ahead." "Play around with those tuning forks if you'd like." "Do you remember how I taught you to play them?" "Just a simple gong sound." "Wake up!" "Make yourselves at home." "Take a seat." "Play around for a bit." "Go serve the tea." "Why didn't you get up earlier?" "Fever?" "How dare you have a fever when I have guests coming over!" "You knew they would come." "You're not allowed to have a fever when we have guests, got that?" "No way." "I've got to beat her down even when she's got a fever." "How can she not serve tea to my friends?" "This is an outrage!" "He's really fierce." "That damned bitch broke several glass cups." "It costs a lot of money." "Now, I've got to beat you with the feather duster." "I'll hit you till your legs go sore." "I must do it!" "Amazing!" "I'll hit you!" "Kneel down!" "Now!" "So what if it's painful?" "Don't touch it!" "No wonder he's so successful." "Look at the way he treats his wife." "Why don't you treat your wife like that?" "Yeah, is it that much of a chore to serve some tea?" "Of course, you wouldn't do that." "You're the one who's usually sewing tea to the wife." "Have some tea, please." "Thank you, Man." "Your wife is so obedient, Man." "This is not about obedience." "I just train her well." "I've taught you this before." "You must use excessive force to your spouse." "Beatings are the best solution to everything." "Understand that?" "Lai, run me a bath." "I'll give you one more tip and that's..." "What is it?" "Answer me right away!" "Why don't you give me an immediate reply?" "This feather duster will come in good use if you don't reply!" "Now I'm going to beat her down with another tool!" "Give it to me." "Give me the crowbar!" "Not this one, it's only strong enough to attack ants. it's that one." "This?" "Don't fret!" "Give it to me..." "it won't kill her..." "She's still got another leg." "Hurry up!" "Answer me now!" "I want you to answer me!" "If you don't, I'll beat you until you become crippled." "Kneel down!" "Still watching TV?" "I told you to run me a bath!" "So you're still watching TV?" "Come out and kneel down!" "Come on!" "Don't say a word." "My friends are here." "Kneel down!" "Hurry up!" "Why don't you kneel?" "Kneel!" "Don't say a word and bear the pain." "He's going too far." "Let's go and stop him!" "I'll kick you!" "It doesn't look like you're going to answer me!" "Crawling back into your hole like a rat, huh?" "Get up and stop dragging me!" "I'll beat you up!" "Don't move!" "I told you not to scream!" "You'd better come out and serve my friends!" "Come out now!" "If you don't come out, I'll start kicking with another pair of shoes." "I'm switching to another pair of shoes!" "Hand over my sports shoes." "Now!" "Still heading out to play football at this time?" "Hurry...don't worry." "She's used to it." "Come on..." "Don't." "She's used to the kicking." "The red and black pair are her favorites." "She's used to it." "Hand it over." "Don't worry." "Just like Brazilians." "The more you kick the wife, the cuter she gets." "Go..." "Then..." "Come... hold on..." "Let me kick you." "Like these pairs of shoes?" "Come on!" "Is it okay to kick like that?" "She's used to it." "I think it'll be fine." "No, I should go and have a look." "Chau, he's not kidding." "I know." "How would you know?" "Look." "Stay there." "I'll send you another kick!" "I just kicked with my left leg." "Now I'm going to use my right." "Don't make a sound." "Bend over there and kick so I can give it another kick with my left leg." "Ready?" "Why is Man doing this?" "Do you see his wife?" "A kiss won't do." "No way!" "Maybe she's been kicked so much that she doesn't know where he is." "Are you crazy?" "I think this must be his wife." "No, she can't be." "Kiss me while I beat you." "This is bad...what do we do now?" "A kiss doesn't work either." "What do you think?" "The C.I.S. has been looking for someone to participate in the Art's Festival." "They want me to take the leading role." "So I thought I'd save them the trouble and prepare for a Shakespearean play." "So I've been reluctant to do it." "Hi!" "Not everyone is gifted in the art's." "I know." "But Shakespearean plays usually end in tragedy." "We've got to go." "Yeah." "I need to rehearse to see if I've got the talent for any of this." "I want to give it a try." "Lai, you've come back." "I was putting on a show just to save a bit of face for myself while those two were here." "You knew they saw you having dinner and getting a ride in that man's car." "Can't I have dinner with a man?" "Sure, you can!" "Can't I sit in a man's car?" "Of course, you can!" "It's normal for you to sit in a man's car." "I'm used to it." "But that's not the problem." "The point is, they always laugh at me." "Face... face..." "Do you regard me as your wife?" "Then, we..." "None of your business!" "I just wanted to save my face." "I'm a man." "You know how great of a man I am in front of others." "Of course, I'm nothing but an ant in front of you." "But I need to save my face." "One!" "I need to appear sharp in front of my peers." "Two!" "Just to save a little bit of my dignity." "I didn't mean to..." "Two!" "Lai, you know..." "I'm very imposing at my department." "Men need to be imposing." "Can't you just leave me a bit of dignity?" "Don't leave me!" "Lai..." "listen to me..." "That's pitiful." "That's why they say that all geniuses have some weak point." "You're the one without the weak point." "Exactly!" "Sorry to bother you, ma'am." "No problem." "Just a common meal." "Just directly tell Man to have dinner here." "Why'd you say today was your birthday?" "Well, if I didn't say it was my birthday, he wouldn't come." "Besides, I don't think Chau would like that." "No, he won't." "Capable people can't stand to be with incapable people You wouldn't understand." "Well, going by what you say, Man is a very capable man." "So is Chau." "But there can never be two champions." "Someone's ringing the door bell, Fen." "It must be Man." "Let me go answer the door." "Please come in." "Well, it's my home." "Of course, I'm coming in." "Why is it you?" "Why didn't you bring the keys?" "You also tend to forget about bringing your keys." "What's going on?" "Today is my birthday." "Wasn't your birthday over 4 months ago?" "Well, it's my birthday in the lunar calendar." "So there's a 4 month difference between the western and lunar calendars?" "Well, it's like this." "I misremembered it this year." "What about last year?" "The same goes for last year." "How about the year before that?" "And all the years before those too." "I've misremembered it for over 20 years." "My origins were revealed this year." "You won't change it next year, would you?" "Nope, it's confirmed." "Today is my birthday." "And everything is up for me to decide." "Yes, I understand." "Honey, I'm home!" "Go and get changed." "You treat me so well, Chau." "Let's confirm that everything's up to me for today." "Okay." "I've invited Man over for dinner." "What?" "Expert Man?" "You said everything is up to me." "I'm not implying that you can't invite him over." "So you've finally seen his good side now." "That's not it either." "But I guess it's good to see what other flaws he has." "That's how he is." "Come and help me." "Damned Chau!" "Help me with the eggs." "From what you're telling me, Man is quite pitiful." "Yeah, we shouldn't remind him about his wife." "That's why I've hidden all your wedding photos." "Just a prevention from making him sad." "Do you mind?" "You're right." "What's going on?" "They won't be so nice to simply invite you over for dinner." "They just sympathize you because your wife doesn't want you." "I'd rather head home and have instant noodles instead." "No, Beethoven admires me very much." "It's great to be admired in the eyes of others." "That's true but look at you, you look so depressed." "Going in like that is no different than getting sympathy from others." "You've been a police officer for many years." "Don't you have any acting skill at all?" "How can you be a president in the future without any acting skills?" "Acting skills..." "Happy birthday!" "Man!" "You said you liked this lion-head fish, Beethoven." "So now, I'm giving it to you as a birthday gift." "It's beautiful but it originally came as a pair." "Didn't you know?" "The other one ran off in secret." "Isn't it nice that way?" "It'll make a pair with me." "You're pretty thoughtful, Man." "Not at all." "In fact, I don't even know what I can give you on your birthday in the future." "Because there aren't a lot of animals that can come out looking like a shoehorn, don't you think so?" "Nothing really comes to mind at all." "Well, not exactly." "What's this fish called?" "Mackerels might have a chin like yours." "It's just like a shoehorn." "I'll give you one next time." "Yes, giving it to him sounds perfect." "Have a seat, Man." "The decoration looks around here." "Of course, it is." "My wife did all the designing." "All the decorations in my place were done by my wife as well." "It didn't satisfy me until she made a few amendments." "Our verandah is very spacious." "Why don't you come and check it out?" "Is it?" "This verandah seems to be very nice." "How big is it?" "It must be a big place." "Look!" "No, the left side." "Good!" "No, a little more to the other side." "No, in the center." "That's it!" "Perfect!" "When did you take this photo?" "You looked much better back then." "Your chin isn't as sore as it is now." "Otherwise, he wouldn't have been able to woo Anna." "This family is full of love and warmth." "It's warm because the heaters been activated, Man." "Shut off the heater, Chau." "He meant the atmosphere, not the temperature." "Atmosphere?" "Aren't we all having a good time?" "Well, that's because it's my birthday, Man." "Birthdays are important to us." "Because it's a fresh new start to life." "Right." "So you must remember that, Man." "Just forget the fact that your wife seduced another man." "Right." "No... she didn't seduce another man." "I mean you shouldn't dwell on the past." "Just continue to live your life happily." "It's normal for my wife to leave me." "It's just like a theater switching on to another movie." "Just put on another one." "In regards to situations like these, you're more than amazing." "If it were me, I'd go into mental turmoil." "Of course, Man can handle it." "Exactly." "Exactly." "It's somber now." "It's going to rain." "You'd better go grab the laundry." "I'll get the laundry." "Where are you going, Man?" "So, Man, are you accustomed to do the laundry alone?" "Well, I've got this little habit." "I grab on to my wife's hair and kick her out to get the laundry whenever there's a thunderstorm coming." "Yeah." "Where's the washroom?" "It's right over there." "I'll head to the washroom." "Why did you have to stimulate him?" "Don't worry!" "He's still a tough man." "I told you not to come but you still insist." "Where's your acting skills?" "Man, what do you think about the washroom?" "It's nice and you've got what you need in here." "Man, let me introduce you to my wife." "Anna, this is Man." "Hi!" "Hello!" "Making balsam pear?" "Yes." "Has any water been extruded?" "No." "Then, it'd be very bitter." "Really?" "I'll demonstrate for you." "Have you added any salt?" "No." "You must put in some salt." "Otherwise, it'll become really bitter." "Just a little bit." "Stir-fry it along with water and it won't taste bitter at all." "I'd have never thought you'd be so good at cooking balsam pears." "Well, of course. it's my wife's favorite dish." "Whenever we have dinner at home, I would..." "You'd be the one cooking for her." "Yes." "Then..." "You're talking about that stuff again." "Chau." "How can you be so ill-mannered, Chau?" "Don't go." "Dinner's ready." "Take it easy with the soup, Man. it's hot." "Thank you." "Why don't you move in with us?" "Then she can make soup for you everyday." "Thanks but there's a lot of things you don't understand." "You won't understand since you're not married yet." "I'm quite used to live like a ruler at home." "My wife serves me all the time." "I'm pretty spoiled by having someone serve me." "If I stayed in your home, it'd just trouble Anna." "Once you get married, you'll see what I mean." "I'm overdoing it a bit by letting my wife spoil me like this." "If my wife doesn't serve me," "I would've already felt very uncomfortable." "You didn't mean to invite me over for dinner at all." "Man... you..." "Man, come back!" "Man!" "Why must you anger Man like that?" "So it's my fault again?" "Why wouldn't it be, you damned shoehorn?" "We made a promise in cadet school that you would never address by the name of Shoehorn, you broomstick head!" "You also vowed to never call me a broomstick head, you shoehorn!" "Damned broomstick head!" "I'm leaving." "I'm going back to my room." "It'd be best if you never come out of that room!" "What's wrong with Shoehorn?" "Impossible!" "This kind of incident couldn't have happened in my vault." "He must had plenty of things stolen." "He deserved it!" "Check it out for yourself!" "I can't be guaranteed any safety from the public security system of Hong Kong." "Sir, this is the most advanced technology in air-flow detection." "If the air flows as a result of someone passing by, the alarm will sound immediately." "If an object at any weight fall into the water of this pool, the level of water will rise." "The alarm will sound just as well." "Look, what's that?" "Yes, why is that goose coming up there?" "I'm not here to discuss with you if that's a duck or a goose." "I'm saying..." "What Mr. Yeung means is... if anyone can place the goose there, he can also take away the coral diamond." "Am I right, Mr. Yeung?" "Take a few photos and hand it over to C.I.D." "You need to go to the washroom." "I don't need to." "You need it." "Yes, I do." "Then go!" "Don't forget to shoot from all angles." "Front, back, left and right." "Make one big close-up shot!" "Seven shots made for ourselves and the C.I.D." "Take a full shot at this comer." "This spots most important." "Keep the spot without the leg for me." "What's going on?" "You know what your buddy Expert Man has done!" "It's nothing special." "He only wanted to ease his mind by putting a goose over there." "Can't he do that?" "I'm not implying that I want to arrest him." "I don't think you'll place righteousness above loyalty to your family." "I think he'll eventually run into trouble." "Don't complain about me not giving him any chances!" "What do we do now?" "Then I guess I'll have to keep a close eye on him and make sure he doesn't do bad things." "Exactly." "Great!" "I've been waiting for you, Man." "Why are you waiting for me here?" "Nothing special." "I just wanted to have a drink with you." "Then go have a drink." "Okay." "He's back..." "Man, why are there so many nosy women around?" "He's back..." "Congratulations!" "What are you congratulating me for?" "For your divorce!" "This is my home." "What are you people doing here?" "Come... take a look here..." "This is the door to my home." "What are you doing here?" "In celebration of your divorce, anyone with the card may receive a free goose in exchange." "You're very efficient." "Right..." "You announced your divorce to everyone in such a unique way." "Judging from her pose while doing the laundry," "I can tell that she'll seduce another man sooner or later." "You're the one that's flirty..." "Of course!" "How else would she get all those beautiful clothes?" "Get out of the way, bitches!" "You're blocking my way to the door!" "Leave!" "Take it back!" "Stop fighting..." "Why are there so many geese here?" "Stop fighting!" "Stop fighting Man!" "Who sent it to you?" "It must be Yeung playing tricks on me!" "Stop fighting for it!" "Check the number." "Man, what are you doing here?" "Lai, you're back!" "Despicable!" "Lai, listen to me." "You wouldn't able to imagine who did a prank on me." "It's mine." "You wouldn't be able to imagine it." "Lai, listen to me." "Which number?" "Expert Man, what number is this?" "Out of the way, bitch!" "Lai... where are you going?" "Lai!" "I need to calm myself." "Where are you keeping yourself calm, Lai?" "Japan." "To Japan?" "Man, where are you going?" "I'm going to calm myself down." "Where to?" "Japan." "I'm going too." "Me too!" "Sir, which number is this goose?" "Come on!" "Don't worry about it!" "I'll teach you." "Is this how you calm yourself down?" "Man, how can you have such a good eyesight?" "I can't even see where they're located!" "If it was your wife, it'll depend if you can see her." "If it was my wife, I would've already angered her." "Crap..." "See for yourself." "I see it." "Yeung's dressed up in navy blue clothing." "Your wife is dressed in pink." "Yeung has his hand on your wife's waist." "He is touching her face with the other hand." "Now, they've slowly began to..." "Who told you to give such a clear description here Are you commentating at a horse race or something?" "It's the telescope that is clear." "That's not just clear." "It's openly doing something evil." "Damn it!" "Let me get this clear to you first." "I'm only helping you for giving that guy a lesson." "Just don't go too far." "Check your tools." "I'm all ready, Man." "I'm going now." "Don't say anything unless it's necessary." "Why?" "Because you're inarticulate." "Everyone would recognize you easily." "Be careful!" "Got it!" "Take this..." "Everything's free of charge." "Here's the straw." "How can you treat people like that?" "He was in my way." "Clingy." "Pick it up for him!" "Let me help you." "You took my wife away from me!" "I saw off the ice and let you drop." "You'll freeze to death." "Thanks." "Ridiculous!" "There's not enough weight!" "Failed." "Where's Fen?" "Fen!" "Yikes!" "Why are you down there, Fen?" "Fen!" "Stop breathing for now, Fen!" "I'll dig a hole for you to breathe." "Hold on!" "Don't drink any of that water!" "Give me the straw." "Hurry!" "Breathe... gently..." "can you breathe yet?" "Breathe deeper." "Don't suck in any water!" "Press it down!" "Don't let it float away!" "Press onto it!" "Pull harder!" "Yes!" "Hold on!" "I'm going to dig a hole!" "Don't drink any water." "That's it!" "Breathe... hold it..." "Breathe harder!" "Got it yet?" "Once more." "Hold it!" "Get more straws!" "Quickly!" "Got any more straws?" "Quickly!" "Hold tight, Fen!" "I'll dig another hole!" "Don't let it float away!" "The waves are getting heavier!" "Take the straw!" "Go!" "Damn it, Fen!" "Where are you?" "Where are you, Fen?" "Fen!" "My god!" "He's in his thirties and still unwed." "Now he's freezing to death!" "Shut up!" "Fen..." "Man!" "You scared me there. it's not even funny!" "Come out for a match, you bloody jeweler!" "Sure." "You'll die without a burial ground." "Come on!" "Sit tight." "Soon, you're going to know what's coming for you." "No need to kick him, he'll be a dead man." "Be careful!" "Buddy!" "This is the line of death." "The one who comes closest to this line will will." "It's dangerous." "Didn't you hear that?" "it's dangerous!" "If you promised to never see my wife again," "I'll let you go." "You'd better be careful!" "Listen carefully, everyone!" "This is the starting point." "We'll do an experiment." "Let's say this is the line of death." "The winner will be determined by the one who is closest to this line, okay?" "Let's begin!" "Luckily, it's right here." "If the line of death is up ahead, you would've been dead." "You're incredible." "Is your sled from Rolls Royce?" "Did you hear that?" "It's not too late for you to give up yet!" "I know you're scared." "If you repent now and promise to never see Lai again," "I'll give you one more chance." "Just say it!" "I warn you not to risk your life for this This is your last chance." "I must warn you that no one will help you in danger." "It's my wife." "You shouldn't have done that." "Repent!" "Just repent and say that you'll never see Lai again." "Then, there's no need for us to slide to the edge of a cliff and die." "It'd be pointless to be dead." "Just repent!" "Repent." "I'll do a countdown. 1, 2, 3... 3..." "Fine!" "Say no more!" "3!" "Your last chance to repent!" "Let's go!" "He's a dead man." "Will it work?" "If he'll die, I'll be dead too." "Relax." "I've already removed his screws." "You'll have to hold me tight." "I will." "I'll hold onto you." "Hold on tight and be careful, okay?" "This is no joke." "You don't need to talk." "What?" "It's too late now." "I'll fight you to the death." "Yeah!" "We'll see who's going to lose." "Come on!" "Let's finish this!" "Yeah!" "Hey, buddy!" "My rope..." "Man!" "Man!" "Man!" "Man!" "Keep pulling!" "Don't let go!" "Pull harder!" "Pull!" "Is that Expert Man?" "This is Yeung, the jeweler." "Jeweler Yeung, return my wife immediately!" "Otherwise, I'll deal with you again!" "Why don't we all deal with reality?" "How?" "I'll ask your wife to come out and we'll settle face-to-face." "We'll let her decide who she likes." "Do you dare to do it?" "Why not?" "Where will we meet?" "At the greenhouse, 9 o'clock tonight." "9 o'clock at the greenhouse, okay!" "See you there." "Lai!" "Lai!" "Lai..." "What do you want?" "Don't do anything stupid!" "Where is Lai?" "It's so nice to see you here again." "Be careful." "Don't do anything stupid here." "Thank you very much." "Thanks for leaving me such a deep impression in Japan." "It was my pleasure." "No!" "I've brought you a souvenir from Japan." "I'm sure it will remind you of Japan." "I don't want any gifts!" "I want Lai!" "Where's Lai?" "Lai!" "You've got me cuckolded." "What else do you want from me?" "Don't do anything stupid." "What do you want?" "Don't you dare!" "What do you want?" "Why did you remove my trousers?" "What are you doing?" "Let go!" "Why did you remove my trousers?" "Let go!" "What is the meaning of this?" "What are you doing?" "What is this?" "You know little about the Japanese culture." "In order to let you understand more about Japan," "I have one more present for you." "Give him the gift." "Enjoy your present." "I won't bother you." "Can the present be any more smaller?" "I must warn you." "Don't assume that you're tough." "Let go of me right now!" "I'll count!" "1, 2, 3!" "Ready?" "1, 2, 3!" "1,2,3!" "1,2,3!" "1,2,3!" "You enjoy listening to Japanese, don't you?" "I've learned Japanese through 3 months of night school." "I really like the Japanese." "Especially big, fat, and incredible ones like you." "Say some more." "Why didn't I learn any Japanese back then?" "I can't think of anything." "There's more!" "So..." "Son..." "what's that brand name called again?" "That's a song." "Hold on!" "I got one more!" "I've got a story to tell you." "Long ago, there were two people fighting." "Before they fought, one of them suddenly turned around and..." "Buddy!" "I wonder how Man is doing right now." "I told you to keep an eye on him." "But you followed him all the way to Japan." "Now look what happened!" "I didn't expect any of this!" "I just wanted to teach that punk a lesson." "It was totally unexpected." "Unexpected?" "You're close to forgetting your father's name." "Don't move!" "This is only an injection." "It won't kill you." "Man!" "What's the matter?" "Haven't you heard of fatal injections?" "Are you trying to take a life?" "Look at how badly wounded he is!" "Don't say I'm helping him." "Let me ask you a question." "I can't even see your face right now." "What do you want to ask?" "Yes, it's very impolite not to look at someone eye-to-eye while talking to him." "Now you can see me." "What happened?" "Nothing happened." "I occasionally enjoy acting like a turtle." "Who did this to you?" "Is there a need to ask?" "Obviously, it's the doctor." "You weren't beaten at all." "How can the doctor do this to you?" "I fell down and sprained my ankle." "Did anybody push you from behind?" "No." "How did you trip over yourself like that?" "What are you doing, buddy?" "Are we questioning you like a suspect?" "We are." "Master Man." "How are you?" "I heard something happened to you so I came to visit." "Hows your neck?" "I'm born in the year of the tortoise." "Therefore, I like to act like a turtle!" "I've brought some nutritious food for you." "Since you love roasted goose so much, this should be nutritious enough for you." "You took away my beloved." "I will take away your beloved someday." "Mark my words!" "I don't have a wife." "What am I worried for?" "Don't be so sure of yourself." "Just wait and see!" "Sooner or later, I will exact my revenge." "Get out!" "Get out!" "Let's go." "Get out!" "Man..." "Do not stop me!" "Chau!" "Why didn't you get him?" "How can we do that?" "We don't have any witnesses." "Go!" "Where are we going?" "You need to pee." "I don't need to." "You do." "Now, go!" "Yeah, Man." "I need to go." "We're going to the washroom." "Just stay here and rest." "Shut the door." "What's the most precious thing in life?" "Friends." "Friends?" "Even if you had lost your life, there would still be friends to visit you with flowers." "No, I know what's precious most is life itself." "Then, you know exactly what he wants." "I know, he wants to take away his life." "Then, you understand what we should do." "I know, we must help Man to take his life away." "You fool, we have to keep an eye on him." "Why has it turned into sulfuric acid?" "Welcome to Yeung's Jewellery Kingdom!" "Other than displaying my diamond coral today," "I invite you all to gaze upon a marvelous sight." "I guarantee that it'll be unforgettable." "What marvelous sight, Yeung?" "What did you do to Man?" "Man?" "Which Man?" "Don't be coy with me, Yeung." "If the two of you are interested in gazing upon this wonder," "I wouldn't mind if you two stayed." "But please don't interrupt my guests." "Let's go take a look." "What?" "Guards!" "Yes..." "Get out of the way!" "Let's do that again!" "Haven't you had enough?" "Don't you believe that I'll finish you off?" "Don't move!" "Walk this way." "Calm down!" "Yeah!" "Would you dare to believe that I'd shoot you to death?" "Release him!" "Watch your back!" "Get them!" "Yes..." "Throw me over there!" "Don't!" "Over there!" "Drop dead!" "I'll take my revenge by blowing up your feet!" "Chau, let's do it!" "Okay!" "Go to hell!" "I'm warning you." "Don't come over here!" "Or else, I'm going to jump!" "This is the last warning." "I'll jump if you come any closer." "I'll sue you for murder!" "I'll sue you for murder!" "I'm going to jump!" "Bye-bye!" "You can't escape!" "Don't come down!" "You'll die if you come down!" "I won't let you go!" "You're still coming down?" "Still coming down?" "Drop dead!" "Die!" "I'll blow it!" "Go after him through the elevator!" "Over there!" "Hold it right there!" "Stay there!" "Goodbye." "Go to hell!" "Go!" "You can't outsmart me." "Can I?" "Give it back to me and your life will be spared." "Wait." "Let them handle it themselves." "What do you want?" "You took away my beloved." "Now I must take away yours." "How about that?" "Then, I'll..." "I'll never see your wife again." "What?" "Never see Lai again." "You're really not going to see Lai again?" "Yes..." "You won't even call her again, right?" "Yes." "Get him right now!" "Yes, come over here." "Go quickly!" "Come over!" "What do you want?" "I'm cuffing him." "Cuff him?" "What did you see?" "I saw nothing." "Yeah, I also saw nothing." "What are we cuffing for?" "What?" "Didn't you see him drop my diamond coral down there?" "From what I witnessed at that moment, it was your hand that was grabbing onto his hand." "Thus, resulting in the diamond to drop on its own." "You were active while he was passive." "He's right." "You didn't like that diamond coral." "You hated it so you threw it out." "It's not his fault at all." "You two better watch it!" "I will sue you." "I'll sue!" "I'll sue you until you go to jail!" "Chau, he wants to sue us." "Does this mean we'll have to go to jail?" "If that's the case, before we go to jail, we'll need to have a nice breakfast." "Sounds good to me." "Let's have breakfast!" "Man, let's go out for breakfast!" "He just promised to return your wife, Man." "You can't have breakfast." "Do you still want her?" "I'll sue until you go to jail!" "Don't you know that a fox may grow gray but never good?" "Don't you know?" "That's what you think!" "There's plenty of fish in the sea." "Don't you know that imprisonment is a bad smear for reputation?" "If Lai comes back and sees me..." "You'll be in a lot of trouble." "I'll grab her hair and kick her miles away from here." "You dare to oppose me..." "Man, you're incredible!" "Let's all drink a toast!" "Cheers!" "Let's drink a toast to my life without my wife!" "To the celebration of your renewed freedom!" "Cheers!" "Let's drink to Man's reformed life!" "Now do you believe it, Man?" "A man can live without women." "You should be saying that a man can still survive without a wife." "Anyway" "Say nothing more except for the fact that there's plenty of fish in the sea, understand?" "I've said it before." "Women are like... what?" "Like limbs." "No, it's like clothing." "That means you can throw it out whenever you'd like." "Cheers!" "Cheers..." "Cheers, Man!" "Look, you've drank so much that your hand is trembling." "What do you guys drink in broad daylight?" "Where's the goldfish?" "Do yourself a favor and tidy up." "You don't water the flowers when you have the time." "Are you baking a cake?" "Didn't you boil some soup for me?" "Honey, I'm tired." "Could you run me a bath?" "Honey, don't forget to help out with my manicure." "So what?" "Why can't I be louder?" "This is my home." "I can do anything I'd like!" "There's plenty of fish in the sea." "Do you think you're the only one?" "Coming back as you please." "Get out!" "I don't ever want to see you again!" "No way!" "No way!" "There's women everywhere." "I can pick anyone I like!" "Never come back to me." "Get out!" "Get out!" "Cheers!" "You sure have integrity, Man!" "Yeah, Man's the greatest!" "You're a hero!" "A real man of this generation indeed!" "A real man of all generations." "Cheers..." "Hurray!" "Honey..." "Honey..." |
Events • Dining Out • Home & Garden • Recipes • Local Features
Menu
When you’re in the mood for a fine dining experience without traveling far from home, La Strada Italian Restaurant in San Pablo is a superb choice for West County residents.Conveniently located at the corner of Church Lane and San Pablo Avenue, near San Pablo City Hall, La Strada offers an extensive variety of Italian dishes presented in the traditional multi-course Italian style, served in a casual, yet elegant, atmosphere. Owner, Martino Gonzalez, and his staff are consummate hosts, and will welcome you warmly and provide excellent service that will make you want to return again and again.
My guest and I visited La Strada on a Friday evening around 7:00 PM.Although both of us had eaten there before, neither of us could remember the last time we’d visited nor what we’d previously ordered.After snagging a coveted parking place in the front parking lot, we entered the restaurant which was humming with the voices of the many diners within, and servers bustling around to tend their needs.We were greeted by a very gracious hostess who invited us to have a seat near the entry until a table became available.As we waited, we noticed several esthetic changes had been made to the restaurant interior since the last time either of us had visited; such as the gazebo-like entry-way adorned with foliage leading into the dining area. We also noticed the pleasant, comfortable ambience of the dining room where guests were obviously enjoying themselves. Although every table was full and there were several rather large parties, the atmosphere was not at all chaotic. Within less than ten minutes, we were greeted warmly by owner, Martino, who welcomed us, showed us to our table and made us feel right at home.
The dining tables are adorned with red and white linen tablecloths and napkins, and the servers are uniformly dressed in black slacks and white shirts.The dining room is bi-level, and each room has a generous amount of table seating, and both are spacious enough to accommodate large groups of guests.A large sign that says “Cucina” identifies the kitchen area, and there are beautiful chandeliers and ambient lighting throughout.A full cozy bar is nestled near the back of the upper dining room. The interior décor features lovely archways and pillars, reminiscent of Italian architecture, and stylish arched windows adorned with wooden shutters.Beautiful paintings and several large hand-painted murals of the Tuscan countryside decorate the restaurant walls.The traditional look and feel of this Italian ristorante is surpassed only by its authentic Italian culinary offerings.
La Strada’s menu is divided into multiple course selections—Antipasti & Pizza, Insalate & Zuppa, Prima Piatti, and Secondi Piatti (Translation: Appetizers and Pizza; Salad & Soup, First Course, and Second Course.)While soup and salad is not included with first or second course selections, either may be added for only a $2.00 upcharge. As we looked over the many choices on the menu, our waiter, Albano, introduced himself and took our drink orders.Although La Strada has a robust wine menu, my guest and I were more intrigued by the featured cocktails. I ordered an Italian Margarita, which was made with Amaretto; and my guest ordered an Island Margarita, was made with tropical juices.Both drinks were nice variations of traditional margaritas; however, I preferred the milder taste of the Italian drink (with the sugared rim), over the tropical drink, which had a stronger alcohol flavor.
From over a dozen traditional Italian appetizers, including such favorites as Bruschetta, Carpaccio, Calamari Fritti, and Mozzarella Caprese, we decided to order the Crostini–toasted breads topped with pesto, prosciutto, and mozzarella cheese. We both enjoyed the crunchiness of the toasted breads, and the delicious cheesy pesto flavor. We each ate two Crostini, and also indulged in the fresh bread and olive oil dipping sauce served with all meals. We were tempted to try another appetizer, but refrained to ensure we saved room for our dinner entrees.
We skipped the “first course” menu items, although there were many wonderful choices available—ravioli, fettuccine, lasagna, risotto, cannelloni, linguini, and gnocchi—each described as being prepared with homemade sauces, fresh vegetables, and/or various types of meat or seafood.The menu includes nearly two dozen “Prima Piatti” selections to please even the most discerning palates!But we opted for entrees from the “Secondi Piatti” menu, which also boasts such a wide array of wonderful selections, it was difficult to choose just one entree!Some of the selections we considered included the Salmone, served with Lemon Dill or Picatta sauce; Bistecca alla Fiorentina, grilled angus rib-eye steak with peppercorn or herb butter; and Gamberi alla Bordolese, prawns with fresh tomatoes, white wine and garlic. Veal and lamb entrees are also available, as well as eggplant, and even a good ole’ La Strada Cheeseburger for the staunch traditionalists! I selected the Braciola di Maiale, a French-cut pork chop, stuffed with prosciutto and gorgonzola cheese, cooked in a cherry wine reduction sauce. I requested to substitute the mashed potatoes for creamy polenta (since you can’t often order polenta in this area!), and was pleased to learn that the entree also included sautéed spinach. I also ordered a cup of La Strada’s home made minestrone soup. My guest ordered a side salad and opted for one of the evening’s special entrees, Red Snapper, topped with fresh tomatoes and capers, and served with mashed potatoes and vegetables.
The salad was a typical mixed green salad with shredded carrots and tomato. The minestrone soup was excellent, filled with large chunks of vegetables, including cabbage, celery, and potato, and it had a somewhat spicy flavor—very enjoyable! When our meals arrived, we were pleased with the overall presentation and portions.Albano garnished our entrees with fresh black pepper and fresh mozzarella cheese, and then left us to enjoy our meals.My guest’s meal included four or five generous pieces of tender and delicious red snapper, cooked and seasoned to perfection.My stuffed pork chop was thick, and the stuffing in the center was delicious, (though perhaps a bit sparse!) The cherry wine reduction sauce gave the pork chop a slightly sweet flavor and added to the moistness of the meat. The creamy polenta was divine, and I also enjoyed the very tender mound of sautéed spinach. My guest took home a small portion of her meal, but I confess that I happily cleaned my plate!
As business slowed toward the end of the evening, Martino joined us to share a bit of history about La Strada, which celebrated its twenty-year anniversary in July 2016. As I indulged in the best Tiramisu I’ve eaten since visiting Italy, and my guest enjoyed a decadent piece of Chocolate Fondant Cake, Martino told us the story of how he and his partner started the restaurant and built this wonderful local business over the past two decades.
As a young man, Martino worked for many years as a busboy and waiter at La Felce, formerly a famous North Beach restaurant that served five course Italian meals.While there, he took the initiative to learn as much as he could about the business, and was embraced as family by his employers who encouraged him and gave him the opportunities to learn.He later pursued accounting and tax preparation, and landed a good job working for UC Berkeley in 1993. At that time, Martino lived in Richmond, and for over a year, drove past the empty storefront that now houses La Strada. The location had previously been a coffee shop, and later VP’s Lounge, both of which were out of business. One day, he and his brother-in-law, Adrien Munoz, inquired about leasing the location, and all the pieces fell into place!They leased the building in April 1996, and after a lot of hard work, opened La Strada (which means “The Road”) just three months later on July 24th.The rest, as they say, is history! Leveraging his learnings from working at La Felce, and with support and encouragement from his former employers, Martino and Adrien launched a very successful Italian restaurant that has become a pillar in West County. Six years later, the owners opened a second La Strada location in Napa, which recently celebrated its fourteenth anniversary.Adrien primarily runs the business in Napa, and Martino is primarily responsible for the San Pablo location.
La Strada in San Pablo is fortunate to have a number of long-term employees who know their customers, and make dining here very “homey.” In addition to Martino, who can converse with customers in fluent Italian, other long term employees include general manager, Peter Lampert; our server, Albano; Terry and Mark, who serve and bartend.Most importantly, two of the cooks have worked at La Strada for seventeen years, helping to provide a consistent culinary experience to their customers.Not only is La Strada a wonderful place to dine, but the owners are extremely active in charitable community events.Martino shared that he enjoys helping and supporting local organizations, and frequently donates gift certificates to organizations such as the Soroptimists, Rotarians, Boys and Girls Club, local schools, and too many others to list here!Martino currently lives in Hercules with his wife, Christina, and his two daughters, Isabella (14) and Elizabeth (12).
For me, La Strada conjures fond memories of a number of special celebrations I’ve enjoyed there over the years—Christmas parties, my daughter’s graduation party, and my grandmother’s 94th birthday celebration. Each and every time, we enjoyed great food and service, and a welcoming, unrushed atmosphere which made each event that much more enjoyable. In addition to the spacious dining areas, La Strada also has a downstairs banquet room that holds 85 to 100 guests, and is booked frequently for parties, weddings, business meetings, and more.You’ll also want to check out La Strada’s special events for holidays and other occasions, such as Valentine’s Day, St. Patty’s Day and Mother’s Day.
So, the next time you’re looking for a nice restaurant to enjoy an excellent Italian lunch or dinner with friends or family, or if you are celebrating a special occasion, check out La Strada in San Pablo.I’m confident you’ll enjoy not only your meals, but also the atmosphere, and the welcoming and friendly staff who are eager to serve you.And if you see Martino, congratulate and thank him for bringing to West County a wonderful and authentic Italian restaurant that we can enjoy close to home. Buon Appetito! |
Bidding Opens in Final Phase of New York Broadband Boost
In the final phase of New York state's $500 million broadband push, local officials hope the Internet service will be brought to every household in Niagara and Orleans counties.
by Tim Fenster, Lockport Union-Sun & Journal
/
June 9, 2017
Shutterstock
(TNS) —Spectrum Internet has pledged to bring broadband internet to 95 percent of Niagara and Orleans county households. Now, some county legislators are asking: who will bring broadband to the remaining 5 percent?
Bidding opened June 6 for the final phase of the state’s $500 million broadband push, which local officials hope will see broadband internet brought to every last household in the two counties.
Niagara County Legislator David Godfrey, R-Newfane, and Orleans County Legislator Lynne Johnson, R-Ridgeway, say they may need help from outside vendors to get to 100 percent broadband coverage.
RELATED
“You get to 95-97 percent; what about the group that’s left?” Godfrey said.
But with only 1,020 households expected to remain unserved after Spectrum’s buildout, Godfrey and Johnson worry few vendors will be interested in bidding. The remaining unserved homes will be in areas with low-population densities — rural stretches of Royalton and Somerset, for example.
Godfrey wonders whether vendors will be willing to build infrastructure across miles of country roads to reach, in some cases, only a handful of households.
“There’s got to be vendors to cover it. We’re hoping to get enough vendors,” he said.
The two are looking into possible alternatives to entice vendors to put in bids. One is to push Spectrum to allow a wireless internet vendor to tap into the company’s existing fiber optic cable lines and bring wifi to unserved households.
Another is to include the counties in Genesee County’s request for proposals. The two have been in contact with Genesee County leaders, asking them to tell prospective vendors about the work opportunities to the north and northwest.
“We don’t have enough homes to get a vendor to bid,” Johnson said. “We’re hoping nearby counties will go out for a (request for proposals), and a vendor will say, ‘While we’re in your neck of the woods, why not bring broadband to these residents.”
Spectrum Internet — formed by the Time Warner Cable-Charter Communications merger in 2016 — grabbed the lion’s share of the bids in the first two rounds of funding because they have the largest footprint in Niagara and Orleans counties.
The New York State Broadband Program Office’s bidding rules favored vendors who could expand broadband at the lowest cost per household. That played into the hands of large companies like Spectrum, which already had the infrastructure in place and could expand at the lowest cost.
“That was devastating,” Godfrey said. “They basically froze census blocks. ... They bid so heavily there was too little left to bid on.”
But as a condition of the merger, the state Public Service Commission required Spectrum to significantly boost internet speeds upstate and also expand broadband service to 145,000 residential units that currently don’t have it. In Niagara and Orleans counties, Spectrum pledged to expand broadband to 95 percent of residential units.
Before the initiative, about 25 percent of Niagara County and 40 percent of Orleans county residential units lacked broadband access, Godfrey said.
Spectrum was given four years to complete the buildout.
Godfrey and Johnson say they have been working with State Sen. Rob Ortt to hold Spectrum’s “feet to the fire,” and that it appears the company has listened. A report to the state Broadband Program showed Spectrum was on track to complete its broadband expansion in the counties by the year’s end, according to Godfrey and Johnson.
“We’re lucky in the fact we’re going to get picked up but it bears the question, who’s controlling us?” Johnson said.
Meantime, the legislators say they are looking at all possible options to expand access, with libraries and schools given top priority. To that end, they are considering a program to bring wireless Internet to all school buses.
Watkins Glen, N.Y., currently has wireless on its school buses, which has allowed students to do their homework during long rural commutes.
The two brought the idea to Dr. Clark Godshall, superintendent of Boards of Cooperative Education Services for Orleans/Niagara, and say he is exploring the idea.
“Anything that brings internet access to our children is a huge step in the right direction,” Johnson said.
They add lack of high-speed Internet is a major problem in the county’s rural areas. Many rural residents have taken to parking outside local libraries to connect with the free wireless internet available there.
“It’s a sad state of affairs,” Johnson said. “You get into rural area, and you can’t hook up.” |
Head over to the Dream Bridge, taking views of DiverCity Tokyo, a new highlight in Odaiba. There are various museums you can learn a lot from such as Water Science Museum and Rainbow Tokyo Sewerage Museum. |
Unprotected left main coronary artery stenting with zotarolimus (Endeavor) drug-eluting stents: a single center retrospective experience.
To report the safety and efficacy of zotarolimus eluting stents for treatment of unprotected left main coronary artery disease. Percutaneous stent insertion is an increasingly popular alternative to bypass surgery for the management of left main (LM) coronary artery disease. While data support the use of sirolimus- and paclitaxel-coated stents in the LM coronary artery, there are no published series reporting results with Endeavor (zotarolimus) stents, particularly in the context of unprotected left main (ULM) lesions. We retrospectively identified 40 consecutive patients who had ULM disease treated with Endeavor stents (ZES) and who had follow-up angiography. The primary endpoint was the prevalence of major adverse cardiac events (MACE), including cardiac/unexplained death, nonfatal myocardial infarction (MI), and in-stent restenosis (ISR)/target lesion revascularization (TLR). Angiographic and procedural success was achieved in all cases. Follow-up angiography occurred on average 5.6 ± 0.9 months after the index procedure. There were three incidences of ISR requiring TLR and another patient who had a NSTEMI in the follow-up period. At late follow-up (12.4 ± 1.8 months) three patients underwent CABG (one for RCA stenosis) and four patients died without knowledge of the status of the ULM stent (two cardiovascular and two deaths related to cancer progression). In conclusion, our experience with Endeavor stents for the treatment of ULM disease demonstrates excellent angiographic and clinical outcomes, with a 7.5% ISR/TLR rate and a 15% MACE rate, respectively, at an average clinical follow-up of 12.4 months. |
Trends in the medical management of urolithiasis: a comparison of general urologists and endourology specialists.
To determine whether there are differences in the medical and dietary recommendations given to stone formers between urologists that subspecialize in endourology and general urologists. A 10 question on-line survey was sent via e-mail to members of the North Central Section (NCS) of the American Urological Association and the Endourological Society (ES). A total of 206 surveys were completed by members of the NCS and 122 surveys were completed by members of the ES. Of the ES members, 75% were in academic practice versus 21% of NCS members (P < .01). Urologists in both groups performed their own medical management (88% ES, 83% NCS) and believed that they were able to provide effective dietary recommendations (73% ES, 72% NCS). Most urologists in both groups performed 24-hour urine and serum studies in recurrent stone formers (68% ES, 73% NCS) as opposed to all stone formers (17% ES, 18% NCS). Members of both groups recommended low salt intake to all stone formers (68% ES, 61% NCS) or only calcium stone formers (18% ES, 29% NCS; P = .03). A higher percentage of urologists from the ES recommended low animal protein intake to all stone formers than urologists from the NCS (69% ES, 47% NCS; P < .05). Urologists from both the NCS and the ES, despite differences in the type of practice, subspecialty interest in endourology and geographic location of practice, have similar medical and nutritional practices when counseling patients in the prevention of stone disease. |
Histopathological findings and detection of Toll-like receptor 2 in cutaneous lesions of canine leishmaniosis.
A broad spectrum of clinical manifestations ranging from a chronic subclinical infection to a non-self-limiting illness has been described for canine leishmaniosis (CanL). This clinical variation is determined by a variable immune response, presumably genetically determined, against the infection. Although different types of adaptive immune response in dogs with CanL have been investigated in several studies, the mechanisms that underlie and determine this variability are still poorly understood. It is currently thought that innate immune response, and particularly the role of specific mediators of the innate immune system, such as toll-like receptors (TLRs), plays a central role in this polarization. However, there is limited data available concerning the role that TLRs play in canine Leishmania infantum infection. The objective of this descriptive study was to characterize and compare the inflammatory pattern, the Leishmania burden and expression of TLR2 in skin lesions derived from dogs with different clinical stages of leishmaniosis and cutaneous lesions. Routine histology, Leishmania and TLR2 immunohistochemistry assays were performed in 11 patients with papular dermatitis (stage I - mild disease) and 10 patients with other cutaneous lesions (stage II-III - moderate to severe disease). A significantly higher frequency of granuloma formation was demonstrated in skin samples of dogs with stage I when compared with dogs of stage II-III. Although not statistically significant, a trend for a lower parasite burden was observed for skin lesions of dogs with stage I when compared with dogs of stage II-III. A lower expression of TLR2 in skin biopsies from dogs with stage I was statistically significant compared with stage II-III. The results obtained in this study indicated an association with TLR2 in the pathogenesis of canine cutaneous leishmaniosis. Further studies are required to fully elucidate these findings. |
Personal tools
White Mountains
The White Mountains, a loose translation of the SindarinEred Nimrais "Whitehorn Mountains". The mountains are named after the glaciers of their highest peaks. The range lies mostly East-West, but also has a northern section, which is separated from the main line of the Hithaeglir "Misty Mountains" by the Gap of Rohan. Even at the southern latitude of Gondor and Rohan, the White Mountains bear snow in summer, suggesting they are extremely high. The range has no passes. The Paths of the Dead pass under it, but only the most courageous (or foolhardy) ever venture that route. The White Mountains form the northern boundary of Gondor and the southern boundary of Rohan except in their easternmost provinces.
Its notable peaks include Irensaga "Iron Saw" and Starkhorn. Between these two lies the Dwimorberg, entrance to the Paths of the Dead.
At the eastern end, the city of Minas Tirith is carved into Mindolluin mountain. The Warning beacons of Gondor are placed on top of seven peaks in the range: Amon Dîn, Eilenach, Nardol, Erelas, Min-Rimmon, Calenhad and Halifirien. |
Q:
How to debug cron job - codeigniter 3
My cron job is triggering properly from a godaddy shared server:
wget `http://www.domain/APP/index.php?/cron_jobs/cron_job_TEST`
There are no errors returned in the cron result:
HTTP request sent, awaiting response... 200 OK
Length: unspecified [text/html]
Saving to: `index.php?%2Fcron_jobs%2Fcron_job_TEST'
I set the test to write to a text file - and also to write to a database table.
When I test this - by visiting the URL - http://www.domain/APP/index.php?/cron_jobs/cron_job_TEST
The text file and table are written to properly.
But when the cron runs - there is no result to the text file or the database table.
CONTROLLER/FUNTION 'cron_jobs/cron_job_TEST':
// CRON_1
public function cron_job_TEST(){
file_put_contents("test_cron_job.txt", "cron_job_TEST-> ".date('l jS \of F Y h:i:s A') . "\n", FILE_APPEND);
$this->db->query("INSERT INTO `TEST_CRON` (`ID`, `DATE`) VALUES ('', NOW());");
}// END CRON_1
I have also tried the /web/cgi-bin/php5 $HOME/html/ methods without luck.
I thought the point of the wget was that it would behave just as though you are visiting the URL.
What could be going wrong here?
How do I debug this?
A:
Rather than using wget to fetch your file from a web server, you should execute the command directly from the command line by invoking PHP on your codeigniter's index.php file:
php /path/to/your/project/html/index.php cron_jobs/cron_job_TEST
If you execute your codeigniter app this way, you should be able to see the output and also the errors that might bubble up during its execution.
I'd also suggest writing a log file from your cron method so you can output values and, if you are clever, be sure which branches of your code are executing.
EDIT: you might also alter your cron job, whichever method you choose, to route the output of the cron job into a file so you might have some clue about what went down:
wget `http://www.domain/APP/index.php?/cron_jobs/cron_job_TEST` > /path/to/file.txt
EDIT: I think you can also route both stderr and stdout to the same file like so
wget `http://www.domain/APP/index.php?/cron_jobs/cron_job_TEST` &> /path/to/file.txt
Obviously, the user that owns this cron job must have permission to write that output file if the file already exists or must have permission to write the directory if the file does not exist.
Once the cron job has run, you might be able to look in this file and get a better idea of what transpired.
|
"use strict";
Object.defineProperty(exports, "__esModule", { value: true });
exports.toggle = void 0;
const etch = require("etch");
const highlightComponent_1 = require("../highlightComponent");
const simpleSelectionView_1 = require("../simpleSelectionView");
const generator_1 = require("./generator");
const utils = require("./utils");
async function toggle(editor, deps) {
const filePath = editor.getPath();
if (filePath !== undefined) {
const tag = await simpleSelectionView_1.selectListView({
items: (search) => generator_1.generateProject(filePath, search, deps),
itemTemplate({ name, position, file }, ctx) {
const relfile = atom.project.relativize(file);
return (etch.dom("li", { className: "two-lines" },
etch.dom("div", { className: "primary-line" },
etch.dom(highlightComponent_1.HighlightComponent, { label: name, query: ctx.getFilterQuery() })),
etch.dom("div", { className: "secondary-line" }, `File ${relfile} line ${position.row + 1}`)));
},
itemFilterKey: "name",
});
if (tag)
await utils.openTag(tag, editor, deps.histGoForward);
}
}
exports.toggle = toggle;
//# sourceMappingURL=projectSymbolsView.js.map |
Molecular, biochemical and histochemical characterization of two acetylcholinesterase cDNAs from the German cockroach Blattella germanica.
Full length cDNAs encoding two acetylcholinesterases (AChEs; Bgace1 and Bgace2) were cloned and characterized from the German cockroach, Blattella germanica. Sequence analyses showed that both genes possess all the typical features of ace, and that Bgace1 is orthologous to the insect ace1 whereas Bgace2 is to the insect ace2. Transcript level of Bgace1 was significantly higher (c. 10 fold) than that of Bgace2 in all 11 tissues examined, suggesting that Bgace1 likely encodes a predominant AChE. Multiple AChE bands were identified by native polyacrylamide gel electrophoresis and isoelectricfocusing from various tissue preparations, among which ganglia produced distinct two major and two minor AChE bands, indicative of the presence of at least two active AChEs. B. germanica AChEs appeared to be mainly localized in the central nervous system as demonstrated by histochemical activity staining, together with quantitative analysis of Bgace transcripts. Fluorescence in situ hybridization of the 1st thoracic ganglion confirmed that Bgace1 is predominantly transcribed and further showed that its transcript is found in almost entire region of inter or motor neurones including the cell bodies and axonal/dendritic branches. Bgace2 transcript is found only in the subset of neurones, particularly in the cell body. In addition, certain neurones were observed to express Bgace1 only. |
Andrea Fraile
Andrea Fraile Mas (born 2 January 1993) is a Spanish professional racing cyclist, who last rode for the UCI Women's Team during the 2019 women's road cycling season.
References
External links
Category:1993 births
Category:Living people
Category:Spanish female cyclists
Category:Place of birth missing (living people) |
Promoting Health and Wellbeing of Children and Families Through Relationship Based Interventions
Welcome to my blog, which speaks to parents, professionals who work with children, and policy makers. I aim to show how contemporary developmental science points us on a path to effective prevention, intervention, and treatment, with the aim of promoting healthy development and wellbeing of all children and families.
Saturday, October 22, 2011
Learning from parents-a most important education
Recently I had an "aha" moment of sorts. I was speaking to a group at the Pacella Parent Child Center in New York. I was explaining the path that had led me to write my book, Keeping Your Child in Mind. I was telling the group how in 2006, when my own kids were both school age, I stopped doing primary care and began doing exclusively behavioral pediatrics. I was still working within a general pediatrics practice. The major change was that I started scheduling all my patients for 50 minute visits. Where previously an "ADHD evaluation" had been, at most, one 50 minute visit, and many visits for behavior problems only 30 minutes in length, I began insisting on a minimum of two 50 minute visits for any behavior problem, preferably the first with parents alone.
Many practitioners might now dismiss what I am about to say, insisting that this is not a financially viable plan. But the fact is that I have been reimbursed for these visits on average $150. It is possible for a practice to have one or two clinicians devote several 50 minutes a week to addressing "behavior problems," especially given the potential gain. As I describe in my book, when parents are simply given advice about "what to do" both clinician and parent often experience failure. In contrast, giving a parent time and space to be heard often results in dramatic improvements in behavior.
With this change in my practice, I began to listen more carefully to my patients, specifically to parents. I heard stories of struggles with infertility, newborns who were difficult to soothe from day one, parents who struggled with depression when their children were infants, among many other things. But I also learned about what made things better. Once parents were given the time and space to tell their story, they came up with many resourceful solutions to address their children's difficulties.
Last week I had the privilege to be on the Diane Rehm Show speaking about the new guidelines from the American Academy of Pediatrics extending age of diagnosis of ADHD down to age four. To sum up the position I presented on the hour- long show, I advised using caution before prescribing medications to kids under six. I advocated for early intervention, even in infancy when problems of self regulation can present. I argued for validating parent's experience without using a major psychiatric diagnosis, and for recognizing the meaning of behavior rather than focusing exclusively on symptoms.
A mother who had listened to the show emailed me, thanking me for being "the voice of reason." She shared in detail her experience with her now six-year-old child. She described terrible struggles for the first five years until she and her husband discovered Stanley Greenspan's book about ADHD (his ideas and approach are very similar to mine) and everything "clicked." They took matters into their own hands in advocating for their son, who is now thriving. There were many details in her story- both the obstacles to help and the elements of the path to success.
Recently I have seen myself referred to in the media as a "child mental health expert." I appreciate this description, as it affords an opportunity for recognition of this important perspective that my infant mental health colleagues and I bring to the conversation. But reading what this mother wrote reminded me again that parents are always the experts with their child, and that there is still much that I can learn.
1 comment:
Has it ever occurred to you that the whole notion of ADHD may not be footed in reality as a physical or psychiatric disorder but rather reflects rather normal behavior? I have yet to see viable proof that this cash cow (for providers, researchers, schools and even some parents) is not driven by a mix of hogwash and moral hazard.
Add to that the fact that most children today are dumped into daycare and all-day schools shortly after a drive-by delivery. That those kids are messed up doesn't surprise me at all. Pills and talking to "mental health professionals" once a week won't really change that.
As a health care professional and father I'm a bit disgusted at times when I see what's going on...Nothing personal.
the baby connects
About Me
I am a pediatrician and writer with a long-standing interest in addressing children’s mental health needs in a preventive model. I have practiced general and behavioral pediatrics for over 20 years, and currently specialize in early childhood mental health. I am the author of The Developmental Science of Early Childhood:Clinical Applications of Infant Mental Health Concepts from Infancy Through Adolescence" ( 2017)"The Silenced Child:From Labels, Medications, and Quick Fix Solutions to Listening, Growth, and Lifelong Resilience" ( 2016) "Keeping Your Child in Mind: Overcoming Tantrums, Defiance, and other Everyday Problems by Seeing the World Through Your Child's Eyes"(2011) " I am on the faculty of UMass Boston Infant-Parent Mental Health Program, William James College, the Brazelton Institute, and the Austen Riggs Center. |
After President Trump’s unilateral announcement that Transgender people would no longer be allowed to serve in the U.S. Military, criticism has been coming from all directions — including from Republicans in Congress and a former Navy SEAL. Now one of Trump’s most prominent LGBT supporters, Caitlyn Jenner, who is considering a run for Senate, is blasting the President for his decision as well.
Related Articles
Quote-retweeting something President Trump wrote in support of the Lgbt Community while still a candidate, Jenner noted the 15,000 transgender Americans currently serving in the military and asked, “What happened to your promise to fight for them?”
There are 15,000 patriotic transgender Americans in the US military fighting for all of us. What happened to your promise to fight for them? https://t.co/WzjypVC8Sr
— Caitlyn Jenner (@Caitlyn_Jenner) July 26, 2017
Jenner’s statement came after being targeted herself throughout Wednesday morning for her past support of Trump, including working with the administration on LGBT rights issues.
In April, Jenner appeared on 20/20 and discussed the administration’s previous attacks on the LGBT community and touched on transgender military personnel.
“Yes, I did vote for Trump but here’s the deal breaker with the Republican party … you mess with my community, you do the wrong thing with our community, you don’t give us equality and a fair shot, I’m coming after you.
“When it comes to all equality issues, for the entire LGBT community, what we need is federal guidance. Just like the previous administration said that it was OK to serve as a trans person in the military. We have frontline people, OK? I’m talking Marines, trans guys, on the frontline, fighting for our country. I’m trying to get, especially the Republican party, to make a change.”
The Daily Beast reported Wednesday that the transgender military ban was pushed by the far-right religious branch of the Trump administration, so it’ll be interesting to see if more responses by socially liberal conservatives emerge. |
Unmanned lighter-than-air ballooncraft have been used for many years to perform tasks such as near space research, and meteorological measurements. Such ballooncraft have even carried payloads with instrumentation that sometimes includes radio transmission capabilities. |
Let's take this Beautiful Relationship to the Next Level
Philadelphia Phillies Tickets
The Philadelphia Phillies had the worst record in the MLB last season but look to turn things around when the new season begins. Ryan Howard has been the face of the franchise since 2004 and will look to lead the Phillies to a winning season. Check out the cheapest Philadelphia Phillies tickets on Rukkus before they’re gone!
Philadelphia Phillies Event Information
How do I get the best Philadelphia Phillies tickets?
Rukkus uses algorithms to find the best Phillies tickets for every baseball game. Phillies tickets are ranked by ticket price and seat location. Every ticket listing is rated and color coded to make sure you can find the best Phillies tickets. After finding a seat you can flip through the pictures taken from each seat so you can have the best experience buying Phillies tickets. This helps you find the best deals on MLB tickets in seconds. If you have specific questions on Phillies tickets or the Citizens Bank Park seating chart, check out our seating charts.
How to buy Phillies tickets Tonight
If you are looking to buy Phillies tickets, the easiest way possible, Rukkus is the most convenient choice on the web. Rukkus does all the heavy lifting by searching hundreds of ticketing websites to find the best deal specific to you. Whether your goal is to find the cheapest Phillies tickets or box seats, Rukkus will provide the best buying experience.
How to find Cheap Phillies tickets
You can find cheap Phillies tickets by using one of our simple price filters. To be the first alerted for the cheapest Phillies tickets, sign up for price alerts on the Rukkus App or personalized email list.
Where are my seats at Citizens Bank Park
Using Rukkus’ user friendly and interactive maps feature, you can easily see where in Citizens Bank Park your purchased seats are. Whether you are sitting behind home plate, next to third base, or in the outfield bleachers, Rukkus’ dynamic map of Citizens Bank Park allows you to see exactly where your seats will be and the view that you should expect when you arrive at the game.
What makes Citizens Bank Park special?
Each stadium in the MLB has its own particular icon that makes their venue unique. Citizens Bank Park is home to one of the MLB’s most recognizable stadium features that truly separates it from any other stadium in the league. Citizens Bank Park is home to what is known as Ashburn Alley, a homage to one of the Philadelphia Phillies’ greatest players, Richie Ashbury. Located behind the centerfield wall, it commemorates Ashburn’s defensive position with a bronze statue of Ashburn, a U.S. flag, flags commemorating the Commonwealth of Pennsylvania, as well as all of the Phillies’ championship flags
How do I buy the best away tickets for Phillies?
If you are looking to buy away tickets for Phillies, Rukkus has you covered with the best tickets even if the game is not being played at Citizens Bank Park. No matter the venue, Rukkus has access to tickets from across the web in order to find you the best deals. Regardless of whether the game is home or away, rest assured that we always guarantee every ticket sold.
When do Philadelphia Phillies tickets go on sale?
The best way to find out when Philles tickets go on sale is to go directly to the Phillies page and look over their event schedule. All of their tickets that are for sale will be listed by the date of the game. The Philadelphia Phillies play every day of the week, so finding cheap tickets for sale at Citizens Bank Park during the week or even for games on weekends is very easy through the Rukkus app.
Does Rukkus have Philadelphia Phillies tickets for sale?
Since Rukkus is able to search hundreds of sites for Philadelphia Phillies tickets, we are always able to provide cheap tickets for Phillies fans. If you are looking for the game tonight or today, feel free to search our site for the best seats at Citizens Bank Park. Last minute sales can also be a great way to attend a game, that is happening tonight, at a discount.
Philadelphia Phillies Details
2016 Phillies Outlook
The Philadelphia Phillies ended the 2015 season with the worst record in the MLB. In 2016, the Phillies hope to turn things around. The Phillies have a lot of young talent on the roster but also have key veteran players like Ryan Howard and Carlos Ruiz. 2016 may be a taking off point for a great Phillies team in the future.
Philadelphia Phillies Ticket Information
The Philadelphia Phillies put on a spectacular display of speed and skill at Citizens Bank Park. The Phillies captivate their home crowd by running circles around the competition and crushing homeruns en route to another victory. Fans at “The Bank” in downtown Philadelphia are treated to excellent baseball and a fan-friendly environment. Grab your tickets and join the festivities!
The “Phils” have established themselves as one of the premier sports teams in all of Pennsylvania. Fans flock from all over the country to see this exciting team in action on the diamond. With their speed, power and smarts, the Phillies can handle the best competition the MLB has to offer. Come join the thousands of passionate fans as the Phillies try to bring the World Series back to Philadelphia. Buy your tickets now!
Citizens Bank Park has proven to be one of the best stadiums to catch a live baseball game. The facility hosts top-notch accommodations, and there are always plenty of activities in the surrounding area. Whether it’s visiting historic Philadelphia or grabbing a pregame drink at the local bars, the South Philadelphia Sports Complex always provides a fun environment. Be a part of the festivities and get your Phillies tickets right away!
Whether it’s the first-rate baseball or the fun atmosphere, you will be sure to create lifelong memories at a Philadelphia Phillies game. Fans of all ages stay entertained all game long as the Phillies continue their tradition of winning baseball. Get yourself some red, white, and blue Phillies gear and head down to the ball park for a fantastic live event. Pick up your Phillies tickets today!
The Phanatical Guide: A Brief History of the Philadelphia Phillies
The Philadelphia Phillies, with a history dating back to the 1880s, lay claim to one of the most passionate fan bases in all of Major League Baseball. From their humble roots in the early days of organized baseball to the prosperity of the 2000s, the Phils and their fans have ridden an emotional rollercoaster and stamped their mark as one of MLB’s most historic teams.
Founded in 1883 and known interchangeably as the ‘Quakers’ or ‘Philadelphias’ prior to their official adopting of the Phillies name in 1890, the team struggled through much of their early existence and did not win their first National League pennant until 1915. Led by the strong pitching of Grover Cleveland Alexander, the team marched to their first World Series appearance, falling to the Boston Red Sox 4 games to 1. Their newfound success was short-lived however, and they posted only 3 winning seasons over the course of the following 33 years.
Ownership changes in 1943 signaled a turning point for the Phils, and attendance began to spike as the team became more competitive in the latter part of the decade. A conscious effort to improve player development led to the birth of the ‘Whiz Kids’, a scrappy group of homegrown talent that would draw over 1.2 million fans to their home field at Shibe Park. A thrilling, pennant-clinching win on the seasons’ last day propelled the Phillies to the 1950 World Series. Although falling to the New York Yankees in a four-game sweep, the Whiz Kids were a hit and restored interest in the club.
The magic of the Whiz Kids would unfortunately not last and it would be awhile before the playoffs returned to Philadelphia. The following 25 years saw a mix of competitive teams that finished around .500 or better and some cellar-dwelling teams that could not get out of their own way. The 1961 season was particularly dreadful and saw a stretch in which the Phils would lose 23 games in a row.
From the ashes of futility sprang a competitive team, and the Phillies and their fans went on a run of 6 consecutive seasons above .500. This stretch was highlighted by the 1964 team featuring NL Rookie of the Year Richie Allen and Hall-of-Famer Jim Bunning. The team posted a record of 92-70 and finished 2nd in their division, but is forever remembered for what is referred to as the ‘Phold of ‘64’. Entering the final weeks of the season, the Phillies had a 6 ½ game lead and appeared poised to capture the pennant. An epic collapse ensued, including a ten game losing streak in the final 12 games, causing the Phils to lose the pennant by one game to the St. Louis Cardinals.
A run of competitive teams was followed by a downward swoon, and the Phillies returned to the bottom of the division in the late ‘60s and early ‘70s. 1971 saw the team move into Veterans Stadium, an architectural marvel of the times that would remain their home until 2004. A turnaround finally began in the mid-1970s, and the Phillies and their fans would ride on the backs of fan favorites Steve Carlton, Mike Schmidt, Greg Luzinski and Larry Bowa.
Beginning in 1976, the Phils went on a run of 3 consecutive NL East titles – a streak of success unheard of in previous franchise history. The fans were euphoric and filled the Vet with upwards of 2.4 million fans each year from 1976 through 1980. All three seasons would end in defeat as the team fell in the NLCS, losing to the Cincinnati Reds in 1976 and the Los Angeles Dodgers in both 1977 and 1978. The passion and excitement surrounding the team was at an all-time high, and a key 1979 free agent signing helped push it to a fever pitch.
Pete Rose signed with the Phillies to a then record four-year $3.2 million contract, and the move helped spur the club to continue pursuing greatness. A failure to make the postseason in 1979 was followed by one of the most memorable seasons in franchise history in 1980. After taking down the division again, the Phillies would go on to defeat the Houston Astros in the NLCS before disposing of the Kansas City Royals in six games to win the first World Series Championship in franchise history. 1980 NL MVP Mike Schmidt had a season for the ages, with his stellar play and clutch hitting earning him World Series MVP as well.
The early ‘80s would see two more trips to the postseason. After bowing to the Montreal Expos in the 1981 postseason, a return to the World Series was booked in 1983 and the Phils fell to the Baltimore Orioles 4 games to 1. The powerhouse team of the late ‘70s and early ‘80s would begin to break-up and have their stars age, and the Phillies endured another postseason drought. Over the course of the next 23 seasons, the club would only sniff October air once – their surprising run to the 1993 World Series where they fell to the Toronto Blue Jays, 4 games to 2.
Years of mediocrity followed, but a core group of homegrown talent would rejuvenate the team and spur them to an outstanding run beginning in 2007. The club made the postseason for five consecutive seasons, and featured an array of All-star talent including Ryan Howard, Jimmy Rollins, Chase Utley and a vaunted pitching staff. The 2008 club would go on to defeat the Tampa Bay Rays, 4 games to 1, to capture their second World Series Championship.
The Phillies moved to Citizens Bank Park to open the 2004 campaign and the ballpark has been lauded for its pleasing aesthetics, wealth of amenities and for capturing the essence of a great MLB ballpark experience. The Phils drew 3 million plus fans each year from 2007 through 2013, and the 2015 squad features an interesting mix of veterans and future stars. Citizens Bank Park promises to continue providing an awesome experience as the club continues their journey to build the next powerhouse club in franchise history.
Todays Philadelphia Phillies Tickets
Rukkus has tickets for the Philadelphia Phillies tonight starting as low as $12. If you can't make it today, we also have tickets for the Philadelphia Phillies tomorrow at $6. Cheap tickets for the Philadelphia Phillies this Friday sell for $12. Cheap tickets for the Philadelphia Phillies on Saturday start at $13. Buy cheap Sunday tickets for the Philadelphia Phillies at any time before they are sold out. You will always find cheap the Philadelphia Phillies tickets everyday, up until the last minute before the the Philadelphia Phillies game.
Philadelphia Phillies Ticket Prices
Average:
Low: $2.00
High: $60.00
Cheap Philadelphia Phillies Tickets
The events below have been the cheapest of the season. We've listed the starting (lowest) price for any ticket to the event. |
Fern Factor of my time Then during 1990 we had a gold mining operation come and start bulldozing large tracts of land in our area to start open cast mining I was initially devastated by this and then started thinking what can we do So we got our spades and started digging out all of the ferns before the bulldozer got to them Our fern business was born We built a shadehouse with a small greenhouse attached The grand size of 8m by 3m The ferns were potted on But we needed to check out the market so to Christchurch we travelled It was here that I noticed a small niche in the market that was not being filled Later that year Paul found a much larger shadehouse 56m by 11m in a small valley just out of Christchurch We leased this for a days gardening a week and slowly but surely developed our operation It was here in a skyline garage that I started to work on the process of spore propogation realising that I couldn t rely on wilding taken straight from the bush plants In March 1997 we bought our existing site a 15 acre paddock It is here |
Tiny Bitz - Sleeping Bag 3-12M - Spot the Dots
Bubs can kick around freely and comfortably in their sleep while keeping warm in this super soft double layered cotton sleeping bag. Features a convenient 2 way zipper on the side that allows for breathing and nappy access, there's even an extra press stud around the underarm to make sure baby is all tucked up during bedtime. Best for sleeping in 21-25C (70F-76F) room temperatures.
About the brand
Tiny Bitz, the perfect gift-solution, makes gift-giving a cinch for the busy urbanites by offering a splashing range of in-house designed items, all rolled and wrapped up for the wee ones! Select from our range of gift sets or simply take a bitz home as you browse through our shop. From the custom-weaved super comfy soft cotton, to our Tiny Dots signature print and the loveable packaging, Tiny Bitz is a children’s lifestyle brand that’s sprinkled with love and laughter. |
Q:
What's the best way to do streaming in your free algebra?
I've been experimenting with creating an HTTP client using Free monads, similar to the approach taken in the talk given by Rúnar Bjarnason, Composable application architecture with reasonably priced monads.
What I have so far is can be seen in this snippet, https://bitbucket.org/snippets/atlassian-marketplace/EEk4X.
It works ok, but I'm not entirely satisfied. The biggest pain point is caused by the need to parameterize HttpOps over the algebra it will be embedded in in order to allow streaming of the request and response bodies. This makes it impossible build your algebra by simply saying
type App[A] = Coproduct[InteractOps, HttpcOps[App, ?], A]
If you try, you get an illegal cyclic reference error from the compiler. To solve this, you can use a case class
type App0[A] = Coproduct[InteractOps, HttpcOps[App, ?], A]
case class App[A](app0: App0[A])
This solves the cyclic reference problem, but introduces a new issue. We no longer have Inject[InteractOps, App] instances readily available, which means we no longer have the Interact[App] and Httpc[HttpcOps[App, ?]] instances, so we have to manually define them for our algebra. For a small and simple algebra like this one, that isn't too onerous, but for something bigger it can turn into a lot of boilerplate.
Is there another approach that would allow us to include streaming and compose algebras in a more convenient manner?
A:
I'm not sure I understand why App needs to refer to itself. What is e.g. the expected meaning of this:
App(inj(Send(
Request(GET, uri, v, hs,
StreamT(App(inj(Send(
Request(GET, uri, v, hs,
StreamT(App(inj(Tell("foo")))))))))))))
That is, an EntityBody can for some reason be generated by a stream of HTTP requests nested arbitrarily deep. This seems like strictly more power than you need.
Here's a simple example of using a stream in a free monad:
case class Ask[A](k: String => A)
case class Req[F[_],A](k: Process[Ask, String] => A)
type AppF[A] = Coproduct[Ask, Req[Ask,?], A]
type App[A] = Free[AppF, A]
Here, each Req gives you a stream (scalaz.stream.Process) of Strings. The strings are generated by asking something for the next string (e.g. by reading from standard input or an HTTP server or whatever). But note that the suspension functor of the stream isn't App, since we don't want to give a Req the opportunity to generate other Reqs.
|
BILL E. KUNKLE INTERDISCIPLINARY BEEF SYMPOSIUM: A meta-analysis of research efforts aimed at reducing the impact of fescue toxicosis on cattle weight gain and feed intake.
The objective of this paper is to present a systematic review and meta-analysis of research efforts aimed at recovering cattle production losses attributed to toxic endophyte-infected [ (Morgan-Jones & Gams.) Glenn, Bacon, & Hanlin comb. Nov.] tall fescue [ (Schreb.) Darbysh.]. The strategies presented include those 1) applied with forage systems, 2) based on pharmacological compounds and functional foods, and 3) based on supplemental dietary nutrients. Cattle BW gain and DM intake was the dependent response evaluated. Among the forage systems reviewed, studies with nontoxic, endophyte-infected tall fescue as a total replacement forage system demonstrated the greatest improvement in per-hectare (152 ± 27.5 kg/ha) and per-animal (0.29 ± 0.03 kg/d) BW gain. Studies with interseeded legumes have exhibited a small and highly variable BW gain effect size per hectare (52 ± 24.1 kg/ha) and per animal (0.11 ± 0.03 kg/d). The legume response was seasonal, with summer exhibiting the greatest benefit. Studies with chemicals that suppress plant growth demonstrated BW gain responses (0.17 ± 0.06 kg/d) equal to or greater than the response observed with legume studies. Cattle grazing toxic tall fescue responded well to anthelmentics, antimicrobial feed additives, and steroid implants, and the use of these technologies may additively help recover production losses. As a group, functional foods have not improved BW gain ( = 0.85). Studies with cattle supplemented with highly digestible fiber supplements observed a 0.15 kg greater BW gain compared with studies using starch- and sugar-based supplements ( < 0.05). Weight gain was positively impacted by the level of supplementation (0.06 kg/DM intake as percent BW). Supplement feed conversion was estimated at 6:1 for the highly digestible fiber supplements compared with 11:1 for starch-based supplements. Tall fescue forage DM intake was predicted to maximize at a supplemental feeding rate of 0.24% BW with a breakpoint at 0.5% BW, and total maximum DM intake (forage plus supplement) occurred at 2.7% BW when supplemental feeding approached 0.9% BW. Results from this meta-analysis should be useful for 1) establishing and comparing measured responses to theoretical improvements in BW gain when additive strategies are considered, 2) research planning, and 3) producer education. |
3 convicted in ID theft ring targeting Taco Bell, gym patrons
Three people from Colorado Springs have been convicted in a string of 49 financial crimes along the Front Range.
In a credit card and identity theft scam going back several months, the group used an electronic device known as a credit card skimmer to steal credit card numbers from patrons of a...
Three people from Colorado Springs have been convicted in a string of 49 financial crimes along the Front Range.
In a credit card and identity theft scam going back several months, the group used an electronic device known as a credit card skimmer to steal credit card numbers from patrons of a local Taco Bell and members of gyms in Woodland Park, Broomfield, Lakewood, Canon City and Pueblo.
Mark Nielson, 32, was convicted of racketeering and identity theft and sentenced to 10 years in prison, police said today. Corey Skinner, 24, was convicted of identity theft and also received a 10-year sentence, police said.
Amanda Stillwell, 23, was convicted of racketeering and is awaiting a sentencing hearing at the end of the month, according to court documents.
In Stillwell’s arrest affidavit, police said Nielson and Stillwell used a computer in Stillwell’s apartment to load credit card numbers stolen from Taco Bell patrons and gym members onto old credit cards, which were then used at Wal-Mart, K-Mart, Toys-R-Us and other retailers.
Police said all three “skimmed” credit card numbers from cards stolen out of locked and unlocked gym lockers. |
Taiwan pushes IT sector to target user experience
Ralph Jennings |
March 30, 2011
Taiwan's government plans to boost research into cloud computing and user interface technology
TAIPEI, 30 MARCH 2011 - Officials in Taiwan said on Wednesday they would work with the island's hardware-intensive IT sector over the next three years to design new ways for users to interact with PCs, e-readers and digital television.
The government-funded Industrial Technology Research Institute told a developer conference it would spend about T$3.5 billion (US$119 million) on 10 projects that would lead to eventual product development.
The projects, financed in part by the economics ministry, will encourage developers to work with outside partners such as Internet service providers or libraries to come up with systems linking hardware, software and information storage, leaders from the institute said.
By the project's end in 2014, users should have new ways to enlarge the type on their e-readers, which could promote reading among the elderly, or to download books from public libraries, an advantage to students.
Schools will be able to get more programs via digital TV, while devices in people's homes would be better equipped for remote sensing.
The institute hopes its projects will ultimately reach 5 million people.
Taiwanese consumers will be the pilot user group, but successful project results could extend offshore -- especially to China because it shares a language with Taiwan, making it easy for users to understand applications. Taiwanese developers are keen to capture a share of the massive market.
Three developers on each of the 10 projects will work on user interface systems, advances in cloud computing and software for applications, areas where the government says Taiwan lags other countries.
"Members of the industry in Taiwan are also looking at this process, because they could use the support," said Chi Chao-yin, deputy director of the Institute's electronics division. |
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:orientation="vertical"
android:layout_width="match_parent"
android:layout_height="match_parent">
<VideoView
android:id="@+id/vv_video"
android:layout_width="match_parent"
android:layout_height="match_parent"/>
</LinearLayout> |
A silver halide color photographic material, based on the principle of forming the three primary colors by a subtractive color process, is generally composed of a blue-sensitive silver halide emulsion layer containing a coupler which reacts to form a yellow dye by undergoing a coupling reaction with the oxidation product of an aromatic primary amine developing agent, a green-sensitive silver halide emulsion layer containing a coupler similarly forming a magenta dye, and a red-sensitive silver halide emulsion layer containing a coupler similarly forming a cyan dye, and further comprises light-insensitive layers such as an interlayer for preventing the occurrence of color mixing between the emulsion layers, a protective layer for preventing the emulsion layer from direct contact with foreign matter, etc.
These silver halide emulsion layers and light-in-sensitive layers may also contain a color mixing preventing agent, a fading preventing agent, an ultraviolet absorbent, etc., according to their known purposes. These additives are, for the most part, hydrphobic substances and hence they are each dissolved in a high-boiling organic solvent and then added to a silver haldide emulsion or a hydrophilic colloid solution as an emulsified dispersion of the organic solvent solution thereof.
In general, a standard or conventional processing method for silver halide color photographic materials of this nature comprises (1) a color development step for forming color images, (2) a desilvering step for removing developed silver and undeveloped silver, followed by (3) a washing and/or image stabilization step.
Hitherto, it has been desirable to shorten the overall processing time for such color photographic materials, but especially recently, the necessity for shortening the processing time has further been increased, with a view toward shortening the time for delivery, reducing the laboratory work, and desizing and simplifying the processing system for small-scale laboratories (called mini-labs).
Heretofore, various kinds of developing agent pentrants have been investigated for increasing coloring properties while reducing the processing time necessary for color development of silver halide color photographic materials using oil protect-type couplers. In particular, a method of adding benzyl alcohol to a color developer has been widely used for processing color photographic papers, color reversal papers, and color positive films for display.
However, since benzyl alcohol is only slightly soluble in water, solvents such as diethylene glycol, triethylene glycol, alkanolamine, etc., are required to be added to the developer solution to increase the solubility of benzyl alcohol. These solvents, and also benzyl alcohol, however, show high BOD (biological oxygen demand) and COD (chemical oxygen demand) and thus are considered pollutants in terms of disposing of used developers. Thus, it is preferred to avoid the use of these compounds from the viewpoint of protecting the environment from pollution.
Furthermore, when using benzyl alcohol, it takes a long period of time to dissolve benzyl alcohol even when one of the above-described solvents is used; hence, avoiding the use of benzyl alcohol altogether will aid in reducing the time required to prepare the developer solution.
Still further, if benzyl alcohol is present in the color developer, some of the developing agent is liable to remain in the photographic materials after processing, which results in a reduction of the image stability over time, and particularly undesirably increases the amounts of color image fading and color stains in the background portions under light exposure. In particular, in the above-described processing method, where the step (particularly, washing step) subsequent to the development step is shortened, the developing agent is even more likely to remain in the photographic materials processed and hence the above-described problems due to an excess of leftover developing agent in the materials become more serious.
Also, when the photographic material has a reflective support, such as a color photographic paper, such stains are visually amplified as compared with a photographic material having a transparent support, which is also highly undesirable.
It is known to form a layer containing one or more ultraviolet absorbents in a photographic material for improving the storage stability of images under light exposure, but the effects as to improving stability by incorporating ultraviolet absorbents is insufficient from a practical standpoint in processing system using benzyl alcohol in the developer.
Thus, to eliminate the various problems described above, it has been desired to avoid the use of benzyl alcohol altogether and to shorten the overall processing time. However, this goal has not yet been achieved for multilayer color photographic materials having silver halide emulsion layers containing color-forming couplers together with interlayers and one or more protective layers since in such materials, the color density of the resulting formed images is reduced. |
Q:
Bash script "concatenate" multi-lined variables
In a bash script I have three variables that contain multiple lines of equal length.
For example:
$a
one
two
three
$b
dog
cow
fish
$c
blue
red
green
In what way could I echo the output to a similar format:
onedogblue
twocowred
threefishgreen
I tried a for loop of looping through each variable and echoing each line, but was not getting the desired result. Any advice?
EDITING FOR MORE ACCURACY
So my script will be run with a text file as an argument (./script.sh textfile) I have three variables with similar content to this variable:
#!/bin/sh
x=`awk 'NR>1{print $1}' $1 | tr '[:upper:]' '[:lower:]'`
I am manipulating the same text file from the command argument to get different parts of the file. Ultimately want to "paste" them together in this format "$x" : "$y""$z. I know there are probably more sensible ways to process the text file into the format desired, but I would like to find if there is such a way to format it in the way listed above.
A:
paste is your friend:
$ paste -d' ' <(echo "$a") <(echo "$b") <(echo "$c")
one dog blue
two cow red
three fish green
Noting that $a is got through a=$(cat a), with the file a containing the lines your provided. The same applies to $b and $c. Also, it is important to see that I am doing echo "$a", with quotes around the variable, so that the format is kept. Otherwise, the new lines wouldn't appear.
paste does not allow -d'' (that is, empty delimiter), so if you want to remove the spaces you can pipe to for example tr:
$ paste -d' ' <(echo "$a") <(echo "$b") <(echo "$c") | tr -d ' '
onedogblue
twocowred
threefishgreen
|
District faces historic school vote
This recent aerial photo shows the current location of Moose Lake Community Schools. Should the bond issue pass, the new school will be built on land already owned by the district along County Road 10.
With four failed referendums in the last decade, the most recent in the spring of 2013, Moose Lake School District voters being asked to foot the bill for a new school building is a familiar question on the ballot. This November 4, district voters will once again be faced with this decision.
However, in a historic move, the state of Minnesota has put into law a Triple Levy equalization bill that will effectively cut the cost of the building project by about 60 percent - providing $20.3 million of the $34.7 million project to build a new preK-12 school facility and bus garage on land already owned by the district.
How did Moose Lake Community Schools get what has been referred to as a "gift" from the state?
After the school was damaged by the June 2012 flood that devastated much of the region, the school district lobbied the Legislature for two years, "pleading our case that the taxation of the Moose Lake citizens was unfair and that the added burden of going through a flood created a situation where it was unlikely that we would be able to pass a bond for a new school," said Moose Lake Community Schools Superintendent Robert Indihar.
State Sen. Tony Lourey, DFL-District 11, describes the Triple Levy equalization bill as "a proposed solution for schools in a situation like Moose Lake, where the school is in a low property-wealth district, has aging facilities that are struggling to keep up with the demands of teaching today's kids, and a natural disaster strikes, such as the 2012 NE Minnesota flood."
According to Sen. Lourey, traditional disaster aid will not help build a new structure and "trying to cobble the old one back together often doesn't make much sense."
Moose Lake's high school was built in 1935 with the elementary added in 1988.
"We in the legislature recognized the need for a statewide solution for instances when these factors collide, making proper facilities out of reach for a community," said Sen. Lourey.
Though the bill has become law, there have been questions raised as to the state's obligation to fullfill its promise of funding to Moose Lake School District.
"I have heard the allegations that there is a risk the state will not fulfill this commitment," said Sen. Lourey. "I have reviewed the law, spoken with Senate Counsel and also with Minnesota Management and Budget, the agency responsible for carrying out this law.
"If Moose Lake passes this referendum and fulfills the rest of the local obligations by entering into the contracts with the state and with a builder, the full faith and credit of the State of Minnesota will back this obligation. That is something we've never defaulted on," said Sen. Lourey.
Although 60 percent of the cost would be covered by the state, questions have been raised as to why the question on the ballot does not reflect this contribution.
According to Supt. Indihar, "By law we need to put the total price of the bond (on the ballot question), which is 34.7 million dollars. It will not include the state's contribution."
"Residents can rest assured: Minnesota will abide by the law and fulfill this obligation," said Sen. Lourey.
Should the referendum pass, taxpayers can expect to see an increase in their property taxes beginning with taxes payable in 2015.
According to Greg Crow of Ehlers and Associates, Inc., the school's financial adviser, the state funding begins with taxes payable in 2016.
"The debt is structured so that the debt service payment for taxes payable in 2015 is the same as the debt service payment for taxes payable in 2016 WITH the state contribution," said Crowe.
In other words, though the state portion will not kick in until taxes payable in 2016, the "payments" taxpayers will make to pay for the school are laid out in such a way that taxes payable in 2015 will see the same increase as if the state had kicked in that year. "The first payment is much lower, so that the tax impact is the same as the future payments with state aid included," said Crowe.
District property owners can calculate their tax impact at a property tax information site at http://www.ehlers-inc.com/custom/taxinformation/MooseLake/. The site suggests having your Notice of Valuation and Classification, which was mailed by the county in which the property is located in March 2014, on hand to calculate tax impact.
For example, for a residential homestead property valued at $100,000, taxes would increase by $191 per year if the proposal passes. For a home valued at $150,000, taxes would go up $337 annually. For a commercial property valued at $100,000, taxes would go up $400 per year. For seasonal recreational property valued at $100,000, taxpayers would see an increase of $267 per year.
Why build new?
The state's contribution of the $34.7 million project is $20.3 million, leaving taxpayers with the remainder of the bill, or $14.4 millon. "We had estimated that the upgrade of our building would be around $14.5 million. The new building with the state's contribution would be at a similar price to our citizens," said Supt. Indihar.
"We are to the point where the big infrastructure issues need to be taken care of. The roofs, tuck pointing, plumbing, electrical, and the HVAC system need upgrades. This is millions of dollars that we would need to put into our current building if we were to stay," said Supt. Indihar.
Supt. Indihar sites increased building efficiency, improved safety and security, better handicapped accessibility, the removal of the threat of another flood and cost savings as reasons to build new. "We are purposefully building a one-story building to avoid handicapped accessibility issues like we currently have in our building," said Supt. Indihar.
Though the school was flooded in 2012, the school buildings are located in an area the most recent FEMA maps refer to as "Zone C," or areas of minimal flooding, said Moose Lake City Administrator Pat Oman.
According to Supt. Indihar, "The Minnesota Department of Education stated they would not allow us to renovate on our current site knowing that we had 165 acres of land that we owned on high ground. They felt the point of the legislation was Natural Disaster relief and that it would make more sense to build on our property that was off the flood prone zone."
The proposed new school plans include a preK-12 facility and bus garage located on the school's County Road 10 property as well as costs for demolishing the old building if the school district is unable to sell it, furnishings for the new building and land upgrades, such as parking lots and sidewalks.
The proposed new school has also raised concerns regarding continuing the sports cooperative between Moose Lake and Willow River schools.
Staff
Some local farmers take to the streets of Moose Lake last week showing they will vote "NO" in the school's bond referendum for a new building.
According to Moose Lake School Board Chairwoman Kris Lyons, the board has not discussed dissolving the cooperative, "The sports liaison between Moose Lake and Willow River met last June to review the spring sports and any other concerns as has been done in the past. At that meeting, we agreed we would meet after the fall sports this season. This will happen in December. There has been no discussion on our part about this topic with our board."
The Moose Lake Community Schools bond issue will be presented to voters on General Election Day, Tuesday, November 4. Any eligible voter residing in the school district may vote at the polling place designated for the precinct in which they reside.
"It is up to Moose Lake School District voters to decide whether the proposed new facility is the right one for them, but I am very proud that I was able to help the legislature be a meaningful fiscal partner, putting the cost of the proposal within reach of our community," concluded Sen. Lourey.
Reader Comments
(1)
noxidrw writes:
This seems to be our best chance at addressing our school infrastructure issues, I voted no before, but how can I say no to this, if we fail this go around we will pay about the same anyway later, might as well take advantage of the offerings of the state and do it. Vote yes, it's OK. |
Q:
Is the circle-script used in Rokka no Yuusha decipherable?
In Rokka no Yuusha, we see a number of instances of a fictional script consisting of glyphs inside circles. For example, from the introductory narration:
These are probably too low-resolution to be readable. However, in episode 3, we get a suitably-high-resolution shot of Adlet's letter to the princess:
Fictional scripts in anime are often ciphers (a la Space Dandy, Suisei no Gargantia, etc.). Is this one also a cipher of some sort?
A:
Multiple presumably-independent decipherments have been conducted by denizens of the internet (>>128296467 on /a/, >>128297371 on /a/, and /u/justinlam3 on /r/anime), all of which arrived at the same conclusion: the circle-script is a simple substitution cipher for the Latin script, and the underlying plaintext happens to be coherent English.
Adlet's letter reads:
TO NACHETANYA
I MET OUR
COLLEAGUE FROM
THE SIX FLOWER
IM GOING AFTER
HER SO YOU
JUST GO AHEAD
FOR YOUR
[...]
And indeed, this is essentially what Nachetanya says when she reads the letter out loud (in what sounds to us like Japanese).
The cipher appears to lack a majuscule/minuscule distinction, and also appears to lack punctuation. Adlet's letter didn't have enough text to allow us to identify the circle-script equivalents of all 26 English letters, but >>/a/128297371 did construct a partial substitution table based on Adlet's letter:
Luckily, we get more ciphertext to work with in episode 12:
The text on the tablet with the instructions for activating the temple became marginally readable after I spent over 9000 hours in Photoshop GIMP enhancing it: link (you might like to try running it through waifu2x for increased readability). It reads as follows:
TO ACTIVATE AGAIN THE
BORDER BETWEEN INNER
AND OUTER CLOSED AREAS
AS FUNCTION OF
SANCTUARY REPEAT THE
SAME OPERATIONAL
PROCEDURE AFTER REMOVING
THE TREASURED SWORD AND THE
BROKEN LITHOGRAPH THAT IS
GRASP THE TREASURED SWORD
AND LET THE BLOOD
PASS THROUGH IT AND DESTROY
INTONING FIXED WORDS
This accords what Hans tells the rest of the group.
Using this information, we can decipher a few more letters.
Alas, there is no information available to us beyond Adlet's letter from episode 3 and the ciphertext from episode 12. While there are other ciphertexts large enough to be readable (mostly close-up shots of the map of the continent, which has labels on it), none of them give us any letters that we don't already have from these two sources, meaning that we will never know what the circle-script equivalents of "Q" and "Z" are. And that, my friends, is the real mystery of Rokka no Yuusha.
|
<!--
**GitHub should mainly be used for bug reports and code developments/discussions. For generic questions, please use either the [[obspy-users] mailing list](http://lists.swapbytes.de/mailman/listinfo/obspy-users) (for scientific questions to the general ObsPy community) or our [gitter chat](https://gitter.im/obspy/obspy) (for technical questions and direct contact to the developers).**
Before submitting an Issue, please review the [Issue Guidelines](https://github.com/obspy/obspy/blob/master/CONTRIBUTING.md#submitting-an-issue).
-->
* Please check whether the bug was already reported or fixed.
* Please provide the following information:
- ObsPy version, Python version and Platform (Windows, OSX, Linux ...)
- How did you install ObsPy and Python (pip, anaconda, from source ...)
- If possible please supply a [short, self contained, correct example](http://sscce.org/) that
demonstrates the issue.
- If this is a regression (used to work in an earlier version of ObsPy),
please note when it used to work.
* Please take the time to [format your ticket appropriately](https://guides.github.com/features/mastering-markdown/)
(e.g. put error tracebacks into code blocks)
|
106 Ill. App.3d 93 (1982)
435 N.E.2d 761
AMERICAN WELDING SUPPLY CO., Plaintiff-Appellant,
v.
THE DEPARTMENT OF REVENUE, Defendant-Appellee.
No. 81-200.
Illinois Appellate Court Fifth District.
Opinion filed April 16, 1982.
*94 Robert E. Shaw, of Musick & Mitchell, P.C., of Mt. Vernon, for appellant.
Tyrone C. Fahner, Attorney General, of Chicago (Karen Konieczny, Assistant Attorney General, of counsel), for appellee.
Affirmed in part and reversed in part.
*95 JUSTICE JONES delivered the opinion of the court:
This is an appeal from a judgment of the circuit court of Jefferson County affirming an assessment of tax liability made by the Illinois Department of Revenue (Department) against American Welding Supply Company (American Welding) pursuant to the Retailers' Occupation Tax Act (Ill. Rev. Stat. 1979, ch. 120, par. 440 et seq.). On appeal American Welding contends that it was deprived of due process when the Department rendered its final tax assessment without participation by the officer who presided at the administrative hearing. Additionally, American Welding challenges certain rulings made by the Department in disallowing deductions taken by the taxpayer. We affirm in part and reverse in part.
American Welding is in the business of selling welding equipment and supplies as well as welding gases and medical grade oxygen. On November 29, 1973, the Department issued a notice of tax liability against American Welding which totalled $6,091.52 for the period of July 1, 1970, through June 30, 1973. American Welding filed a notice of protest, and on January 21, 1974, an administrative hearing was held before hearing officer Lawrence J. Starman.
At the hearing the Department's revenue auditor testified for the Department as to the manner in which plaintiff's tax liability was determined. He stated that during the course of the audit he examined sales invoices, summary sheets, journal sheets and copies of both plaintiff's Federal income tax returns and retailer's occupation tax returns. He did not examine monthly statements or accounts receivable ledgers. The total sales as reflected in the sales invoices were compared with the taxpayer's sales summary sheets. If an item was returned and a credit memo given, he did not include that cancelled invoice in the list of taxable ones.
Deductions taken by the taxpayer were disallowed in three principal areas: delivery charges on gas sales, certain sales for resale, and certain sales for use in installation of pollution control equipment. The auditor stated that the only justification he found for the delivery charge deductions was a letter of the taxpayer to its customers stating that after a certain date 5% of the gas price would be considered a delivery charge. The auditor found this to be insufficient to qualify under the Department's rule that delivery charges must be separately contracted for in order to be deductible, and he accordingly disallowed the taxpayer's deduction of 5% of the gas sales as a delivery charge.
The auditor also disallowed deductions taken by the taxpayer on certain sales for resale despite the fact that the taxpayer had obtained certificates of resale from its customers on these sales. The auditor stated that he did not accept the certificates when the items sold were delivered *96 to a contract job site or when it was unlikely that the items would be resold due to the nature of the purchaser's business or the nature of the items sold. One of the certificates, made by the Roberts & Schaefer Company, was disregarded because of an invalid registration number.
The auditor similarly disallowed a deduction taken for items sold for construction of a pollution control plant although the purchaser had furnished the taxpayer with a letter certifying that the plant was exempt from tax as a "pollution control facility." The basis for the auditor's decision was that items such as those in question welding gas, goggles, gloves, welding helmets, lenses and their repair parts, and hand cleaner "do not become a part of the pollution control equipment" so as to be deductible under Department rules. The auditor said that he had not seen the plant in question and did not know what parts may have been put in it but that it was the taxpayer's burden under the applicable Department rule to prove that the goods were installed in the plant.
Following the presentation of the Department's evidence, Joe Lawrence, president of American Welding, was called as a witness for the taxpayer. He testified that American Welding's sales tax returns were prepared from monthly statements sent to customers rather than from sales tickets or invoices. Lawrence identified the pollution control certificate and the various resale certificates that had been introduced into evidence and stated that he had relied upon them in making the sales in question. He had been informed by representatives of each of the purchasers who provided resale certificates that they do resell merchandise. Lawrence stated that when a certificate of resale is offered, he accepts the certificate for what it says and does not investigate further.
A hearing disposition was filed on June 21, 1976, finding tax due in the amount of $5,571.56, including interest and penalties. This figure reflected an adjustment made to correct the auditor's error of disallowing the 5% gas sales deduction twice once as a delivery charge and again when claimed resales of gas were disallowed. The author of the hearing disposition, Willard Ice, stated that hearing officer Starman was no longer with the Department and had turned in the case file without preparing a written hearing recommendation, thereby making it necessary for Ice to write the recommendation from a review of the record. Due to the hearing officer's delay in submitting the file to the Department, Ice recommended that interest on the amount due be waived for the interval between the hearing date and the disposition.
In his disposition Ice approved the auditor's disallowance of deductions for 5% of the gas sales, finding that the taxpayer failed to prove the existence of a separate contract for delivery charges. He also agreed that the certificates for resale presented to the auditor did not entitle the taxpayer to resale deductions because they were blanket certificates *97 covering all purchases by a given purchaser and the taxpayer did not show that all the purchases were for resale. Ice stated that "[e]ven if some small percentage of the sales might conceivably have been for resale, and even if this were admitted, it would still be the taxpayer's burden to show which ones were for resale," citing Belleville Shoe Manufacturing Co. v. Department of Revenue (1956), 7 Ill.2d 574, 131 N.E.2d 511. Likewise, with respect to the deductions taken for sales for utilization in pollution control equipment, Ice determined that "[w]ith the possible exception of some repair parts, the types of items [sold] would rather clearly not become a part of the pollution control facility and so would not qualify for the pollution control facility exemption." Ice stated that even if some of the repair parts might have been for the pollution control facility itself, and not, as the auditor testified, for welding equipment used in installing the facility, the taxpayer did not sustain his burden of proving this. As for the pollution control certificate obtained from the purchaser, Ice concluded that most, if not all, of the items involved could not reasonably be said to be classifiable as "pollution control facilities," and thus the taxpayer was not justified in accepting and relying upon such a certificate.
The Department issued its final assessment on July 12, 1976, for $5,571.56, and American Welding sought administrative review. The trial court affirmed the Department's disposition and entered judgment against the taxpayer in the total amount of $5,205.15. The record contains no explanation for the discrepancy between the amount of the judgment and that assessed by the Department.
On appeal from this judgment American Welding initially raises an issue regarding the sufficiency of the record on appeal. We have, of course, examined the entire record, and we deem the record before us sufficient to consider all the issues addressed by the parties on appeal. Accordingly, we find it unnecessary to consider American Welding's arguments regarding the sufficiency and content of the record.
We turn, then, to a consideration of American Welding's contention that the Department's decision, rendered without participation by the hearing officer, constituted a denial of due process. The general rules as to the requirements of due process in proceedings before an administrative agency have been set forth by our supreme court in Homefinders, Inc. v. City of Evanston (1976), 65 Ill.2d 115, 357 N.E.2d 785. The court there held that, absent a statute to the contrary, due process is satisfied when the decision-making body "considers the evidence contained in the report of proceedings before the hearing officer and bases its determinations thereon. [Citations.]" (65 Ill.2d 115, 128, 357 N.E.2d 785, 791.) Thus, the due process principle that "the one who decides must hear" does not preclude the "practicable administrative procedure" of having a hearing officer take evidence and another officer make the decision as long as the *98 officer making the decision considers the evidence which justifies it. Morgan v. United States (1936), 298 U.S. 468, 80 L.Ed. 1288, 56 S.Ct. 906.
American Welding makes no claim that the decision makers in the case at bar failed to consider the record of the proceedings before hearing officer Starman. It contends, however, that the credibility of the Department's auditor was in question at the hearing and that in such a case due process requires that the decision-making body have the benefit of the hearing officer's findings and impressions of the witness' testimony. Thus, American Welding asserts, the Department's disposition of the hearing, written from the record by Willard Ice after hearing officer Starman left the Department, was inadequate to afford the taxpayer its due process right to a full and fair hearing.
While it is generally recognized that it is better practice for an administrative tribunal which has not itself heard the evidence to base its decision on a report made by the hearing examiner (2 Am.Jur.2d Administrative Law sec. 430 (1962); Annot., 18 A.L.R.2d 606, 626-27 (1951)), Illinois courts have not specifically held this to be a due process requirement. (See Southern Illinois Asphalt Co. v. Environmental Protection Agency (1973), 15 Ill. App.3d 66, 303 N.E.2d 606, aff'd (1975), 60 Ill.2d 204, 326 N.E.2d 406.) The court in Ramos v. Local Liquor Control Com. (1978), 67 Ill. App.3d 340, 384 N.E.2d 912, while deciding the case on other grounds, acknowledged the rule set forth by the Utah Supreme Court in Crow v. Industrial Com. (1943), 104 Utah 333, 337, 140 P.2d 321, 322, to the effect that
"[w]here there is a conflict in the testimony, and the weight and credibility to be given testimony of the various witnesses is the determining factor, in order to accord a `full hearing' to which all litigants are entitled, the person who conducts the hearing, hears the testimony, and sees the witnesses while testifying, * * * must either participate in the decision, or where, at the time the decision is rendered, he has severed his connections with the board, commission or fact finding body, the record must show affirmatively that the one who finds the facts had access to the benefit of his findings, conclusions and impressions of such testimony, by either written or oral reports thereof."
Likewise, the court in Southern Illinois Asphalt discussed the need for a hearing officer's report when there are issues of credibility involved in an administrative ruling but expressly declined to rule on whether the failure to submit such findings of fact constitutes a denial of due process.
1, 2 We agree that if the evidence before a hearing officer or examiner is in such conflict that the weight and credibility to be given the testimony of various witnesses is the determining factor, due process may require that the examiner participate in the decision by submitting a report of his *99 conclusions and impressions. (See Starnawski v. License Appeal Com. (1981), 101 Ill. App.3d 1050, 428 N.E.2d 1102.) This, however, is not the situation in the case at bar. The taxpayer offered no testimony in the hearing before officer Starman challenging or conflicting with the auditor's testimony as to the manner in which he prepared the corrected returns. The issues before the Department in rendering its decision did not depend upon the witnesses' credibility at the hearing but were, rather, issues concerning the interpretation of the applicable statute and the Department's rules and regulations. In the absence of a statutory requirement to the contrary (see Ill. Rev. Stat. 1979, ch. 120, par. 447), the determination of these issues could properly be made upon a review of the record (Homefinders) where, as here, the hearing officer left the Department's employ before submitting a recommended disposition. Accordingly, we find no merit in American Welding's due process argument.
American Welding next challenges rulings made by the Department in disallowing deductions taken by it for delivery charges on gas sales, sales for resale, and sales of pollution control equipment. It asserts, preliminarily, that the Department failed to make a prima facie case against it as to the amount of tax due.
3, 4 Under section 4 of the Retailers' Occupation Tax Act (Ill. Rev. Stat. 1979, ch. 120, par. 443), a corrected return of the Department "shall be prima facie evidence of the correctness of the amount of tax due" so long as the return is corrected according to the "best judgment and information" of the Department. This requirement is satisfied and the Department's prima facie case established when evidence is presented to show that the corrected return was prepared in a "reasonable" manner. (Masini v. Department of Revenue (1978), 60 Ill. App.3d 11, 376 N.E.2d 324.) While not required to do so by statute, the Department here produced the auditor who testified that he examined the taxpayer's sales invoices, sales summary sheets and copies of the taxpayer's past returns. The auditor also gave reasons supporting his disallowance of the deductions at issue in this appeal. Although the taxpayer's president stated that he had prepared its returns by referring to monthly statements rather than sales invoices, there is no indication that the auditor's method of computing sales was less accurate, considering that he did not include invoices for which credit memos had been given. We find, therefore, that the Department properly demonstrated that its corrected returns were prepared in a reasonable manner, entitling these returns to a presumption of validity.
5 The Department having established its prima facie case, the burden was on the taxpayer to overcome this presumption of validity by producing competent evidence to show that the Department's returns were incorrect. (Masini.) In preparing the audit returns, the auditor taxed 5% of gas sales which the taxpayer had deducted as delivery charges because he *100 found that the taxpayer had failed to sustain its burden of showing that these charges were not part of the selling price of the gas. (See Ill. Rev. Stat. 1979, ch. 120, par. 446, which provides that all sales of tangible personal property are presumed to be subject to tax unless the taxpayer proves otherwise.) Under the pertinent statute, "selling price" is to be determined "without any deduction on account of the cost of the property sold, the cost of materials used, labor or service cost or any other expense whatsoever * * *." (Emphasis added.) (Ill. Rev. Stat. 1979, ch. 120, par. 440.) The Department has provided by regulation, however, that transportation and delivery charges are not included in the selling price so long as the seller and the buyer
"agree upon the * * * charges separately from the selling price of the tangible personal property which is sold[. T]hen the cost of the transportation or delivery service is not a part of the `selling price' of the tangible personal property which is sold, but instead is a service charge, separately contracted for, and need not be included in the figure upon which the seller computes his retailers' occupation tax liability." (Art. 3, par. 4a, of the Rules and Regulations of the Illinois Department of Revenue.)
At the hearing the auditor testified that there was no separate breakdown of any delivery charges on the invoices which he examined and that the only justification in the taxpayer's records for the delivery charge deduction was a "letter supposedly sent to [its customers] saying effective on a certain date 5% of the gas charge would be considered a delivery charge." Although the taxpayer, in this appeal, asserts that the auditor erred in determining that this letter did not constitute a contract, it failed to produce any evidence at the hearing to support its claim that the delivery charges were separately contracted for and therefore deductible. Neither the letter referred to by the auditor nor any of the taxpayer's invoices or statements concerning gas sales were introduced at the hearing. The taxpayer's bare assertion that the Department erred, without competent evidence to support its position, is insufficient to overcome the Department's prima facie case, as "[s]imply questioning the [Department's] return or denying its accuracy does not shift the burden to the [Department]." (Quincy Trading Post, Inc. v. Department of Revenue (1973), 12 Ill. App.3d 725, 730-31, 298 N.E.2d 789, 793.) Thus, we find no error in the Department's disallowance of the delivery charge deductions.
6 The Department also disallowed deductions for certain sales for resale, in spite of the certificates of resale furnished to the taxpayer by the purchasers. The certification procedure for sales for resale is provided for by statute. Under section 1 of the Retailers' Occupation Tax Act (Ill. Rev. Stat. 1979, ch. 120, par. 440),
"`Sale at retail' shall be construed * * * to include any transfer *101 * * * for resale in any form as tangible personal property unless made in compliance with Section 2c of this Act." (Emphasis added.)
Section 2c of the Act (Ill. Rev. Stat. 1979, ch. 120, par. 441c) provides:
"[N]o sale shall be made tax-free on the ground of being a sale for resale unless the purchaser has an active registration number or resale number from the Department and furnishes that number to the seller in connection with certifying to the seller that any sale to such purchaser is nontaxable because of being a sale for resale."
American Welding contends that, under the statute, compliance with section 2c is sufficient to entitle it to a deduction for sales for resale and that it is not required to prove also that the sales were not for use or consumption. We agree.
The Department based its disallowance of deductions for sales for resale on article 13, paragraph 2, of its rules and regulations, which it interpreted as placing the burden on the taxpayer to show that the sale was indeed for resale. This regulation states in pertinent part:
"A Certificate of Resale is a statement signed by the purchaser that the property purchased by him is purchased for purposes of resale. Provided that this statement is correct, the Department will accept Certificates of Resale as prima facie proof that sales covered thereby were made for resale." (Emphasis added.)
The auditor disallowed claimed sales for resale because they "were of a type which, when sold to the kinds of purchasers involved, would almost have to be for use and not for resale." Further, the author of the hearing disposition cited article 13, paragraph 5, of the Department's rules and regulations, which provides that
"[t]he seller should not take a blanket Certificate of Resale, covering all of his sales to such purchaser if such purchaser makes some of his purchases of tangible personal property from such seller `for use or consumption,'"
and disallowed the resale deductions because
"[a]ll Certificates of Resale which the taxpayer had from these purchasers were blanket certificates * * * and the taxpayer did not even pretend to testify that all of the purchases would be for resale."
We do not agree that the taxpayer, after obtaining certificates of resale from its purchasers, had the additional burden of proving that these sales were indeed for resale. To say that paragraph 2, article 13, of the Department's rules places such a burden on the taxpayer is contrary to the statute and to the rule itself, which provides that the resale certificate shall be prima facie proof that the sales covered by the certificate were made for resale. (Rock Island Tobacco & Specialty Co. v. Department of Revenue *102 (1980), 87 Ill. App.3d 476, 409 N.E.2d 136.) The court in Rock Island Tobacco & Specialty Co., in dealing with a similar situation, stated:
"To permit an auditor to disallow the certificates without any evidence at all that the merchandise was not sold for resale is to render the presumption void of any effect. If the Department is to follow its rules, auditors cannot be permitted to disallow a proper certificate of resale when there is no evidence to show the merchandise sold was not for resale." 87 Ill. App.3d 476, 479, 409 N.E.2d 136, 139.
As in Rock Island Tobacco & Specialty Co., the Department here has produced no evidence that the goods covered by the resale certificates were not for resale. In addition, the taxpayer's president testified at the hearing that the purchases were represented by the buyer to be for resale and that he relied on these representations. We find this to be sufficient compliance with the Department's rule as to the blanket resale certificates (article 13, paragraph 5) to constitute prima facie proof of their correctness. (See Stam Manufacturing Co. v. Department of Revenue (1976), 39 Ill. App.3d 753, 350 N.E.2d 259.) The effect of producing these certificates at the hearing was to shift the burden of proof from the taxpayer to the Department. The Department did, however, rebut the correctness of the resale certificate obtained from the Roberts & Schaefer Company, as the auditor testified that its registration number was invalid and this was not disputed by the taxpayer. Thus, we find that the Department's disallowance of deductions for sales for resale was improper except as to sales for resale to Roberts & Schaefer Company.
7, 8 Similarly, we find that the Department improperly disregarded the effect of the pollution control certificate obtained by the taxpayer in disallowing deductions for sales of pollution control equipment. Section 1a of the Retailers' Occupation Tax Act (Ill. Rev. Stat. 1979, ch. 120, par. 440a) provides that the purchase, employment and transfer of tangible personal property as "pollution control facilities" is not subject to taxation under the Act. The statute broadly defines "pollution control facilities" as
"any system, method, construction, device or appliance appurtenant thereto sold or used or intended for the primary purpose of eliminating, preventing, or reducing air and water pollution * * * or for the primary purpose of treating, pretreating, modifying or disposing of any potential * * * pollutant * * *."
The Department has provided by rule that
"[t]his exemption includes not only the pollution control equipment itself, but also replacement parts therefor, but does not extend to chemicals used in any such equipment * * * nor to any other tangible personal property which may be used in some way in connection with such equipment, but which is not made a *103 physical component part of the equipment itself." (Art. 2, par. 6 of the Rules and Regulations of the Illinois Department of Revenue.)
The Department has further provided for a certification procedure:
"If the purchaser or his contractor-installer buys an item that could reasonably qualify for exemption as a pollution control facility for use as a pollution control facility, the purchaser or his contractor-installer should certify this intended use of the item to the seller in order to relieve the seller of the duty of collecting and remitting the tax on the sale, but the purchaser who is buying the item in question allegedly for his use as a pollution control facility will be held liable for the tax by the Department if it is found that such purchaser does not use the item as a pollution control facility." Art. 2, par. 6, of the Rules and Regulations of the Illinois Department of Revenue.
Despite the certificate obtained from the purchaser in this case, the Department disallowed the taxpayer's deductions for sales of items purchased for construction of a pollution control plant, finding that the items involved (welding gases, goggles, gloves, repair parts, for example) would clearly not become a part of a pollution control facility so as to qualify for the exemption. We note in passing that the statutory language is extremely broad and in no way limits the exemption to items which "become a physical component part of the equipment itself." While the instant rule is entitled to some respect as an administrative interpretation of the statute, it is not binding on the courts and cannot be allowed to limit or extend the scope of the statute. (Du-Mont Ventilating Co. v. Department of Revenue (1978), 73 Ill.2d 243, 383 N.E.2d 197.) Further, to limit the exemption to sales of component parts of a pollution control facility, while not exempting sales of tangible personal property used in constructing the facility, may give rise to constitutional objections of unequal classification for taxation purposes. We need not decide these issues, however, as we find that the certification procedure designed by the Department to give effect to the statutory exemption places the burden of proving the use of items allegedly purchased as pollution control facilities on the purchaser-installer rather than on the seller. (Cf. Du-Mont Ventilating Co. and Illinois Cereal Mills, Inc. v. Department of Revenue (1976), 37 Ill. App.3d 379, 346 N.E.2d 69, where the issue was whether the purchasers of so-called pollution control equipment had sustained their burden of proof.) In this way it relieves the seller of what would otherwise be an impractical, if not impossible, obligation to determine the use to which its products are put after they are sold.
In the instant case the pollution control certificate produced by the taxpayer at the hearing was sufficient to rebut the Department's prima facie case, and, as the Department offered no evidence to show that the *104 taxpayer was not entitled to rely upon the certificate, the Department erred in disallowing the deductions taken by the taxpayer for sales of pollution control equipment.
In accord with our holdings herein, we reverse that portion of the trial court's judgment which affirmed the Department's disallowance of deductions for sales for resale and sales of pollution control equipment and affirm the remainder of the trial court's judgment. We further remand this case to the Illinois Department of Revenue to make an appropriate determination of the amount of tax due. See Kreiser v. Police Board (1977), 69 Ill.2d 27, 370 N.E.2d 511.
Affirmed in part; reversed in part.
KASSERMAN and HARRISON, JJ., concur.
|
Stabbing at Fruit Bat Bar at 1236 H St, NE on Friday Night
Around midnight last night a victim was stabbed inside the bathroom at Fruit Bat located at 1236 H St, NE. The victim was quickly taken to the hospital and remains in stable condition. The suspect fled and no arrest was made. As usually happens after incidents like this, there will likely be an emergency closure of Fruit Bat. Fruit Bat will remain open during the investigation.
I don’t know anything about the victim, the assailant, or the circumstances of what/why it happened. I hope to update when more info becomes available. |
Cooker
Cooker may refer to several types of cooking appliances and devices used for cooking foods.
Cookers
AGA cooker – a heat storage stove and cooker, which works on the principle that a heavy frame made from cast iron components can absorb heat from a relatively low-intensity but continuously-burning source, and the accumulated heat can then be used when needed for cooking. Originally heated by slow-burning coal, the Aga cooker was invented in 1922 by the Nobel Prize-winning Swedish physicist Gustaf Dalén (1869–1937), who was employed first as the chief engineer of the Swedish AGA company.
Cook stove – heated by burning wood, charcoal, animal dung or crop residue. Cook stoves are commonly used for cooking and heating food in developing countries.
Electric cooker – an electric powered cooking device for heating and cooking of food
Gas stove (British English) – uses natural gas, propane, butane, liquefied petroleum gas or other flammable gas as a fuel source. Most modern stoves come in a unit with built-in extractor hoods.
Induction cooker – heats a cooking vessel with induction heating, instead of infrared radiation from electrical wires or a gas flame as with a traditional cooking stove. For all models of induction cooktop, a cooking vessel must be made of a ferromagnetic metal such as cast iron or stainless steel or at least compounded with a steel inlay. Copper, glass and aluminum vessels can be placed on a ferromagnetic interface disk which enables these materials to be used.
Kitchen stove (British English) – a kitchen appliance designed for the purpose of cooking food. Kitchen stoves rely on the application of direct heat for the cooking process and may also contain an oven, used for baking.
Pressure cooker – heats food quickly because the internal steam pressure from the boiling liquid causes saturated steam (or "wet steam") to bombard and permeate the food. Thus, higher temperature water vapour (i.e., increased energy), which transfers heat more rapidly compared to dry air, cooks food very quickly.
Rice cooker – also referred to as a rice steamer, is an electric kitchen appliance used to boil or steam rice. Electric rice cookers were developed in Japan, where they are known as suihanki (Jap.: 炊飯器).
Slow cooker – also known as a Crock-Pot, (a trademark that is sometimes used generically in the US, Canada, Australia and New Zealand), is a countertop electrical cooking appliance that is used for simmering, which requires maintaining a relatively low temperature. It allows for the unattended cooking for many hours of pot roast, stews, soups, "boiled" dinners and other suitable dishes, including dips, desserts and beverages.
Solar cooker – a device which uses the energy of direct sunlight to heat, cook or pasteurize food or drink. Many solar cookers presently in use are relatively inexpensive, low-tech devices, although some are as powerful or as expensive as traditional stoves, and advanced, large-scale solar cookers can cook for hundreds of people.
The Cooker is the given name to a coin-activated robot made out of an oven and storage cabinet that patrols the moon, as seen in the 1989 Wallace and Gromit short, A Grand Day Out. It is very protective of the moon and becomes hostile when it discovers that Wallace and Gromit have landed there. It secretly has a lifelong dream of skiing. As well as being called The Cooker, an audio adaptation of A Grand Day Out refers to it as The Moon Machine.
See also
Cooking apple
Cook (profession)
List of cooking appliances
List of cooking techniques
List of cooking vessels
List of ovens
List of stoves
List of words having different meanings in British and American English: A–L#C
References
Category:Cooking appliances
Category:Ovens
Category:Stoves |
Nevogenesis--new thoughts regarding a classical problem.
The development of melanocytic nevi is a multifactorial and heterogeneous biologic process that involves prenatal and postnatal steps. As a consequence, there are two main perspectives to nevi: that of a hamartoma and that of a benign tumor. In this review, dermatopathological studies on congenital and acquired nevi, including studies on age-related and location-dependent changes, are analyzed. These studies have lead to different hypothetical concepts on the evolution of individual lesions. In the light of findings from experimental embryology and stem cell biology, we discuss the histogenesis of nevi with special reference to the temporospatial sequence of melanocyte-basement membrane interactions and hair follicle genesis. Regarding the mechanisms of postnatal nevus development, epidemiological studies demonstrate the importance of constitutional and environmental influences, especially ultraviolet light. Possible molecular pathways of solar nevogenesis involve ultraviolet-induced alterations of the cellular microenvironment (eg, changes in the expression of cytokines and melanocyte adhesion molecules). Recent results and future directions of clinical and experimental research are presented. |
Q:
How does async call knows when to start completed event in new thread or use caller thread
Let's say we have a service TestService with DoWork method. On the client, it will generate DoWorkCompleted and DoWorkAsync methods.
This is my observation if you call DoWorkAsync from UI thread, DoWorkCompleted will be executed on UI thread as expected.
But if I start BackgroundWorker and call service DoWorkAsync from it then DoWorkCompleted is executed on new thread other than caller thread. Example:
Start BackgroundWorker instance <-
From UI Thread
Worker DoWork method gets executed
<- Thread 2
Call to service DoWorkAsync from
worker DoWork <- From thread 2
Service runs and DoWorkCompleted
gets executed <-- Thread 3
Worker DoWorkCompleted gets
executed <- UI thread
How does Service client know when to start new thread and when to post it back to caller thread?
A:
This has to do with the availability of a SynchronizationContext on the thread. In Windows Forms, I assume Silverlight is the same, when you start an application the main thread that will become the UI thread is provided with a SynchronizationContext that allows calls to be marshaled back to the UI thread.
In your first scenario, since you call DoWorkAsync from a thread with a synchronization context available the DoWorkCompleted is marshaled back to the initial thread.
In your second scenario you are on a thread pool thread without a synchronization context so the DoWorkCompleted is not marshaled back to the initial thread.
|
A Florida dog grooming business opened its doors overnight to help take care of an abandoned dog in severe need.
Kari Falla, owner of BGE Grooming, said she knew immediately when she saw a Facebook post about the dog on a page for lost dogs that the pup needed urgent help.
Read: Abandoned Emaciated Dog That Could Barely Walk Makes Incredible Recovery
“They said they found it on the side of the road and it almost got hit by a car,” Falla told InsidEdition.com. “They couldn’t keep it for the night and the woman was looking for someone who could.”
Falla knew that the dog was badly matted from the pictures and that it could be dangerous for its health, so she reached out to the woman who created the post. She said to bring the animal to her shop.
They showed up just an hour later and Falla performed an "emergency grooming" on the animal.
“They arrived at my shop at midnight and it took three hours to groom him. A normal groom only takes an hour-and-a-half,” Falla said. "When a dog is matted that badly, it can cause its blood flow to stop as well as bruising to the dog.”
Falla said the pup was matted so severely that it could not use the bathroom. It was also infested with fleas.
“I could tell he’d been that way for a few years from the pictures. You could tell it was extreme neglect,” Falla said. “I knew it was bad, but nothing prepared me for what I saw. It smelled like death and the dog could not walk. They had to carry it.”
Once the 4-year-old dog arrived, Falla shaved and bathed the animal, which was later determined to be deaf and blind.
“The dog was perfect for me when I was grooming him. It’s like he knew I was helping him,” Falla said. “Once we shaved him, he was wagging his tail and was so happy. I knew I did the right thing.”
Falla said the dog was the worst case she’d seen in her life.
Read: Dog With a Tongue That's More Than 7 Inches Holds Title for Longest in the World
“It made me cry,” she said.
The dog, which they named “Lucky,” was taken to the vet and neutered the next day.
He has since been placed in a foster home while he recovers, Falla said.
Officials are reportedly searching for the animal's original owner.
Watch: Lonely 12-Year-Old Dog Found Abandoned in Field with Note: "I Don't Need a Dog" |
ATLANTA. GA - Executives at Coca-Cola have decided to go forward with a proposal by the company’s chief chemist, Dr. Ima Pepper, who recommended, a year ago, that the beverage giant begin recycling the popular soft drink’s “base.” The base is the fluid that comprises the liquid--in this case, purified water--to which the beverage’s other ingredients are added to give the soda its distinctive texture, color, and taste. The company uses billions of gallons of water as the base for its like of beverages, and the cost of using unrecycled water has become “cost prohibitive” in recent years.
“We need to cut costs,” Pepper told Unnews’ reporter, Lotta Lies, “without sacrificing our product’s quality, of course.” The amounts and costs of sugar, food coloring, and some other ingredients can’t be controlled as easily as the “beverage base” (water) can be controlled, she said, “so, at last, we are taking a look at my idea to recycle water. I suggested this alternative a year ago. It was I who recommended that we adopt this approach. It was my idea.”
“Thanks to me,” Pepper said, “Coke may be able to sell its product at a profit throughout at least the rest of this decade, rather than at a loss.”
From a scientific point of view, such as Pepper’s the idea of recycling the product’s “base” (water) has always made sense. However, from a public relations, not to mention an esthetic, perspective, the idea may be disastrous, company executives fear, because the water that is to be recycled isn’t just any water.
“I got the idea from an article I read about San Diego, pf all places” Pepper said, adding, “but it was my idea, based on the article I read.”
Faced with chronic water shortages, San Diego once considered purifying the urine donated by residents of affluent communities and recycling the purified “water” by piping it to residents of middle-class neighborhoods for bathing, cooking, cleaning, and bathing purposes. However, the idea was quickly dropped because of political pressure. “People found the idea of drinking recycled urine distasteful,” Mayor Dick Murphy acknowledged, “so now we’re looking into recycling blood, sweat, and tears. Possibly, at some point, we may even add semen and vaginal secretions to the mix, depending on how great our need for water becomes and how much recycling my constituents can stomach.”
NASA is also considering recycling body fluids as a way of satisfying astronauts’ thirst during long space flights.
Certain Middle Eastern countries, such as Iraq, which prefer to remain anonymous, are already using this technique. “That’s the real reason that the Americanmilitary forces are occupying our country,” Iraqi president Jalal Talabani admitted. “They’re here to provide water for our camels, our livestock, our palm trees, and our women.” Iraqi men drink bottled water imported from France. “American military forces are keeping our oases green.”
Upon learning of Coca-Cola’s plans to replace water with recycled urine as its “beverage base,” many long-time fans of the soft drink have announced their plans to switch to Pepsi, the cola company’s biggest competitor. “We don’t piss in our product,” a Pepsi spokesperson assured the turncoat consumers. Meanwhile, for those who remain faithful to Coca-Cola, the company’s product, Pepper warns, “may be taking on a decidedly yellow cast. Think of it as containing lemon,” she suggested.
The company’s decision has led to a lot of jokes about “the pause that refreshes” and Coca-Cola’s “secret ingredient,” Pepper said, chuckling, “but, above all, people must remember one thing: the idea to recycle urine was mine. It was my idea.” |
Top Personal Finance Apps for 2019
I started thinking about the various personal finance apps I reviewed throughout 2018. More importantly I’ve been focusing on which of these apps I continue to use frequently and which have more or less fallen by the wayside after the fact. This reflection has led me to land upon what I think are the top finance apps for 2019 — meaning which applications you should consider downloading and trying for yourself before we get too much further into this still-relatively-new year.
So, without further ado, here is my top 5 (or so) list of personal finance apps you should be using in 2019:
Clarity Money
When I went to make my “top personal finance apps for 2018” video over a year ago, Clarity Money was among the first inclusions. Ever since I initially reviewed it, Clarity has been one of my most-used finance apps and I utilized it to set aside extra money on a recurring basis. The downside there was that, as I noted once upon a time, the app’s built-in savings account came sans any interest paid.
Welp, that all changed last year after the app was purchased by Marcus, which is part of Goldman Sachs. Now users can either stick with the regular free saving account or upgrade to a Marcus account. This will require a short application process, but you will be rewarded with an impressively healthy interest rate on your savings. Currently, these accounts are earning a 2.25% APY, which is up from the 2.05% offered when I first joined.
Other than the improved savings benefit, the rest of the app has remained largely the same — including many of the widgets and small design touches that first attracted me to the app. For all of those reasons, it was a shoo-in for my 2019 list.
Long Game
Another app that I stumbled upon and that’s really grown on me is Long Game. This isn’t to say that I didn’t appreciate the app when I first reviewed it but it’s proven fairly addictive (which is a good thing in this case) and has kept me coming back on a near-daily basis. Why is that? To put it simply, Long Game makes good on its promise to make saving fun.
The idea behind Long Game is that you set up automated transfers from your checking account to a special savings account. As you make deposits and your stash grows, the app rewards you in the form of coins. These coins can then be used to play a variety of games that may bear resemblance to some gambling favorites, such as scratchers, slots, and spinning wheels. However, these games of chance will not imperil your savings in any way as the digital coins are the only “currency” at risk.
Since we’ve been discussing interest rates, it should be noted that Long Game actually does pay a modest APR 0.1% on savings. That’s better than some institutions but is a far cry from what Clarity Money or other online options offer. But, to be fair, the cash awards that are up for grabs as part of Long Game’s mini-games can help raise your overall return. In fact the app estimates that my effective interest rate has been 2.71% since I joined. On top of that, the app does a great job of incentivizing you to save, which make this an awesome option for those looking to get into the habit.
Bumped
I don’t spend a lot of time on Instagram but, if using the social network leads me to discover more apps like Bumped, perhaps I should. That’s right — this is one application I first learned about from an Instagram ad that I thought sounded too good to be true. Yet, once I made the jump from the waiting list into the beta program, I learned that Bumped was actually more impressive than I even initially thought.
Bumped is aiming to change the way consumers are rewarded for their brand loyalty. Instead of earning points towards free items or discounts on the spot, this app gifts you with fractional shares of stock when you shop at select restaurants and retailers. You can actually choose one brand in each of 13 categories to earn stocks from, with some of my current favorites including Starbucks, Walmart, AT&T, Red Robin, and others. Each brand will offer a different percentage that will correspond to how much of your purchase amount will be given to you in stock. For example the 3% Starbucks offer meant that my $50 gift card reload earned me $1.50 in stock.
So far, I’ve earned $13.42 via a diverse portfolio of stocks on Bumped. Additionally, I did sell a $.22 stake I had in Chipotle just to check out that whole process (spoiler alert: it worked). Another spoiler alert: assuming Bumped retains anywhere near the same line-up of brands it currently has on its roster, expect this one to end up on my 2020 list as well.
Robinhood
Let’s get this out of the way up front: Robinhood didn’t exactly end 2018 on a high note. After announcing what sounded like an awesome “Checking & Savings” feature, the company was forced to walk back their plans after pretty much getting called out by the SIPC. It’s wasn’t a good look, to be sure, but there’s no denying that Robinhood’s core business is still attractive to newbie investors like myself.
When I initially downloaded Robinhood, my first course of action was to purchase a share of The Walt Disney Company. Thanks to the app’s helpful limit order function, I managed to buy another a short time later when the price pulled back. Since then I’ve also been able to participate in shareholder votes and earn dividends from Disney as well — all though Robinhood’s platform. Oh, and this all came without me paying any commissions or fees.
Ultimately I do hope that Robinhood’s now-called Cash Management feature manages to get off the ground in 2019 as planned. That debacle aside, I still feel the app deserves a spot on my 2019 list regardless. If you’re looking to dabble in investing but don’t want to worry about fees, I believe Robinhood is your best bet.
Dosh/Ebates (tie)
Recently I wrote an article comparing Dosh and Ebates on their pros and cons. After writing that piece and concluding that both were worth your time, I couldn’t very well choose one over the other to fill out my list, now could I? And so my “top 5” becomes a “top 6” by way of a tie between these two top-tier cash back tools.
As I wrote in that match-up article, on the whole, I’ve found that I prefer Dosh for in-store shopping while Ebates has an undeniable dominance online. That said I also learned over the course of writing that piece that the two can actually be used in tandem, with some (albeit not many) offers overlapping. In case you missed my magnum opus example of this, I’ll share once again that I was able to earn $1.99 in cash back on Dosh, $.99 in cash back on Ebates, and $1.99 in Uber credit from Visa Local Offers all from a single $24 Sephora purchase. Mind. Blown.
Needless to say, if you don’t already have Dosh and Ebates downloaded, there’s no better time than now. Furthermore, in the case of Ebates, I highly recommend installing their Chrome/Safari/Firefox browser extension for desktop. Together these two apps have the potential to earn you easy cash back on your everyday purchasing, making them no-brainer inclusions on my “best of” list.
There you have it — my definitive list of the top personal finance apps you should be downloading as 2019 rolls on. I trust that these free applications will help you save money, earn cash back, and boost your investing this year. More importantly, I hope that these apps along with so many others that are available help you achieve all of your financial goals in 2019 and well beyond. |
Haunted by ghosts: prevalence, predictors and outcomes of spirit possession experiences among former child soldiers and war-affected civilians in Northern Uganda.
Phenomena of spirit possession have been documented in many cultures. Some authors have argued that spirit possession is a type of psychopathology, and should be included as a category in diagnostic manuals of mental disorders. However, there are hardly any quantitative studies that report the prevalence of spirit possession on a population level and that provide evidence for its validity as a psychopathological entity. In an epidemiological study that was carried out in 2007 and 2008 with N = 1113 youths and young adults aged between 12 and 25 years in war-affected regions of Northern Uganda we examined the prevalence, predictors and outcomes of cen, a local variant of spirit possession. Randomly selected participants were interviewed using a scale of cen, measures of psychopathology (PTSD and depression) as well as indicators of functional outcome on different levels, including suicide risk, daily activities, perceived discrimination, physical complaints and aggression. We found that cen was more common among former child soldiers then among subjects without a history of abduction. Cen was related to extreme levels of traumatic events and uniquely predicted functional outcome even when the effects of PTSD and depression were controlled for. Our findings show that a long-lasting war that is accompanied by the proliferation of spiritual and magical beliefs and propaganda can lead to high levels of harmful spirit possession. In addition, we provide evidence for the incremental validity of spirit possession as a trauma-related psychological disorder in this context. |
Fraudsters who ran Islington letting agency Crestons jailed for scamming tenants and landlords out of £105,000
Crestons was in Caledonian Road. Picture: Google Maps Archant
Three men behind a dodgy letting agency have each been jailed for more than two years after scamming people out of £105,000.
Share Email this article to a friend To send a link to this page you must be logged in.
The fraudsters ran companies in Islington and neighbouring boroughs using trading name Crestons. Between 2014 and 2016 they failed to refund deposits to tenants, failed to pass on rent to landlords and did not put deposits in protected schemes.
Following a five-week trial in which 30 witnesses gave evidence, they were jailed yesterday at Blackfriars Crown Court.
Mohammed Rayn Mashuk, Mohammed Ibrahim Ali and Ahmed Ali Syed were told that they will each have to serve at least half of their 28-month sentence before being released on licence.
They were also each disqualified from acting as a director of a company for a period of 8 years.
In her sentencing, judge Sullivan said: “This is a case of deliberate reckless trading carried out over a lengthy period of time.”
The lengthy investigation by Islington Council – partly funded by National Trading Standards – began after complaints from tenants and landlords who had fallen victim to Crestons.
Islington’s housing chief Cllr Diarmaid Ward said: “We welcome this landmark sentence, which is a major victory for private tenants and landlords not just in Islington but across the country and sends the message loud and clear that rogue letting agencies cannot rip off their clients and get away with it.
“In London’s crowded rental market, tenants are spending huge percentages of their income on rent and rental deposits, so it’s vital that they are protected from bad behaviour by shady letting agents.”
Isobel Thomson, CEO of the National Approved Letting Scheme (NALS), said: “Thanks to the work of Trading Standards the defendants in the case have been given a custodial jail sentence. It is only through the courts imposing severe sentences such as these that anyone tempted to behave in this way will be deterred.”
Mashuk and Ali were convicted of one count each of carrying on business for a fraudulent purpose as officers of Sirs Associates, trading as Crestons. They were cleared of the same offence as officers of Sirs London.
Syed was found guilty of one count of carrying on business for a fraudulent purpose as an officer of Sirs London, trading as Crestons. He was cleared of the same offence as an officer of Sirs Associates. |
New York Consolidated Laws, Criminal Procedure Law - CPL § 170.55 Adjournment in contemplation of dismissal
Search New York Codes
1. Upon or after arraignment in a local criminal court upon an information, a simplified information, a prosecutor's information or a misdemeanor complaint, and before entry of a plea of guilty thereto or commencement of a trial thereof, the court may, upon motion of the people or the defendant and with the consent of the other party, or upon the court's own motion with the consent of both the people and the defendant, order that the action be “adjourned in contemplation of dismissal,” as prescribed in subdivision two.
2. An adjournment in contemplation of dismissal is an adjournment of the action without date ordered with a view to ultimate dismissal of the accusatory instrument in furtherance of justice. Upon issuing such an order, the court must release the defendant on his own recognizance. Upon application of the people, made at any time not more than six months, or in the case of a family offense as defined in subdivision one of section 530.11 of this chapter, one year, after the issuance of such order, the court may restore the case to the calendar upon a determination that dismissal of the accusatory instrument would not be in furtherance of justice, and the action must thereupon proceed. If the case is not so restored within such six months or one year period, the accusatory instrument is, at the expiration of such period, deemed to have been dismissed by the court in furtherance of justice.
3. In conjunction with an adjournment in contemplation of dismissal the court may issue a temporary order of protection pursuant to section 530.12 or 530.13 of this chapter, requiring the defendant to observe certain specified conditions of conduct.
4. Where the local criminal court information, simplified information, prosecutor's information, or misdemeanor complaint charges a crime or violation between spouses or between parent and child, or between members of the same family or household, as the term “members of the same family or household” is defined in subdivision one of section 530.11 of this chapter, the court may as a condition of an adjournment in contemplation of dismissal order, require that the defendant participate in an educational program addressing the issues of spousal abuse and family violence.
5. The court may grant an adjournment in contemplation of dismissal on condition that the defendant participate in dispute resolution and comply with any award or settlement resulting therefrom.
6. The court may as a condition of an adjournment in contemplation of dismissal order, require the defendant to perform services for a public or not-for-profit corporation, association, institution or agency. Such condition may only be imposed where the defendant has consented to the amount and conditions of such service. The court may not impose such conditions in excess of the length of the adjournment.
8. The granting of an adjournment in contemplation of dismissal shall not be deemed to be a conviction or an admission of guilt. No person shall suffer any disability or forfeiture as a result of such an order. Upon the dismissal of the accusatory instrument pursuant this section, the arrest and prosecution shall be deemed a nullity and the defendant shall be restored, in contemplation of law, to the status he occupied before his arrest and prosecution.
9. Notwithstanding any other provision of this section, a court may not issue an order adjourning an action in contemplation of dismissal if the offense is for a violation of the vehicle and traffic law related to the operation of a motor vehicle (except one related to parking, stopping or standing), or a violation of a local law, rule or ordinance related to the operation of a motor vehicle (except one related to parking, stopping or standing), if such offense was committed by the holder of a commercial learner's permit or a commercial driver's license or was committed in a commercial motor vehicle, as defined in subdivision four of section five hundred one-a of the vehicle and traffic law.
FindLaw Codes may not reflect the most recent version of the law in your jurisdiction. Please verify the status of the code you are researching with the state legislature or via Westlaw before relying on it for your legal needs. |
Q:
Build entity name by concatenating pwd and string in bash alias
This answer is insightful but I'm still struggling a bit.
What I want is to create an alias that I can use to backup a mysql database in a docker container.
The Container names in this case are a concatination of the working directory and a text string: directory_name_1.
The command I want to run (github gist) is this:
docker exec CONTAINER /usr/bin/mysqldump -u root --password=root DATABASE > backup.sql
Which puts the backup file in the Working Directory.
I have tried
alias dumpdb='docker exec `pwd`_my-string mysqldump -uroot --password=password DATABASE > `pwd`/backup.sql'
And variations on
alias WORKING_DIR="pwd | rev | cut -d "/" -f1 | rev"
alias DOCKER_CONTAINER='echo $(WORKING_DIR)_my-wpdb_1'
alias dumpdb='docker exec $(DOCKER_CONTAINER) mysqldump -uroot --password=password DATABASE > `pwd`/backup.sql'
But I'm still poking around in the dock. Would someone be so kind as to guide me?
A:
A good solution would be to use a function (and not an alias).
Why?
Because alias are supposed to be used only for simple modifications (like adding an extra argument/flag to commands).
Hence, we can either create a function, or a shellscript. In our case, since it's a pretty simple problem, we can just create a function.
You should write it on .bash_profile
So, for example, you might try to define the following function
function dumpdb()
{
local wkdir="basename $(pwd)"
local container="${wkdir}_my-wpdb_1"
docker exec ${container} mysqldump -uroot --password=password DATABASE > backup.sql
}
After writing that, and reloading your bash_profile (either using source .bash_profile or creating a new session) you will be able to execute dumpdb on console just like if it was an alias.
|
Capturing US Political Logo Designs
Michael Baker Apr 24, 2012
Featured Image Source: Vecteezy/carterart
Logo designing seems to have taken over the political world! With Obama’s logo capturing the attention in the last elections, other political candidates of 2012 campaign appear to have decided to step up the game of their campaign. The logo design competition begin!
Who said that only companies or businesses can use logos? Logo designs are a representation and an identity. They are a great way to gain public attention and appear to have gained a dynamic momentum at the political front. These can become a very strong factor in branding a candidate.
US Political Logo Designs – Main Factors
The standard colors used for the US political party logos are red, white and blue, which obviously represent the United States and the American flag, while creating the feeling of patriotism. Because of their importance, political logo designs have to be created while keeping in mind all the important rules of logo designing. A political logo can make or break the image of a political candidate!
While some candidates have since dropped out of the running for the presidential nomination, we still wanted to take a look at their logos. With this post, I am covering the current and past competitors of the 2012 presidential race.
Barack Obama’s Logo (D)
This logo tops my list because of its genius design. Designed by Chicago-based agency Sender LLC, it was the flagship symbol for Obama’s presidential campaign in 2008. It is one of the most recognized and talked about political logos.
Simple and hopeful, the logo stands for “a new day.” The overall “O” image obviously stands for Obama. The inner, white semi-circle represents a rising sun over the plains (here in red and white). The red, white and blue in the design represent the American flag.
The same image is being reused for Obama’s 2012 campaign, only this time the ‘O’ stands in place of the zero in 2012. It continues to deliver the same hopeful message of change.
Ron Paul’s Logo Design (R)
Classy and simple, Ron Paul’s logo design puts the focus on the candidates name. The “A” in the logo stands for “America” and has the colors of the American flag. The use of Sherif font gives the logo a classic and elegant look.
Jon Huntsman’s Logo Design (R)
This logo stands apart from the rest of the political logos in this post with its unconventional use of black and its modern approach. Simple yet strong, the logo design has stirred up quite a controversy. Some criticize that it is ego-centric and it doesn’t represent patriotism, but rather stands out as a brand name. Many are even calling it a cologne logo lookalike. What do you think?
Herman Cain’s Logo (R)
This political logo has a positive appeal to it and does not seem to be too outlandish or ego-centric. The symbol of torch used in the logo represents openness, respect for the past and a hope for a brighter future. I believe it should have had an elegant font; currently, the symbol stands out more than the candidate’s name itself.
Michele Bachmann’s Logo (R)
Here’s another political logo design subjected to quite a few controversies. Many believe that this logo also pays tribute to a toothpaste squiggle (see one right in the middle?). While others say the red and white design causes confusion between Austria’s and America’s flags. Although the font is simple, the creative use of red and white color stripes fail to inspire.
Mitt Romney’s Logo Design (R)
Romney’s logo design focuses on the candidate’s last name, but doesn’t really seem to do justice to the ‘R.’ While the ‘R’ in the logo stands to create a sense of togetherness, the colors and style have been criticized to look like Aquafresh toothpaste’s squiggle rather than the American flag. It has also been said that the joined ‘EY’ at the end is a bit over dramatic.
Rick Santorum’s Logo (R)
The first thing you notice about this logo is the soaring eagle with the letter ‘O’ behind it, representing the shining sun. The eagle here is the symbol of courage and represents rising high, although some might think as of it as related to the Native Americans (but that is not the case). After all, the bald eagle is the most popular American symbol.
Tell us, what do you think of these political logos? Which of these do you think represent the candidates the best? |
iconActivityiconArrowBackiconArrowBottomiconBasketiconBasket2iconBasketGastroPlan de travail 1iconBubbleSingleiconBubbleSpeechiconCalendarcalendariconCalendarCheckiconCheficonConciergeiconDeleteiconDestinationexpandiconFacebookiconFavoritesiconFlowersiconGifticonGooglePlusiconHelpiconHistoryiconHomeiconHoteliconHouseRCiconHouseRC2iconInstagramiconInvitationiconLabeliconLinkediniconListiconLockiconLogouticonLysRCiconLysRCLefticonLysRCRighticonMailiconMedalPlusiconMembersiconMobileiconMoodboardiconNewslettericonNotesiconPhoneiconPieiconPinteresticonPresentationiconPressReleaseiconPrinticonQuotesiconRefreshiconResaiconRestauranticonRoute1234iconScreeniconSearchiconSettingiconShareiconTagiconToqueiconToqueDrawingiconTrashCaniconTwittericonUsericonViewListiconViewMapiconVillaiconWaiterDrawingiconWineDrawingiconXperienceicon-flag_chicon-flag_fricon-flag_itgifticon-gift_calendarcheckmarkequalizer2Plan de travail 2Plan de travail 1icon-gift_enveloppeback-in-timeyjhjghicon-gift_helpcredit-cardicon-gift_phoneicon-gift_shopicon-gift_spheretruckusericon-gift_zoom
By continuing to use our site, you accept the placing (i) of cookies to determine the site's audience, visits, and your navigation, to provide offers adapted to your areas of interest and personalised advertising, and (ii) of third-party cookies designed to suggest videos, share buttons, and relay content from social media.
See more
We are checking availability.Thank you for your patience...
Castello del Sole Beach Resort & Spa
SwitzerlandAscona
Awaken all the senses
A day on a Frauscher 1017 Lido
A day on a Frauscher 1017 Lido
"Rent our Frauscher 1017 Lido for the day and combine this excursion with a trip to an Italian market, and visit the picturesque islands at Lake Maggiore and the historic ruins of medieval castles. We are happy to prepare a picnic or champagne and nibbles to enjoy on the boat as required."
Visit the Terreni alla Maggia SA winery
Visit the Terreni alla Maggia SA winery
Visit the Terreni alla Maggia SA winery
Visit the Terreni alla Maggia SA winery
Visit the Terreni alla Maggia SA winery
Castello del Sole is surrounded by 150 hectares of Terreni alla Maggia SA winery agricultural land, which all belongs to the same owner. We foster the same philosophy and the same demand for quality there as we do at the Castello. Quality produce such as wines, risotto rice, grains for pasta, potatoes, asparagus, and fruits are cultivated for Castello del Sole's own use as well as for sale. We would be delighted to organise a guided tour of the agricultural farm for you.
Verzasca Valley
Verzasca Valley
The gorge-like Verzasca Valley stretches as far as Tenero. Craggy mountains with altitudes of between 2,000 and 2,800 metres rise up on either side. Those who succeed in the climb can see the 29 km-long valley rising gently towards Sonogno.
A bridge built in the Middle Ages, in the impressive Verzasca Valley village of Lavertezzo, has two arches and makes for a popular snapshot. The view of Verzasca from the bridge above Corippola is splendid. The Verzasca river flows right down to Lake Vogorno: in the mid-1960s, the Verzasca was held at Vogorno and a dam over 200 metres tall was built, creating an artificial lake 7 km in length. |
Q:
Convert .txt files into .CSV files in a directory using a loop
Fresh lettuce here so don't laugh at my questions:
Say I have a folder containing 40 individual .txt files and I would like to convert them into .csv format.
To have an end product : a new folder with 40 individual .csv files.
I have seen similar question posted and their code, however the code did run but the .csv files is nothing like the orginal .txt file: all the data are scrambled.
Since I want to keep the header, and I want to read all the data/rows in the .txt file. I made some cosmetic changes to the code, still didnt run and returned a warning "Error in file(file, "rt") : cannot open the connection
In addition: Warning message:
In file(file, "rt") :
cannot open file 'C:/Users/mli/Desktop/All TNFa controls in the training patients ctrl_S1018263__3S_TNFaCHx_333nM+0-1ugml_none.txt': Invalid argument"
My code as below:
directory <- "C:/Users/mli/Desktop/All TNFa controls in the training patients"
ndirectory <- "C:/Users/mli/Desktop/All TNFa controls in the training patients/CSV"
file_name <- list.files(directory, pattern = ".txt")
files.to.read <- paste(directory, file_name, sep="\t")
files.to.write <- paste(ndirectory, paste0(sub(".txt","", file_name),".csv"), sep=",")
for (i in 1:length(files.to.read)) {
temp <- (read.csv(files.to.read[i], sep="\t", header = T))
write.csv(temp, file = files.to.write[i])
}
A:
When you paste your path with the name of your file at line 4 and 5, use /, to obtain a new path in a character string. The sep value is what the function will put when it will paste together multiple strings.
> paste('hello','world',sep=" ")
[1] "hello world"
> paste('hello','world',sep="_")
[1] "hello_world"
This is different of the sep value you need in read.csv that define the character between each column of you csv file.
|
Okay, turn your music on in the background, start running on that treadmill, do some sit ups or go jogging, and I’ll see you at exactly 20 minutes in!
Intermission: Your body is getting so happy and healthy and tight and maybe a bit sexy. Lots of panting. Your heartbeat picks up. Good things are happening!
Okay, that was fun.
Alright, here’s what I saw happen. We open on a young girl who seems to be tortured by her mother’s spirit (or just mental illness). Lots of men have done bad things to her; their wives and womenfolk have hurt and abused her. The priest is touching her in very dirty ways.
And poor bumblebeary (our streamer) is so offended it is beyond cute. She’s so eloquent and kind, and she’s already sticking up for our protagonist. It makes me smile to watch another person act so sweetly.
Our story girl ends up gouging her own eye out. Mother made her do it. So grotesque! As bumblebeary puts it, “I’m the worst guardian angel ever!”
The story then moves to a Chateau. Our girl’s name seems to be Rose, now, because I think she sells roses to get by. She knows (and likes) the Marquis who owns the Chateau; I loved how adorable bumblebeary got when she noticed that rose was blushing!
A bunch of cunty women–I know, I try to watch my language, but they deserve it–start abusing poor, one-eyed Rose. But don’t worry, bumblebeary AND a mysterious new character in our VN–a sweet, young child–come to Rose’s rescue.
And right before we finish the workout, the Marquis suddenly appears! What a tease.
He looks pretty hot and he’s a foreigner. Possibly the bastard of a Greek queen, but our cute bumblebeary had trouble saying that.
So that’s it!
We may bounce around between streamers going forward, but I think I’ll spend at least a bit longer with bumblebeary because she was exceptional and very entertaining.
We’ll probably finish playing all the way through Cupid, however, because I’m really big on seeing my commitments through. |
Q:
What is the data I need to send in the ASP.NET Web API project /token request?
In Visual Studio 2013 I created a default ASP.NET Web API project. I changed nothing in the code. I created a default user with the /Register request. It works, I have a user in my membership database.
I'm now trying to get a token. I use REST Client, the Firefox add-on. Here is my request and the error:
I tryed with ", without " around password. What is wrong?
--- EDIT ---
If I remove Accept and Accept-Encoding I the request is called. My break point on ValidateClientAuthentication is called.
But I get another message: "error": "unsupported_grant_type"
A:
1- The content-type must url encoded.
2- Since it is url encoded, you need to encode the request body, so it should be
grant_type=password&username=yourusername&password=theuserpassword
so you don't need to pass the request body as an object {},
Refer to this tutorial about Web API 2 with Individual user account
http://www.asp.net/web-api/overview/security/individual-accounts-in-web-api
|
Mai Kondo
is a Japanese ice hockey player for Mikage Gretz and the Japanese national team. She participated at the 2015 IIHF Women's World Championship.
Kondo competed at the 2018 Winter Olympics.
References
External links
Category:1992 births
Category:Living people
Category:Ice hockey players at the 2018 Winter Olympics
Category:Japanese women's ice hockey goaltenders
Category:Olympic ice hockey players of Japan
Category:Sportspeople from Hokkaido
Category:Asian Games medalists in ice hockey
Category:Ice hockey players at the 2017 Asian Winter Games
Category:Medalists at the 2017 Asian Winter Games
Category:Asian Games gold medalists for Japan |
Q:
regex match first occurrence in file
I'm trying to insert new object to feLinks array therefore I'm trying to target closing array tag ]; so I can append an object to the array.
I'm trying to match the first occurrence of ]; so I could inject a new object
I do know about lazy quantifier, but haven't been able to make it work.
var fedLinks = [{
Name:" Test",
data:'value',
tag:"first"
}];
var fedSet = [
{
Name:"Dashboard",
data:fedLinks
}];
Here is what I have tried
];.+?
But it returns no match
A:
Use awk with literal strings for robustness, portability, and clarity (none of which you can have with a sed solution):
awk '
NR==FNR{ add=(NR>1 ? add ORS : "") $0; next }
s=index($0,"];") { $0=substr($0,1,s-1) add substr($0,s); add="" }
1' add.txt test.txt
The above reads the new record as a literal string from the file "add.txt" then inserts that just before the literal string "];" appears in "test.txt" and prints the result, again as a literal string. That way you don't have to worry about escape characters or regexp metacharacters or backreferences or anything else in either input file - everything will be reproduced exactly as you typed it. It will also work as-is with any awk on any UNIX box.
For example (borrowing @Weike's sample added text):
$ cat test.txt
var fedLinks = [{
name: "test1",
data: "value1",
tag: "first"
}];
var fedSet = [
{
name: "Dashboard",
data: fedLinks
}];
.
$ cat add.txt
,{
name: "test2",
data: "value2",
tag: "second"
}
.
$ awk 'NR==FNR{add=(NR>1 ? add ORS : "") $0; next} s=index($0,"];"){$0=substr($0,1,s-1) add substr($0,s); add=""} 1' add.txt test.txt
var fedLinks = [{
name: "test1",
data: "value1",
tag: "first"
},{
name: "test2",
data: "value2",
tag: "second"
}];
var fedSet = [
{
name: "Dashboard",
data: fedLinks
}];
|
Algeria's President Abdelaziz Bouteflika announced his withdrawal Monday from a bid to win another term in office and postponed an April 18 election, following weeks of protests against his candidacy.
Bouteflika, in a message carried by national news agency APS, said the presidential poll would follow a national conference on political and constitutional reform to be carried out by the end of 2019.
The veteran leader, who has been in power since 1999 but whose rare public appearances since a stroke in 2013 have been in a wheelchair, returned Sunday from hospital in Switzerland.
Demonstrations against his bid for another fifth term in office have brought tens of thousands of protesters onto Algeria's streets. |
While you were out shopping Sunday for those last-minute holiday gifts, the Navy pushed ahead with its own vision of an underwater sugar plum: a fleet of “long endurance, transoceanic gliders harvesting all energy from the ocean thermocline.”
And you thought Jules Verne died in 1905.
Fact is, the Navy has been seeking—pretty much under the surface—a way to do underwater what the Air Force has been doing in the sky: prowl stealthily for long periods of time, and gather the kind of data that could turn the tide in war.
The Navy’s goal is to send an underwater drone, which it calls a “glider,” on a roller-coaster-like path for up to five years. A fleet of them could swarm an enemy coastline, helping the Navy hunt down minefields and target enemy submarines.
Unlike their airborne cousins, Navy gliders are not powered by aviation fuel. Instead, they draw energy from the ocean’s thermocline, a pair of layers of warm water near the surface and chillier water below.
The glider changes its density, relative to the outside water, causing the 5-foot (1.5m)-long torpedo-like vehicle to either rise or sink—a process called hydraulic buoyancy. Its stubby wings translate some of that up-and-down motion into a forward speed of about a mile (1.6 km) an hour in a sawtooth pattern. As it regularly approaches the surface, an air bladder in the tail inflates to stick an antenna out of the water so it can transmit what it has learned to whatever Captain Nemo dispatched it to the depths.
Much of the work such gliders do is oceanographic in nature, collecting data about the water’s temperature, salinity, clarity, currents and eddies. Such information is critical for calibrating sonar to ensure it provides the most accurate underwater picture possible. But there are additional efforts underway to convert such data into militarily-handy information.
Webb Research
Slocum Gliders rise and fall as they traverse the ocean’s depths, transmitting what they learn via tail-mounted antennas that periodically break through the water’s surface.
The Navy’s Sunday contract announcement added a scant $203,731 to a contract it has with Teledyne Benthos, Inc., for continued “research efforts” into its Slocum Gliders (named for Captain Joshua Slocum, who sailed alone around the world in a 37-foot sloop between 1895 and 1898). “Carrying a wide variety of sensors, they can be programmed to patrol for weeks at a time, surfacing to transmit their data to shore while downloading new instructions at regular intervals, realizing a substantial cost savings compared to traditional surface ships,” the company’s Webb Research division says. The Webb unit is located in East Falmouth, Mass., and its Slocum Glider is the brainchild of Douglas Webb, a former researcher at the nearby Woods Hole Oceanographic Institution.
In 2009, the Navy issued a $56.2 million contract for up to 150 of the “Littoral Battlespace-Sensing” gliders to be delivered by 2014. The Navy has said it is investing in the field because such information could prove vital “for mine countermeasures and other tasks important to expeditionary warfare. . .ultimately reducing or eliminating the need for sailors and Marines to enter the dangerous shallow waters just off shore in order to clear mines in preparation for expeditionary operations.”
A NATO report last year examined the feasibility of launching Slocum Gliders from torpedo tubes instead of T-AGS oceanographic surveillance ships. “Operating gliders from submarines represents a step forward to embedding this technology into naval operations,” it said. “Unlike surface ships, submarines are stealth platforms that could transit denied areas while releasing a glider fleet.”
Navy Captain Walt Luthiger, a submariner, said an exercise using such gliders proved their mettle in yet another arena. “The environmental information provided by the gliders has proved valuable,” he told NATO public affairs in 2011, “and helped everyone in that very difficult job of finding submarines that don’t want to be found.”
Astronaut Scott Carpenter wrote a book a long time ago called, "The Steel Albatross" that featured a military stealth submarine that was propelled by gliding. They would alternately fill and blow the ballast tank and use the wings to fly the sub. With minimal thrusters there were no prop noises.
and have you heard of the new "God particle" weapon ???!!!!! i know its revolutionary but when you shoot it at another person it does not kill him but actually shows him your love and forgiveness!!!!!! wtf? http://hereitis.ws/JesusChristAdvertisement.htm !!!!!!!
When wars begin they are usually a surprise and then are
conducted with the latest in obsolete technology and tactics. Right now there
are researchers looking for vulnerabilities in our carriers, submarines and stealth
aircraft, some of it by allies.
Part of the dream of Socialism was that the solidarity of
workers would end war, the World Court would arbitrate conflicts away and for a
while the interlocking dynasties of Victoria's children supposedly secured
peace. After WW1 we tried The League of Nations, men of good faith negotiated
with Hitler for peace in our time, while men of ill will negotiated the Treaty of Non-aggression between Germany and
the Union of Soviet Socialist Republics,and after WW2 we tried the UN.
War will always be with us, better minds than ours have
struggled to end it, limit it and civilize it, yet war remains Hell. No one
ever wins a war, but there are losers, it is better to do everything in your
power not to be a loser.
Why is it we feel the need to let everyone on the planet know what we are doing militarily? It just doesn't make sense to let our enemies know what we have, and what we are working on to defend ourselves.
As an American citizen, would I like to know? Sure I would, but it is not necessary to know every little advancement we come up with, some things are just better left alone, and not publicized for the good of all of us.
The statement "they draw energy from the ocean’s thermocline, a pair of layers of warm water near the surface and chillier water below" is incorrect. There is no energy thermodynamically available at the thermocline, which is in thermodynamic equilibrium.
The energy that 'propels' the device is the energy which changes its density, which must compress a gas-filled chamber on board the glider. The energy running the compressor must be carried on the device. Gravity does the rest through Archimedes' Principle.
Smart, real smart. First they come to the surface to transmit which makes them a navigation hazard and having been on a boat that came to periscope depth only to crash dive because there was a yacht with wide eyed people dead ahead, it could be a real problem and then secondly, the big one, the current speeds along most coast line is far in excess of the one mile per hour speed. Guess they are only a one way ticket. I can see it now a huge recovery program in the arctic or antarctic. Maybe we could train penguins to recover them. ';-)
This is old news. Read about it in magazines years ago. Saw it on the History Channel in the last year too...it is interesting though...no telling what they are really doing now. Skunk works for the oceans?
14And the heaven departed as a scroll when it is rolled together; and every mountain and island were moved out of their places. 15And the kings of the earth, and the great men, and the rich men, and the chief captains, and the mighty men, and every slave, and every free man, hid themselves in the dens and in the rocks of the mountains; 16And said to the mountains and rocks, Fall on us, and hide us from the face of him that sits on the throne, and from the wrath of the Lamb:
I remember when I was little, every now and then, while watching the news my 80+ grandmother used to say "I'm glad I'm going to die soon.". I used to scold her for wishing to leave me. Well now, many years later. Hmmmphhh.
Add a muffler, Hellfire misslies, and 4(pi) steradian retina-melting Nd:glass or Nd:YAG lasers. Teach them how to parachute from a Lockheed C-5M Super Galaxy. Navy? Less than one knot net on a good day? "ACK! THBBFT!" Where is the paint locker?
@RicBov Oh yeah , the now more than half a trillion of dollars wasted every year on the most dangerously bloated and over-sized military in the world is a "brilliant use of taxpayer money" according to some. Ah delusion. Meanwhile the US is the most unequal country among all developed nations and have the most costly while poorly ranked healthcare system. But hey life is question of priorities.
If they are actively patrolling our shores, then they are actively wasting their money. You know, the Soviets used to bring factory fishing vessels within a few miles from US shores, draining our fish stocks. THAT was a problem, and resulted in the Magnusson-Stevens Act, which extended our sovereign waters from just a couple miles to like 30 miles out from US shores, I believe. That was a good solution to a material problem. Anyway, you're beating the war drums about China spying on us. Perhaps I'm being naive here, but suppose China were patrolling US waters, like 29 miles out - so freaking what? As long as our Coast Guard and our military is doing its job, and so long as China isn't attacking us or depleting our resources, and so long as it can't gather valuable intel on us dozens of miles out as see, then what exactly is the problem? I suppose if China were a material threat, these drones would be useful, but really the drones seem better for fisheries monitoring, for oceanographic study, or even for LNG or hydrocarbon prospecting. It seems like their immediate uses would be mostly nonmilitary.
@Freedom12You sure would like to think so, but I have my reservations that they are smart enough to be that cunning. Remember that the Navy is still part of the Government, and they do almost nothing right.
There is no need for anyone outside the U.S. Navy to know anything about a program like this, it just boggles the mind to know they use our taxpayers dollars to come up with weapons of war like this, and then turn around and give all their secrets away.
I for one do not like my tax dollars spent this way. have they ever heard of that old saying "Only on a need to know basis" |
Cardiff Blues 2017/18 Canterbury European Shirt
For the last two seasons, the Cardiff Blues European shirt has served a dual purpose. Firstly, of course, it’s there do give the Blues a distinctive look when they take to the field for their Challenge Cup campaign, but that’s not all. Following the tragic injury that ended the promising career of Blues and Wales centre Owen Williams in 2014, the region has really rallied around their former teammate and support him in his recovery from a severe spinal injury, and one of the most visible ways ways they did this was the European jersey they wore between 2015 and 2017.
That shirt fused the colours of the Blues with those of Williams’ hometown club, Aberdare RFC, and the 2017/18 version continues that theme, but with a slightly different spin.
Blue and yellow have become the colours of the #StayStrongForOws awareness and fundraising campaign, and those are the colours that are given prominence here, with bright yellow sleeves and collar paired with thin pale yellow hoops on the body.
Upon closer inspection of these hoops, you can see that they’re actually a diagonally hatched pattern that is thicker on the sections that look more solid, and thinner on the areas that look more pale.
It’s a very similar hatched pattern to the one used on the thin hoops used on the new Blues home shirt, but obviously in a thicker and more overt form – it’s something that looks great, and quite different at the same time.
In addition, the shirt also places the logo of the #StayStrongForOws campaign in the centre of the chest, and while this design might not be quite as beautiful as the original effort, it’s still a very nice shirt, and it’s still raising awareness for the most worthwhile of causes. For both of those reasons, it’s a winner for us. |
Brazil mulls review of Paraguay ties
BRASILIA, Brazil, July 20 (UPI) -- Brazil is reviewing its decision to participate in a campaign against the new government of Paraguayan President Federico Franco amid controversy over the impeachment and removal of former President Fernando Lugo.
At stake are Brazil's lucrative trade and energy relations with landlocked Paraguay, a country less well off than economic dynamo Brazil but still an important market for Brazilian exports and partner in Itaipu Dam power generation.
Brazilian President Dilma Rousseff has come under fire from critics who question her handling of Brazilian-Paraguayan diplomacy after Lugo's removal June 22.
Franco's presidency is contested by Latin America's regional organizations but moves to have the country suspended from the Organization of American States failed, a blow to Rousseff's approval ratings.
Brazil joined Argentina and Uruguay in campaigning successfully for Paraguay's suspension from the Mercosur trade bloc and the Union of South American States. Both Mercosur and Unasur likened Lugo's speedy impeachment to a coup, an interpretation rejected by OAS.
To complicate matters for the Brazil-led campaign against Franco's regime, critics point out that Lugo did in fact accept the congressional vote that removed him from the presidency.
Critics say the diplomatic move is set to become an embarrassment for Rousseff, Argentine President Cristina Fernandez de Kirchner and Uruguay President Jose Mujica as Franco's presidency settles into power.
Diplomatic moves to have Paraguay's ties with the European Union suspended have also remained inconclusive, while the EU adopts a conciliatory position that it hopes will steer Paraguay to democratic elections next year.
The three presidents have courted controversy in the manner in which they used Paraguay's suspension to admit Venezuela to full membership of Mercosur.
Paraguay's legislature was the last hurdle in the way of Venezuela's membership of Mercosur. The country's suspension from the trade bloc cleared the way for Venezuela's Mercosur membership to be ratified.
Mujica said that "while it is true that the proposal was elaborated in the first place by Brazil, we three agree (the presidents of Argentina, Brazil and Uruguay) about Venezuela's entry in the bloc."
He said "the political will involved in the case, far exceeds the possible legal impediments regarding the matter."
Critics of the move aren't convinced, however, and in media comments have warned the diplomatic impasse created with Paraguay is could deepen divisions within the organization.
Mujica has further muddied the waters by calling for a merger of Mercosur and Unasur. Venezuelan President Hugo Chavez, in one of the first statements after Venezuela's admission to Mercosur, declared plans to galvanize Mercosur member countries into a defense pact.
Paraguay's new government has accused Chavez of financing moves to destabilize the country.
Argentine President Cristina Fernandez said the region will resist moves that went against popular will, a reference to the Paraguayan crisis.
"Let there be no confusion," Fernandez declared, "we are all united and we are all going to fight tooth and nail, not for governments, or persons, but for the will of the people freely expressed in open, democratic, transparent elections."
The Argentine leader said Mercosur, Unasur and other regional organizations "enabled the region to overcome difficult moments" in several countries.
A European Parliament mission on a fact-finding visit to Paraguay urged the new government to tone down the war of words and find ways of normalizing relations with neighbors.
Brazilian analysts also say a working relationship with Paraguay will be hard to avoid while the new government prepares for elections next year.
All three countries that campaigned against Paraguay stand to lose trade and other benefits if the current stand-off continues.
United Press International is a leading provider of news, photos and information to millions of readers around the globe via UPI.com and its licensing services.
With a history of reliable reporting dating back to 1907, today's UPI is a credible source for the most important stories of the day, continually updated - a one-stop site for U.S. and world news, as well as entertainment, trends, science, health and stunning photography. UPI also provides insightful reports on key topics of geopolitical importance, including energy and security.
A Spanish version of the site reaches millions of readers in Latin America and beyond.
UPI was founded in 1907 by E.W. Scripps as the United Press (UP). It became known as UPI after a merger with the International News Service in 1958, which was founded in 1909 by William Randolph Hearst. Today, UPI is owned by News World Communications. |
Romney another James K. Polk?
Romney campaign manager told the Huffington iPad magazine that Mitt Romney's inner circle thinks a Romney presidency could look much like that of President James Polk after tackling issues like the federal debt and entitlement spending.
"Polk, who served from 1845 to 1849, presided over the expansion of the U.S. into a coast-to-coast nation, annexing Texas and winning the Mexican-American war for territories that also included New Mexico and California. He reduced trade barriers and strengthened the Treasury system. And he was a one-term president. Polk is an allegory for Rhoades: He did great things, and then exited the scene, and few remember him. That, Rhoades suggested, could be Romney's legacy as well." |
Q:
Subquery to count items, and then group them by a field of the main query without duplicates
I want to count the number of times a "child" appears in a N..N relationship, and group the results by a field of the "parent".
I'm having a hard time putting exact words on this, so let's say I have 3 tables: Movie, Actor, Play, where Play is the relation between Movie and Actor. An actor can play in a movie.
It is possible some actors exist in the database, but have never played in any movie of the database.
In the Movie table, I have a genre.
I want to count the number of actors that have played per genre, without counting the same actor more than once per genre.
I'm currently using DISTINCT on the actor_id per play, which means an actor that has theoretically played several times in the same movie will appear once... but that is a non-sensical scenario (because the actor will appear only once per movie in the Play table), so it is useless, and not what I want. Any better idea?
I'd like to keep everything in a single query, because I am actually doing other subqueries to get other statistics per genre.
Here is what my query looks like, without the other subqueries:
SELECT
movie.genre,
SUM(
SELECT COUNT(DISTINCT play.actor_id)
FROM play
WHERE play.movie_id = movie.id
) AS number_of_actors
FROM movie
GROUP BY movie.genre
Currently, if an actor has played in several movies, he will be counted several times.
A:
Your problem is that you have no way of communicating distinct between each of the elements that is summed, so you will end up duplicating values. It's simpler to write this as a JOIN. I've used a LEFT JOIN in case a movie has no entries in the play table, in which case the COUNT will be 0.
SELECT m.genre
COALESCE(COUNT(DISTINCT p.actor_id), 0) AS number_of_actors
FROM movie m
LEFT JOIN play p ON p.movie_id = m.id
GROUP BY m.genre
|
Reconditioning of internal combustion engines, particularly those of an automotive vehicle type, is a significant business founded upon the economic savings achieved through reconditioning of an engine as contrasted to purchase of a complete new engine. Engine reconditioning is labor intensive and thus to be economically feasible, procedures must be employed to minimize labor costs. One aspect of engine reconditioning that has heretofore involved a substantial amount of labor and time and thus accounting for a significant portion of the cost of reconditioning has been the cleaning of the major engine components such as the cylinder heads, blocks, crankshafts, piston rods and oilpans. The cylinder heads, engine blocks and other components of internal combustion engines accumulate not only a heavy external coating of oil and dirt, but the internal surfaces become covered with a scale formed from combustion products in the case of the surfaces associated with the combustion chamber, but other cavities in the head such as those formed for a flow of fluid through the head also become coated with a scale formed from mineral products contained debris materials as a consequence of the elevated temperatures at which internal combustion engines operate, tend to tenaciously adhere to those surfaces and become very difficult to remove. Exterior coatings of oil and dirt can generally be removed to a satisfactory degree through use of cleaning solvents to soften the material and utilization of hand scraping. This is a time consuming process and usually cannot be accomplished to effect the desired degree of cleaning. Similarly, the combustion product scales and the mineral scales that develop on the interior surfaces of the cylinder head can also be removed to an extent by manual means using hammers and chipping tools. However, such techniques are less than desirable not only from the standpoint of general ineffectivity in removing all of the scale, but subject the cylinder head surfaces to mechanical damage from impact with the various types of cleaning tools that are employed.
To enhance cleaning operations, various alternative procedures have been employed not only to enhance the economics through reduction of labor costs, but to improve the effectivity of the cleaning operations. One such procedural technique that has been used is the subjecting of the cylinder head to a heating operation. One of the objectives of the heating operation is to, in effect, burn off the oil or hydrocarbons coating the exterior surfaces. This procedure has been found less effective than desired since the burning procedure results in other combustion products which still combine with other debris that is not combustible and still remains adhered to the exterior surfaces requiring scraping or other removal techniques. A second objective is to attempt loosening of the scales and conditioning them at the elevated temperatures to be more readily removed through employment of scraping and chipping tools. This procedure of heating, but still relying upon the use of manual scraping for removal of the materials, has failed to provide the desired results since considerable labor time is still required and the results are less than desirable since these cylinder heads are of a complex geometrical shape with various configured cavities that are difficult to work with and in many instances are essentially inaccessible through the use of conventional manual tools.
While cleaning of articles that may be caked with oil and dirt coatings or scale formations can be more readily and effectively accomplished by shot blasting operations, the use of shot blast cleaning has not heretofore been deemed suitable for use in connection with cylinder heads because of the difficulty in removing the shot particles from the various internal cavities. This removal of the shot is of particular significance with respect to cylinder heads. The shot, while generally small in size, is fabricated from hardened steel and is highly destructive if retained within the engine cylinders. In shot cleaning techniques, the shot enters the numerous irregularly shaped cavities of the head and may be retained in areas that are not subject to visual inspection. Although the shot may be retained even though various mechanical vibrating and shaking techniques are employed to dislodge the shot, it nevertheless is frequently possible for retained shot to ultimately become dislodged such as during the time that the cylinder head is remounted on an engine block and the shot, even though contained within a coolant cavity, may fall into a cylinder and not be detected. Subsequent operation of the engine will result in effectively destroying the engine through the shot becoming wedged between the circumference of the top of the piston and adjacent cylinder wall and result in scoring of the cylinder wall.
In attempting to more effectively and efficiently remove the shot, techniques such as use of compressed air for blowing out the shot have also been employed, although the results have been less than satisfactory. There have been attempts to devise apparatus to effectively perform this shot removal function by mechanical manipulation of the cylinder heads so as to enable the shot to fall out of the cavities. One such apparatus included several large sized truck tires supported in vertical planes adjacent to each other in axial alignment. The tires are supported on a pair of drive rollers that are rotated and through frictional engagement with the outer face of the tires cause the tires to revolve. A cylinder head or other component that has been shot blasted is placed in the center of the tires with the objective being to roll the cylinder heads about their longitudinal axis to effect removal of the shot. However, this apparatus has not been found satisfactory as it not only fails to effectively manipulate the heads so as to remove all of the shot, but it is inherently limited to processing only one cylinder head at a time thereby failing to achieve a significant monetary saving. As a consequence of the difficulty in removing the shot and inability of these prior techniques to effect removal to a one hundred percent degree, shot cleaning has not been generally accepted or utilized in the cleaning operations for these engine components.
While a heating operation employed in cleaning of cylinder heads assists in the previously employed manual cleaning operations, that heating has not reduced the labor costs to any significant degree. One reason the heating operation, while perhaps enhancing the effectivity of the cleaning, has failed to enable realization of cost reduction is that the cylinder heads, after they are heated to the necessary elevated temperatures of the order of five hundred degrees Fahrenheit must be permitted to cool to a temperature where the workers can again safely handle the heads in performance of the various manual cleaning operations. |
Introduction
============
Neuropathic pain is a common complication of cancer, diabetes mellitus, degenerative spine disease, infection with the human immunodeficiency virus, acquired immunodeficiency syndrome and various other infectious diseases; it has a profound effect on an individual\'s quality of life and health care expenditures ([@b1-etm-0-0-4102]). Up to 7--8% of the European population is affected, and 5% of individuals may experience severe neuropathic pain ([@b2-etm-0-0-4102]). Neuropathic pain may result from disorders of the peripheral nervous system or the central nervous system (brain and spinal cord). Notably, neuropathic pain can be particularly difficult to treat with only 40--60% of sufferers achieving partial relief ([@b3-etm-0-0-4102]). Favored treatments include certain antidepressants (tricyclic antidepressant and serotonin-norepinephrine reuptake inhibitors), anticonvulsants (pregabalin and gabapentin), and topical lidocaine ([@b4-etm-0-0-4102]). Opioid analgesics are recognized as useful agents but are not recommended as first line treatments. The efficacy and safety of pregabalin has been extensively characterized in previous studies, and the findings have been positive ([@b3-etm-0-0-4102],[@b5-etm-0-0-4102]). Therefore, pregabalin is currently one of the recommended first-line treatments for neuropathic pain ([@b3-etm-0-0-4102],[@b5-etm-0-0-4102]). In particular, its efficacy has been demonstrated in a number of randomized controlled trials in patients with neuropathic pain caused by various different events and diseases ([@b6-etm-0-0-4102]--[@b9-etm-0-0-4102]).
The present study compared combination therapy with pregabalin and morphine with each drug used as a single agent in 320 patients with chronic neuropathic pain.
Materials and methods
=====================
### Patients
A total of 320 patients (males:females, 1.1:1) with chronic neuropathic pain, who were at least 18 years old (range, 18--89 years), were enrolled in the present study between November 2009 and October 2010. Pain intensity varied from moderate to severe. Patients with cancer pain and those who were unsuccessfully treated with pregabalin were excluded from the present analysis. The protocol for the present study was approved by the Research Ethics Board of Shenyang Medical College (Shenyang, China). Written informed consent was obtained from all patients prior to their enrollment on the study. All study protocols were in accordance with the Declaration of Helsinki.
### Agents
Patients received oral morphine (MS CONTIN; Mundipharma International, Ltd., Cambridge, UK) monotherapy, oral pregabalin (Lyrica; Pfizer, Inc., New York, NY, USA) monotherapy, or a combination of morphine plus pregabalin for 90 days. These pharmacological agents were used in line with the manufacturers\' prescribing information and as required by the patient, according to their condition. The initial mean daily dose of morphine was 36.4 mg in the monotherapy group, and 25.5 mg for the combination therapy group. The initial mean daily dose of pregabalin was 86.2 mg in the monotherapy group and 106.3 mg in the combination therapy group. Treatment dosages were altered based on the pain intensity recorded at visits and telephone interviews on the days of 7, 14, 21, 28, 35, 56, 75 and 90 in order to achieve optimal efficacy and tolerability based on their response and adverse events. If necessary, immediate release morphine (oral morphine 5 or 10 mg per day) was used for breakthrough pain.
### Study design
In our single center, an open-label, prospective comparison of three treatments (morphine, pregabalin and these drugs in combination) was conducted. Patients receiving pregabalin who had partial pain control were assigned to the pregabalin monotherapy group for 90 days (n=102); patients feeling pain which was not controlled by other drugs were randomized into the morphine group (n=90) or the morphine and pregabalin combination group for 90 days (n=128). The patient number was not consistent between the three treatment groups as some patients refused to take morphine in the combination of morphine plus pregabalin group. Patients in the morphine groups who refused to take morphine were exempted from the study.
Efficacy and tolerability were the primary endpoints evaluated. Pain relief was the primary measure of efficacy and pain intensity was continually assessed for the eight follow-up visits (days 7, 14, 21, 28, 35, 56, 75 and 90). Patients were asked to rate pain during the past 24 h on a numerical rating scale (NRS), where 0 indicated no pain and 10 was the worst pain imaginable. A 2-point reduction was described as clinically meaningful by Farrar *et al* ([@b10-etm-0-0-4102]) and Rowbotham ([@b11-etm-0-0-4102]). Secondary endpoints included comparisons of daily dosages for monotherapy vs. combination therapy at the end of treatment, impact on quality of life (QoL), and patient assessments of treatment efficacy. The interference of pain with QoL was compared for each of the three treatment regimens. A Brief Pain Inventory (BPI) questionnaire was utilized to evaluate how the patient\'s everyday life was influenced by pain during the study ([@b12-etm-0-0-4102],[@b13-etm-0-0-4102]). The BPI questionnaire evaluates pain intensity using an NRS (0, no pain; 10, worst pain imaginable) and the impact of pain on QoL, by rating how pain interferences with the following seven domains: General activity, mood, walking, normal work, sleep, social relations and life enjoyment, using an NRS (0, does not interfere; 10, completely interferes). In order to investigate the tolerability of each treatment, adverse events were recorded at each of the eight follow-up visits. Furthermore, patients were asked to assess the effectiveness of the treatment by giving one of the following ratings: Not effective, slightly effective, effective or very effective.
### Statistical analysis
Baseline disease characteristics were compared among the three different treatment groups. The results were presented as the mean ± standard deviation or the percentage of patients. χ^2^ tests were used to analyze categorical data. P\<0.01 was considered to indicate a statistically significant difference. Statistical analyses were performed using SPSS 15.0 software for Windows (SPSS, Inc., Chicago, IL, USA).
Results
=======
### Patient characteristics
The patient protocol is shown in [Fig. 1](#f1-etm-0-0-4102){ref-type="fig"}. A total of 128 patients were assigned to the combination group of morphine plus pregabalin; however, 24 were excluded from the study due to adverse events. Similarly, the number of patients in the morphine monotherapy group and the pregabalin monotherapy group were reduced from 90 to 15 and from 102 to 16, respectively, due to adverse events. Adverse events included blurred vision, abnormal coordination, memory impairment, dry mouth and constipation, abnormal walking, asthenia and dysarthria. Details of withdrawal are shown in [Fig. 1](#f1-etm-0-0-4102){ref-type="fig"}. Four patients in the morphine monotherapy group, four patients in the pregabalin monotherapy group and 13 patients receiving combination therapy were lost to follow-up.
Patient characteristics are summarized in [Table I](#tI-etm-0-0-4102){ref-type="table"}. There were numerous causes of neuropathic pain in the present study, including: Failed back surgery syndrome, post-herpetic neuralgia, radiculopathy, painful diabetic neuropathy and stenosis of the spinal medullary canal. Concerning patients with post-herpetic neuropathy, there were fewer patients in the morphine group compared with the other two treatment groups, and other diseases were of a similar incidence among the three groups. Also, the mean score of pain was similar between the groups receiving monotherapy and those exposed to morphine and pregabalin combination therapy, both of which were higher than the mean score in the pregabalin monotherapy group.
### Pain intensity
Morphine plus pregabalin combination therapy and morphine monotherapy resulted in much faster pain relief than pregabalin monotherapy ([Fig. 2](#f2-etm-0-0-4102){ref-type="fig"}). After 90 days, compared with the baseline, the mean NRS score of the combination therapy group had decreased by 80.2%. This value decrease was significantly greater than that of the two monotherapy groups. The mean NRS score of the pregabalin monotherapy group had only decreased by 42.9% (P\<0.01 vs. combination therapy); whereas that score in the morphine monotherapy group had decreased by 72.8% (P\<0.01 vs. combination therapy).
### Daily pain crises
At baseline, the three groups had a similar mean number of breakthrough pain events per day (morphine plus pregabalin, 3.63; morphine, 3.15; pregabalin, 3.05). At the end of the study, patients that had received morphine plus pregabalin combination therapy and those taking morphine monotherapy showed a significant decrease in the mean number of breakthrough pain events per day compared with the pregabalin monotherapy group (P\<0.01; [Fig. 3](#f3-etm-0-0-4102){ref-type="fig"}).
### Mean daily medication doses
Combination treatment was effective at lower mean doses of morphine and pregabalin compared with either morphine or pregabalin monotherapy, respectively ([Fig. 4](#f4-etm-0-0-4102){ref-type="fig"}). In the morphine monotherapy group, the mean daily doses were 31.2 and 52.8 mg at the beginning and the end of the study, respectively. In the combination group of morphine plus pregabalin, the mean daily doses were 26.4 and 110.3 mg at the beginning, respectively, and 41.8 and 142.5 mg at the end, respectively,. In the pregabalin monotherapy group, the mean daily doses were 99.6 and 286.3 mg at the beginning and the end of the study, respectively.
### Quality of life
The interference of pain with activities of daily life was substantially reduced after 90 days treatment in patients taking morphine plus pregabalin compared with the monotherapy groups. After 90 days of treatment, patients receiving combination therapy also exhibit improvements in other OoL terms, including walking, normal work and social relations. Furthermore, combination therapy exhibited lower scores than the other two monotherapy groups, respectively. ([Table II](#tII-etm-0-0-4102){ref-type="table"}).
The overall decrease in BPI scores at the end of study compared with the baseline was 72.1% for combination treatment (P\<0.01 vs. either monotherapy), 61.8% for morphine monotherapy, and 39.8% for pregabalin monotherapy ([Fig. 5](#f5-etm-0-0-4102){ref-type="fig"}).
### Patient evaluation of efficacy
After 90 days of treatment, 92.2% of patients taking combination therapy and 93.9% of patients receiving morphine described the therapy as 'effective' or 'very effective'. In contrast, in the group taking pregabalin monotherapy, just 18.8% of patients found the therapy to be 'effective' or 'very effective' ([Fig. 6](#f6-etm-0-0-4102){ref-type="fig"}).
### Safety analysis
In sum, patients receiving combination therapy had a better safety profile than patients receiving either morphine or pregabalin monotherapy. The most frequent adverse events were somnolence and peripheral edema with pregabalin, and constipation with morphine ([Fig. 7](#f7-etm-0-0-4102){ref-type="fig"}). Constipation was most associated with combination therapy. Notably, the frequency of adverse events tended to decrease with the duration of the study. After 90 days of therapy, 57.3% of patients receiving combination therapy, 51.8% of patients receiving morphine and 36.9% of patients receiving pregabalin monotherapy exhibited no adverse events.
Combination therapy markedly reduced adverse events compared with the two monotherapy groups ([Fig. 7](#f7-etm-0-0-4102){ref-type="fig"}). The incidence of peripheral edema was significantly improved in the combination therapy group compared with the pregabalin monotherapy group (P\<0.01). Nausea and vomiting were also improved in the combination treatment compared with other two monotherapy groups.
Discussion
==========
The present results suggest that treatment of neuropathic pain with pregabalin and morphine combination therapy results in less pain than treatment with either pregabalin or morphine as a single agent, as indicated by patients\' pain intensity and responses to pain questionnaire in the present study.
In terms of pain relief, the efficacy of combined morphine and pregabalin was significantly better than that of morphine monotherapy, and was similar to pregabalin monotherapy. The pain intensities exhibited by patients in the combination group and the morphine monotherapy group were markedly decreased compared with pregabalin monotherapy (80.2 and 72.8 vs. 42.9%). In the two groups, this finding was considered to be clinically relevant because the decrease in pain scores from baseline to the end of the study was \>2 points ([@b10-etm-0-0-4102],[@b11-etm-0-0-4102]). Our study is in agreement with the substantial opioid responsiveness for neuropathic pain reported by another study, which focused on opioid based therapies ([@b14-etm-0-0-4102]). Other aspects of pain relief were also improved by combination treatment with morphine plus pregabalin and morphine monotherapy compared with pregabalin treatment. The number of breakthrough pain events per day was decreased in the combination and morphine therapy groups, compared with the pregabalin group.
Compared with monotherapy, combination therapy required lower mean dosages of morphine and pregabalin to induce pain relief. This is particularly relevant to the management of chronic conditions that require long-term treatment, due to the potential for adverse events and addiction with opiod analgesics ([@b15-etm-0-0-4102]).
QoL is a useful measure of the influence of chronic conditions on the daily activities of patients. In the present study, patients\' total scores for the intensity of pain were significantly lower in the combination therapy group, as compared with the two monotherapy groups. Furthermore, combination treatment was accompanied with less interference of pain with activity, mood, walking, normal work, social relations, sleep and enjoyment of life.
The present study showed that morphine-based therapy may greatly improve treatment compliance. This is based on evidence that patients receiving morphine-based treatment were more satisfied with their condition, when compared with pregabalin monotherapy. At the end of the study, \>90% of patients who received morphine monotherapy or combination therapy gave positive ratings ('effective' and 'very effective'), whereas \<20% of patients receiving pregabalin reported that treatment was effective.
According to published data, adverse events in line with opioid treatment were more common and persistent, particularly constipation. In the present study, compared with patients who received monotherapy, only a small proportion of patients had their daily lives interrupted because of adverse events. Nevertheless, in the combination therapy group, adverse events tended to decline in frequency as the study duration increased.
The results of the present study indicate the excellent efficacy of therapy combination with pregabalin and morphine in the treatment of neuropathic pain. Given the potential benefits and drawbacks of drug combinations, a randomized controlled study is required to investigate whether dosages could be further reduced to improve safety, and how the combination of the two drugs may be optimized to achieve long-term pain relief. In conclusion, combination treatment with morphine and pregabalin is effective and may be adopted as a therapeutic option for the treatment of patients suffering from neuropathic pain.
{#f1-etm-0-0-4102}
{#f2-etm-0-0-4102}
{#f3-etm-0-0-4102}
{#f4-etm-0-0-4102}
{#f5-etm-0-0-4102}
{#f6-etm-0-0-4102}
{#f7-etm-0-0-4102}
######
Patient characteristics.
Characteristic Morphine Pregabalin Morphine + Pregabalin
-------------------- ---------- ------------ -----------------------
Patients 90 102 128
Male 42 59 60
Female 48 43 68
Disease (%)
Stenosis MSC 20.8 19.1 21.3
FBSS 23.1 20.2 19.8
PHN 15.5 22.2 23.6
DPN 16.3 17.8 16.7
Radiculopathy 24.3 20.7 18.6
NRS (mean score) 7.5 5.6 7.2
MSC, medullary spinal canal; FBSS, failed back surgery syndrome; PHN, postherapeutic neuropathy; DPN, diabetic painful neuropathy; NRS, numerical rating scale.
######
Impact of three different therapies on quality of life.
Pregabalin Morphine Pregabalin + Morphine
------------------ ------------ ---------- ----------------------- ------ ------ ------
General activity 6.31 3.24 7.54 2.75 7.58 2.34
Mood 5.16 2.81 6.77 2.30 6.21 1.67
Walking 6.21 3.45 8.11 3.13 7.64 2.33
Normal work 6.09 3.59 7.14 2.44 7.98 2.09
Social relations 4.65 2.24 6.05 3.11 6.97 2.41
Sleep 4.12 2.32 6.87 2.57 6.64 2.44
Life enjoyment 4.20 2.42 6.22 2.73 6.81 2.05
|
Filbert Bayi
Filbert Bayi Sanka (born June 23, 1953) is a Tanzanian former middle-distance runner who competed throughout the 1970s. He set the world records for 1500 metres in 1974 and the mile in 1975. He is still the 1500 m Commonwealth Games record holder.
Running career
Born in a small village of Karatu, near Arusha, Tanzania, he had to run eight miles every day to and from school as a boy. His greatest moment was arguably the 1500 m final at the 1974 Commonwealth Games in Christchurch, New Zealand, when he won the gold medal ahead of New Zealand runner John Walker and Kenyan Ben Jipcho. Bayi set a new world record of 3 min 32.16 s, ratified by the IAAF as 3:32.2, and Walker went under the old world record set by Jim Ryun as well. Third place Jipcho, fourth place Rod Dixon, and fifth place Graham Crouch also ran the fourth, fifth, and seventh fastest 1500 m times to that date. It is still classed as one of the greatest 1500 m races of all time. There was no jockeying for position in the race; Bayi led from the beginning in a fast pace and was 20 metres ahead at 800 metres, the other runners strung out in a line behind him.
In 1975, Bayi broke Ryun's eight-year-old mile record by clocking 3:51.0 in Kingston, Jamaica on 17 May. The record was short-lived as Walker became history's first sub-3:50 miler on 12 August of the same year, running 3:49.4 at Gothenburg.
It was hoped that the Bayi-Walker clash would continue but, because Tanzania boycotted the 1976 Summer Olympics in Montreal, it never materialized. However, since Bayi was suffering from a bout of malaria shortly before the Olympics, he may not have been able to challenge Walker even had there been no boycott.
Bayi won a silver medal in the 3000 m steeplechase at the 1980 Summer Olympics in Moscow. He ran 8:12.5 behind Bronisław Malinowski.
He won the 1500 m race at the 1973 All-Africa Games, with Kipchoge Keino gaining silver. Bayi successfully defended his title at the 1978 All-Africa Games.
Later life
After retirement Bayi has spent much effort in setting up the Filbert Bayi Foundation which aims to guide young sporting talent in Tanzania. It is based in Mkuza, about 50 km from Dar es Salaam. The complex also aims to educate young people about HIV and AIDS, plus ways of getting out of poverty. The foundation started in 2003. Bayi has also opened a Primary and Nursery school based in Kimara, as well as the Secondary school which is based in Kibaha. The schools have been partnered with Barlby High School as part of the Dreams and Teams project set up by the British Council/Youth Sport Trust. The school hosted students from Barlby High School in January and February 2008. Bayi is also a member of the IAAF Technical Committee and is Secretary-General of the Tanzanian Olympic Committee.
International competitions
References
External links
Filbert Bayi Schools – Homepage
Category:1953 births
Category:Living people
Category:Tanzanian male middle-distance runners
Category:Tanzanian steeplechase runners
Category:Olympic athletes of Tanzania
Category:Athletes (track and field) at the 1972 Summer Olympics
Category:Athletes (track and field) at the 1980 Summer Olympics
Category:Olympic silver medalists for Tanzania
Category:Medalists at the 1980 Summer Olympics
Category:Athletes (track and field) at the 1974 British Commonwealth Games
Category:Athletes (track and field) at the 1978 Commonwealth Games
Category:Commonwealth Games gold medallists for Tanzania
Category:Commonwealth Games silver medallists for Tanzania
Category:World record setters in athletics (track and field)
Category:People from Arusha Region
Category:Olympic silver medalists in athletics (track and field)
Category:Commonwealth Games medallists in athletics
Category:African Games gold medalists for Tanzania
Category:African Games medalists in athletics (track and field)
Category:Athletes (track and field) at the 1978 All-Africa Games
Category:Athletes (track and field) at the 1973 All-Africa Games |
Third District Court of Appeal
State of Florida
Opinion filed July 25, 2018.
Not final until disposition of timely filed motion for rehearing.
________________
No. 3D17-2279
Lower Tribunal No. 16-10776
________________
Nelson Martinez, Sr. and Maria Martinez, etc.,
Appellants,
vs.
Taurus International Manufacturing, Inc., et al.,
Appellees.
An Appeal from the Circuit Court for Miami-Dade County, Jorge E. Cueto,
Judge.
Bailey & Glasser, and Patricia M. Kipnis (Cherry Hill, New Jersey); Morris
Haynes Wheeles Knowles & Nelson, and Matthew G. Garmon (Birmingham,
Alabama); Leesfield Scolaro, P.A., and Thomas Scolaro and Justin B. Shapiro, for
appellants.
Weinberg Wheeler Hudgins Gunn & Dial, LLC, and Gary J. Toman
(Atlanta, Georgia), Lawrence E. Burkhalter and Alexander Heydemann; Smith,
Gambrell & Russell, LLP, and Dana G. Bradford, II and James H. Cummings
(Jacksonville), for appellees.
Before EMAS, SCALES and LUCK, JJ.
SCALES, J.
Appellants, plaintiffs below, Nelson Martinez, Sr. and Maria Martinez are
the parents of Nelson Martinez, Jr. (“Nelson”) and are the co-personal
representatives of Nelson’s estate, which is also a co-appellant. They seek review
of a final summary judgment that concluded, as a matter of law, that defendants,
Taurus International Manufacturing, Inc. and Taurus Holdings, Inc. (together,
“Taurus”)1 are immune from appellants’ wrongful death action by virtue of 15
U.S.C. § 7903(5)(A), the Protection of Lawful Commerce in Arms Act (“the
Act”). We reverse the trial court’s summary judgment because genuine issues of
material fact exist as to whether appellants’ lawsuit is a “qualified civil liability
action” that would trigger the Act’s immunity provision.
I. Relevant Facts and Procedural Background
A. Introduction
In February of 2014, twenty-one-year-old Nelson purchased a Taurus .45
caliber model PT24/7 pistol from a pawn shop in Hialeah, Florida. Nelson lived in
an efficiency apartment with his sister and her husband, and late in the night of
May 1, 2014, Nelson took the pistol into the apartment’s bathroom and locked the
1 Three defendants are named in the Complaint: (i) Forjas Taurus, S.A., a Brazilian
gun manufacturer; (ii) Taurus Holdings, Inc., an American subsidiary of Forjas
Taurus; and (iii) Taurus International Manufacturing, Inc., another American
subsidiary of Forjas Taurus. While not entirely clear from the record, it appears
that service was not obtained as to Forjas Taurus.
2
door. The pistol discharged and Nelson died as a result of a gunshot wound to his
head, the bullet having entered through his left eye.
While both the Hialeah Police Department and the Miami-Dade Medical
Examiner concluded that Nelson committed suicide, Nelson’s parents and his
estate brought the instant lawsuit against Taurus alleging that a pistol defect caused
Nelson’s death.
B. Relevant Background Facts
When Nelson purchased the pistol in February of 2014, he was required,
pursuant to 18 U.S.C. § 922, to complete, under penalty of perjury, ATF Form
4473 entitled “Firearms Transaction Record Part I – Over-the-Counter.” A
question on this form asked whether Nelson was a user of marijuana (and other
drugs). He responded “no.” The record reflects, though, that Nelson had a history
of alcohol and marijuana use, including an arrest for possession of marijuana in
2011. In December of 2013, two months before his purchase of the pistol, Nelson
admitted marijuana use to his primary care physician (this admission appears on
the “history” portion of an intake form). In depositions, his family members
admitted to Nelson’s periodic marijuana use.
The Medical Examiner’s toxicology report indicates the presence of
apparently unprescribed controlled substances of the Benzodiazepine class
3
(Alprazolem, Diazepam and Nordiazepam), as well as alcohol, in Nelson’s system
at the time of his death.
C. The Instant Lawsuit
Appellants filed the instant lawsuit in April of 2016. In their operative
complaint, appellants allege that, because of a defective design, the pistol had no
effective safety device to prevent an unintended discharge. Specifically, appellants
allege that Nelson’s pistol had a “drop-fire” defect, meaning that when the pistol
was dropped from the height of its ordinary use, the pistol would discharge, and
that Taurus did not warn Nelson of this alleged defect.
Taurus moved for summary judgment pursuant to a provision of the Act that
provides immunity from civil liability for gun manufacturers and sellers for
incidents arising out of the criminal use or other unlawful misuse of a gun. In
granting Taurus’s motion for summary judgment, the trial court held that the Act
immunized Taurus from liability because Nelson purchased the pistol under false
pretenses and continued to possess the pistol while taking illegal drugs. This
appeal ensued.
II. Analysis2
A. The Relevant Provisions of the Act
2We review de novo a trial court’s summary judgment. Perez-Gurri Corp. v.
McLeod, 238 So. 3d 347, 349 (Fla. 3d DCA 2017).
4
In 2005, Congress adopted the Act to, among other things, insulate gun
manufacturers from civil liability for “harm caused by those who criminally or
unlawfully use firearm products . . . that function as designed and intended.” 15
U.S.C. § 7901(a)(5). To effectuate this purpose, the Act prohibits any “qualified
civil liability action” from being “brought in any Federal or State court.” 15 U.S.C.
§ 7902(a).
The Act defines a “qualified civil liability action” as “a civil action or
proceeding . . . brought by any person against a manufacturer or seller of a
qualified product . . . for damages . . . resulting from the criminal or unlawful
misuse of a qualified product by the person or a third party . . . .” 15 U.S.C. §
7903(5)(A). The Act defines “unlawful misuse” as “conduct that violates a statute,
ordinance, or regulation as it relates to the use of a qualified product.” 15 U.S.C. §
7903(9).
Congress exempted six classes of lawsuits from the definition of a “qualified
civil liability action.” 15 U.S.C. § 7903(5)(A)(i)-(vi). Potentially pertinent to the
instant case is the exemption in subsection (v), which exempts from the Act’s grant
of immunity those civil actions:
resulting directly from a defect in design or manufacture of the
product, when used as intended or in a reasonably foreseeable manner,
except that where the discharge of the product was caused by a
volitional act that constituted a criminal offense, then such act shall be
considered the sole proximate cause of any resulting death, personal
injuries or property damage . . . .
5
15 U.S.C. § 7903(5)(A)(v) (the “Defect Exception”).
B. Taurus’s Summary Judgment Burden
Under this statutory framework, in order for Taurus to receive immunity
under the Act, Taurus must establish that (i) appellants’ lawsuit constitutes a
“qualified civil liability action,” and (ii) if the lawsuit does qualify as such an
action, none of the statutorily prescribed exemptions are applicable.
Of course, for the trial court to make an immunity determination at the
summary judgment stage, Taurus must establish the absence of any genuine issue
of material fact as to each of these elements. Copeland v. Fla. New Invs. Corp.,
905 So. 2d 979, 980 (Fla. 2005). For our purposes, if we find that a disputed issue
of fact exists regarding whether appellants’ lawsuit is a “qualified civil liability
action,” we need not reach the issue of whether one of the Act’s exemptions is
applicable. See Morales v. Hialeah Hous. Auth., 149 So. 3d 699, 699 (Fla. 3d DCA
2014).
C. The Trial Court’s Summary Judgment for Taurus
In granting summary judgment for Taurus, the trial court determined, as a
matter of law, both that: (i) appellants’ lawsuit was a “qualified civil liability
action,” and (ii) the Defect Exception was inapplicable. We focus on the trial
court’s determination that appellants’ lawsuit is a “qualified civil liability action,”
i.e., that appellants’ lawsuit seeks damages for “conduct that violates a statute,
6
ordinance or regulation as it relates to the use of a qualified product.”3 18 U.S.C. §
7903(9).
The trial court’s conclusion in this regard is premised upon two distinct
factual findings incorporated into the trial court’s order: (1) that Nelson’s
purchase of the pistol – after Nelson had denied drug use on his federal application
form – was a “criminal or unlawful misuse” of the pistol in violation of 18 U.S.C.
§ 922(a)(6), and (2) Nelson’s continued ownership and possession of the pistol
after purchase constituted “criminal or unlawful misuse” of the pistol presumably
in violation of 18 U.S.C. 922(g)(3).4 We address each of these conclusions, and
Taurus’s arguments supporting them, in turn.
3 The trial court also summarily concluded that the Defect Exception was
inapplicable, determining that the “sole proximate cause” of Nelson’s damages
was Nelson’s “purchase, ownership and continuing possession of the Subject Pistol
under false pretenses when he was legally prohibited from the same by virtue of
his drug use.” Because we find the summary judgment record contains genuine
issues of disputed fact as to the threshold issue of whether appellants’ lawsuit
constituted a “qualified civil liability action,” we need not, and therefore do not,
reach the trial court’s conclusion that the Defect Exception is inapplicable.
4 While the trial court’s order does not expressly identify the “statute, ordinance or
regulation” violated either by Nelson’s purchase of the pistol or Nelson’s
continued post-purchase possession and ownership of the pistol, the trial court
most certainly concluded summarily that both Nelson’s purchase and his post-
purchase possession of the pistol were unlawful. These conclusions form the
critical portion of the trial court’s determination that appellants’ lawsuit is a
“qualified civil liability action.” Taurus identifies 18 U.S.C. § 922(a)(6) and 18
U.S.C. §922(g)(3), respectively, as the specific statutes Nelson allegedly violated
by his purchase of the pistol and his post-purchase possession and ownership of the
pistol.
7
1. Nelson’s Purchase of the Pistol
With regard to Taurus’s first contention (i.e., that Nelson purchased the
pistol in violation of law), Taurus cites to 18 U.S.C. § 922 which: (i) requires all
handgun purchasers to answer, under oath, certain specific questions, any one of
which may be disqualifying if answered falsely, see 18 U.S.C. § 922 (a)(6); (ii)
authorizes ATF to promulgate ATF Form 4473 to effectuate such disclosures; and
(iii) further makes it illegal for any person to purchase a firearm when that person
is an unlawful user of a controlled substance, see 18 U.S.C. § 922(g)(3). Indeed,
when Nelson purchased the firearm, he was asked in question 11(e) of ATF Form
4473: “Are you an unlawful user of, or addicted to, marijuana or any depressive,
stimulant, narcotic, or any other controlled substance?” The trial court concluded
that Nelson’s answer “no” to this question constituted perjury and therefore, as a
matter of law, appellants’ lawsuit is a “qualified civil liability action” because it
seeks damages for Nelson’s “unlawful misuse” of the pistol.
While the record certainly contains circumstantial evidence that tends to
support Taurus’s argument that Nelson committed perjury by answering “no” to
this question,5 the record also contains evidence from which a finder of fact could
5 The record contains a Medical Examiner’s report tracing Nelson’s history of drug
use. It is bolstered by later testimony of family members that they had knowledge
of Nelson’s marijuana use. The evidence indicates a pattern of drug use leading up
to Nelson’s purchase of the pistol, while there is an absence of evidence that his
drug use had stopped. The toxicology report from the night he died – three months
8
conclude that, at the time Nelson purchased the pistol, he was not an unlawful user
of any controlled substance.6 While the term “unlawful user of a controlled
substance” is not specifically defined in 18 U.S.C. § 922(g)(3), federal courts have
interpreted the term to mean regular and ongoing use of a controlled substance
during the same time period as the firearm possession. See, e.g., United States v.
Edmonds, 348 F. 3d 950, 953-54 (11th Cir. 2003). We are unable to conclude that
Taurus has established the nonexistence of any material fact as to whether, at the
time Nelson purchased the pistol, Nelson was a regular and ongoing user of a
controlled substance.
2. Nelson’s Continued Possession of the Pistol
Taurus also argues, and the trial court also concluded, that, after his
purchase of the pistol, Nelson’s continued possession of the pistol constituted an
ongoing violation of 18 U.S.C. 922(g)(3) because Nelson allegedly consumed
illegal drugs during this period. Again, while the assembled facts at the summary
after the purchase of the pistol – indicates three apparently unprescribed
Benzodiazepine- class drugs in his system.
6 The record evidence of Nelson’s marijuana use pre-dates his February 2014
purchase of the pistol. Nelson’s drug-use admissions during treatment at a
psychiatric facility occurred between 2006 and 2008. His arrest for possession
occurred in 2011. His admission of past marijuana use on a medical form occurred
in December of 2013. In deposition testimony, Nelson’s sister maintained that
Nelson was not a “user” and that his marijuana use was “sporadic” and “wasn’t
often.” Further, the use of apparently unprescribed Benzodiazepines found in
Nelson’s system from the night he died are not traced back to the time period when
he purchased the pistol.
9
judgment stage plainly demonstrate that Nelson used illegal drugs prior to his
February 2014 purchase of the pistol, the summary judgment record does not
conclusively establish that Nelson was an unlawful drug user after the purchase of
the pistol. Although the toxicology report indicates that unprescribed controlled
substances were found in Nelson’s system at the time of his death, there is no
evidence in the record regarding when these drugs were ingested or how long they
remain in one’s system. See Estate of Marimon v. Fla. Power & Light Co., 787 So.
2d 887, 890 (Fla. 3d DCA 2001)(“On review, we must consider the evidence in the
light most favorable to the nonmoving party and must draw all competing
inferences in favor of the nonmoving party.”). Additionally, given Nelson’s sister’s
deposition testimony that Nelson’s use of drugs was “sporadic” and “wasn’t
often,” a genuine issue of material fact exists as to whether Nelson was an
“unlawful user” of controlled substances – that is, whether Nelson was a regular
and ongoing user of controlled substances – while Nelson possessed the firearm.
Edmonds, 348 F. 3d. at 953. Such disputed facts preclude summary judgment.
III. Conclusion
In sum, based on our de novo review of the summary judgment evidence, we
are unable to conclude, as a matter of law, that Nelson acquired the subject pistol
in violation of a statute or that he continued to possess the pistol in violation of a
statute. Therefore, without reaching the issue of whether such violations of statute
10
would constitute the requisite “unlawful misuse” of a firearm so as to characterize
the instant lawsuit as a “qualified civil liability action,” we are compelled to
reverse the trial court’s conclusion that appellants’ lawsuit constitutes such an
action. Having found that a genuine issue of material fact exists as to whether
the instant action is a “qualified civil liability action” for the purposes of the Act,
we need not, and therefore do not, reach the issue of whether the Defect Exception
of 15 U.S.C. § 7903(5)(A)(v) is applicable.
Reversed and remanded with instructions.
11
|
// -*- C++ -*-
// Copyright (C) 2005, 2006, 2009 Free Software Foundation, Inc.
//
// This file is part of the GNU ISO C++ Library. This library is free
// software; you can redistribute it and/or modify it under the terms
// of the GNU General Public License as published by the Free Software
// Foundation; either version 3, or (at your option) any later
// version.
// This library is distributed in the hope that it will be useful, but
// WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
// General Public License for more details.
// Under Section 7 of GPL version 3, you are granted additional
// permissions described in the GCC Runtime Library Exception, version
// 3.1, as published by the Free Software Foundation.
// You should have received a copy of the GNU General Public License and
// a copy of the GCC Runtime Library Exception along with this program;
// see the files COPYING3 and COPYING.RUNTIME respectively. If not, see
// <http://www.gnu.org/licenses/>.
// Copyright (C) 2004 Ami Tavory and Vladimir Dreizin, IBM-HRL.
// Permission to use, copy, modify, sell, and distribute this software
// is hereby granted without fee, provided that the above copyright
// notice appears in all copies, and that both that copyright notice
// and this permission notice appear in supporting documentation. None
// of the above authors, nor IBM Haifa Research Laboratories, make any
// representation about the suitability of this software for any
// purpose. It is provided "as is" without express or implied
// warranty.
/**
* @file debug_fn_imps.hpp
* Contains an implementation class for left_child_next_sibling_heap_.
*/
#ifdef _GLIBCXX_DEBUG
PB_DS_CLASS_T_DEC
void
PB_DS_CLASS_C_DEC::
assert_valid() const
{
_GLIBCXX_DEBUG_ASSERT(m_p_root == NULL || m_p_root->m_p_prev_or_parent == NULL);
if (m_p_root != NULL)
assert_node_consistent(m_p_root, Single_Link_Roots);
assert_size();
assert_iterators();
}
PB_DS_CLASS_T_DEC
void
PB_DS_CLASS_C_DEC::
assert_node_consistent(const_node_pointer p_nd, bool single_link) const
{
if (p_nd == NULL)
return;
assert_node_consistent(p_nd->m_p_l_child, false);
assert_node_consistent(p_nd->m_p_next_sibling, single_link);
if (single_link)
_GLIBCXX_DEBUG_ASSERT(p_nd->m_p_prev_or_parent == NULL);
else if (p_nd->m_p_next_sibling != NULL)
_GLIBCXX_DEBUG_ASSERT(p_nd->m_p_next_sibling->m_p_prev_or_parent == p_nd);
if (p_nd->m_p_l_child == NULL)
return;
const_node_pointer p_child = p_nd->m_p_l_child;
while (p_child != NULL)
{
const_node_pointer p_next_child = p_child->m_p_next_sibling;
_GLIBCXX_DEBUG_ASSERT(!Cmp_Fn::operator()(p_nd->m_value, p_child->m_value));
p_child = p_next_child;
}
_GLIBCXX_DEBUG_ASSERT(p_nd->m_p_l_child->m_p_prev_or_parent == p_nd);
}
PB_DS_CLASS_T_DEC
void
PB_DS_CLASS_C_DEC::
assert_iterators() const
{
const size_type calc_size = std::distance(begin(), end());
if (calc_size == size())
return;
_GLIBCXX_DEBUG_ASSERT(0);
}
PB_DS_CLASS_T_DEC
void
PB_DS_CLASS_C_DEC::
assert_size() const
{
if (size_from_node(m_p_root) == m_size)
return;
_GLIBCXX_DEBUG_ASSERT(0);
}
PB_DS_CLASS_T_DEC
typename PB_DS_CLASS_C_DEC::size_type
PB_DS_CLASS_C_DEC::
size_under_node(const_node_pointer p_nd)
{ return 1 + size_from_node(p_nd->m_p_l_child); }
PB_DS_CLASS_T_DEC
typename PB_DS_CLASS_C_DEC::size_type
PB_DS_CLASS_C_DEC::
size_from_node(const_node_pointer p_nd)
{
size_type ret = 0;
while (p_nd != NULL)
{
ret += 1 + size_from_node(p_nd->m_p_l_child);
p_nd = p_nd->m_p_next_sibling;
}
return ret;
}
PB_DS_CLASS_T_DEC
typename PB_DS_CLASS_C_DEC::size_type
PB_DS_CLASS_C_DEC::
degree(const_node_pointer p_nd)
{
size_type ret = 0;
const_node_pointer p_child = p_nd->m_p_l_child;
while (p_child != NULL)
{
++ret;
p_child = p_child->m_p_next_sibling;
}
return ret;
}
#endif
|
Ask HN: Has anybody else had issues playing YouTube videos in Firefox? - abjKT26nO8
It's happening more and more frequently that once I go to a YouTube video page, I get the error "An error occurred. Please try again later.". When the issue happens, it's reproducible with all YouTube videos. Switching to Chromium fixes the problem. Although MPV with youtube-dl integration works even better.
======
thepete2
The only minor annoyance I have is that I put a video on fullscreen, it takes
a second or so. First the frame resizes and then the picture, doesn't happen
with chromium/chrome.
------
msie
I got the error with chrome several days ago but im seeing less of it now.
|
Trouble logging in?We were forced to invalidate all account passwords. You will have to reset your password to login. If you have trouble resetting your password, please send us a message with as much helpful information as possible, such as your username and any email addresses you may have used to register. Whatever you do, please do not create a new account. That is not the right solution, and it is against our forum rules to own multiple accounts.
I'm quite looking forward to this one, it could be the 'so daft it's good' surprise of the season.
The fact that not only did they use the Seitokai no Ichizon OP in the trailer, but they made reference to it, suggests it may be up for self-parody.
I'm quite looking forward to this one, it could be the 'so daft it's good' surprise of the season. The fact that not only did they use the Seitokai no Ichizon OP in the trailer, but they made reference to it, suggests it may be up for self-parody.
I've seen ep1, and "daft" is the word, lol. Very bizarre. Not for the serious-minded...or is it? Anyway, I enjoyed it. The time just flew by. We'll see if it can remain this enjoyable.
They are adapting the story in an interesting way. And I do love the SeiZon-style chara-des. I also like the live-action ED, sung by four of the seiyuus.
__________________
Kimura Juri木村珠莉 Joined Tokyo Voice Actors' Co-op in 2011, did voice-overs for corporate presentations. Anime bit parts 2013-14. Stars in Shirobako as Miyamori, will star in Mikagura Gakuen Kumikyoku (spring). Enjoys music, looking at Buddha images, reading. Used to work at a bookstore. Says she is a maudlin drunk. Age unknown.Hashihime blog | Twitter@nakanokimi |
I'm not sure we should be speaking of this, but I'd be surprised if someone didn't pick this show up, since there is a feature of the story I can't mention yet (only hinted at in ep1) that is very popular with part of the fanbase. There are three different Chinese subs already, which could make things easier.
__________________
Kimura Juri木村珠莉 Joined Tokyo Voice Actors' Co-op in 2011, did voice-overs for corporate presentations. Anime bit parts 2013-14. Stars in Shirobako as Miyamori, will star in Mikagura Gakuen Kumikyoku (spring). Enjoys music, looking at Buddha images, reading. Used to work at a bookstore. Says she is a maudlin drunk. Age unknown.Hashihime blog | Twitter@nakanokimi |
I'm not sure we should be speaking of this, but I'd be surprised if someone didn't pick this show up, since there is a feature of the story I can't mention yet (only hinted at in ep1) that is very popular with part of the fanbase. There are three different Chinese subs already, which could make things easier. (Moderator: delete if necessary.)
you mean the trap?
so far there is no LN thread so it safe to post it here (in spoiler box of course) |
# -*- coding: utf-8 -*-
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
import csv
import numpy as np
import os
import sys
from observations.util import maybe_download_and_extract
def gag_urine(path):
"""Level of GAG in Urine of Children
Data were collected on the concentration of a chemical GAG in the urine
of 314 children aged from zero to seventeen years. The aim of the study
was to produce a chart to help a paediatrican to assess if a child's GAG
concentration is ‘normal’.
This data frame contains the following columns:
`Age`
age of child in years.
`GAG`
concentration of GAG (the units have been lost).
Mrs Susan Prosser, Paediatrics Department, University of Oxford, via
Department of Statistics Consulting Service.
Args:
path: str.
Path to directory which either stores file or otherwise file will
be downloaded and extracted there.
Filename is `gag_urine.csv`.
Returns:
Tuple of np.ndarray `x_train` with 314 rows and 2 columns and
dictionary `metadata` of column headers (feature names).
"""
import pandas as pd
path = os.path.expanduser(path)
filename = 'gag_urine.csv'
if not os.path.exists(os.path.join(path, filename)):
url = 'http://dustintran.com/data/r/MASS/GAGurine.csv'
maybe_download_and_extract(path, url,
save_file_name='gag_urine.csv',
resume=False)
data = pd.read_csv(os.path.join(path, filename), index_col=0,
parse_dates=True)
x_train = data.values
metadata = {'columns': data.columns}
return x_train, metadata
|
The Biggest Lesson from My Weekend with Warren Buffett
“Our competitive advantage is that we make a promise and we keep it.”
– Warren Buffett [image credit]
The Power of a Promise
I spent last Saturday in a room soaking in lessons from Warren Buffett and his partner Charlie Munger, as I have for seven out of the past eight years.
The Berkshire Hathaway annual shareholders meeting has become one of my favorite learning days of the year. It’s also the closest I’ve gotten to making Warren a part of my average five.
The simple lessons on life and career are priceless.
But as I reviewed my 20 or so pages of notes to write up my biggest takeaways (as I’ve done in past years here and here), it became clear that one overarching theme deserved today’s attention…
Promises and Reputation
During the seven-hour question and answer, one man asked about Berkshire Hathaway’s competitive advantage.
With a company as big and complex Berkshire – worth over $300 billion with over 70 operating companies – the answer could have taken all day. But in true Buffett fashion, he explained it all in one sentence…
“Our competitive advantage is that we make a promise and we keep it.” - Warren Buffett
Simple? Sure. Profound? I’d say so.
Warren and Berkshire Hathaway have been making and keeping simple promises for decades.
They promise the companies they purchase that they’ll treat them with respect and allow them to continue operating autonomously.
They promise their CEO’s they’ll get to run their businesses the way they want to, with hardly any oversight.
They promise shareholders they’ll run Berkshire in their best interest, despite what Wall Street says.
And here’s the kicker. They deliver on those promises, just as they have consistently for the past 50 or so years, with hardly any exceptions.
As a result, some of the most well-run and profitable private businesses in the world often approach Mr. Buffett saying, “You’re the only person our family would consider selling to. If not you, then we won’t sell.”
This, along with Buffett’s incredible investing savvy, have allowed them some of the best investment prospects and deals in financial history and have turned Berkshire Hathaway into one of the biggest, most valuable and best-performing businesses of all time. Buffett has made around $50 billion in the process, 99% of which he’s pledged to various charities.
This also helps explain how his first annual meeting of about eight attendees held in a little cafe in Omaha has grown into around 40,000 partners, ages nine to over 90, coming from every corner of the world. This makes it the biggest shareholder meeting in the country – by a long shot.
As the day went on, I noticed many of Buffett and Munger’s responses coming back to a similar theme…
By the standards of the rest of the world, we over-trust and we hire people knowing we’ll over-trust them. That’s done very well for us. We want to create a culture of deserved trust.
We want to be good partners because it attracts good partners. The way to get a good spouse is to deserve one. It’s the old-fashioned way of getting ahead.
I’m not concerned about Berkshire not making money because we’ll figure that out. What concerns me is someone doing something that really effects our reputation.
As it turns out, Buffett’s answer might be some of the most powerful career and business advice around.
The strength of our reputation is based on the promises we keep. Your personal brand is built upon what people come to expect from you, based on their past interactions. And that brand is what can build or destroy your impact.
And the success of a business is based on the promises it keeps to its customers.
It’s not about the hype or the claims. You thrive or die on the experience the world actually has with its interaction.
Buffett always says a brand is a promise. It’s a promise that you’ll get exactly what you were told you’d get. When you deliver on that promise consistently over a long period of time, people think you’re remarkable. Eventually, you’re the obvious choice.
You become your own monopoly.
People start to call you. They want to be associated with you. They want to hire you. They want you to hire them.
I love the brands, companies and people that I’ve chosen because I trust them. They make and follow through on promises without me even noticing. And over time, that makes me incredibly loyal.
Nowhere is a promise more powerful than the brand that your own name represents – it’s the image you prove to the people around you.
I try to build upon our Live Your Legend promise with everything I do so I can provide you with the most useful tools and community we’re capable of creating to help you find and do work you love and surround yourself with the people who make it possible.
Your trust means everything to me. Everything I do, I do with the goal of building upon that trust. Because without your trust, there is no Live Your Legend community, no business, no revolution. It all hinges on the promise. So does every relationship you and I seek to build.
Sure, we don’t get it perfect every time. I screw up. And yeah, Buffett screws up too. None of us will always get it right. But missteps become a lot less likely and much less severe when backed by trust. And decisions become so much easier.
It brings up the important questions…
What promise do you want to represent to the world?
Have you been keeping the ones you’ve been making?
Are they building upon the brand and impact you want to be known for?
Because it’s the small kept promises that lead to the connections, the sparks, the serendipity and to the runaway successes.
The challenge is that it’s tough to notice the progress day by day, making it all too tempting to trade long-term respect for a little short-term reward. Buffet is unbelievably talented at avoiding this trap despite being called an idiot in the press every decade or so.
During these seductive times, it’s helpful to remember a statement Buffett made back in 1991, taken from a video that’s played at the shareholder meeting every year…
After they first obey all rules, I then want employees to ask themselves whether they are willing to have any contemplated act appear the next day on the front page of their local paper, to be read by their spouses, children, and friends, with the reporting done by an informed and critical reporter. If they follow this test, they need not fear my other message to them: Lose money for the firm, and I will be understanding; lose a shred of reputation for the firm, and I will be ruthless.
It’s scary to think how quickly a lifetime of trust and kept promises can be destroyed.
It’s equally amazing to realize that our biggest competitive advantage – for ourselves and the businesses we build – is 100% in our control.
Our future opportunities will come from the promises we keep today and the people to whom we keep them.
“It was 18 months ago when I came across Live Your Legend and it just completely blew my mind. I was living this life thinking I have to kind of just do this. Then it was like a kid on Christmas Day with my wife thinking ‘we don’t have to do this anymore.’ It was literally a life change. It opened so many doors. Thanks for everything you’re doing.” |
Therefore anything that reduces your ability to deal with these areas reduces your ability to get into your best shape.
"We work with everyone from mums losing baby fat to Robbie Williams looking to get ready for his tour."
"Pre-tour training in progress. I’m trying the educogym way, it seems to be working. All for the “Let Me Entertain You” tour."
Robbie Williams
"Being able to do it within 20 minutes a day with the life I have was invaluable. I’m an investment banker; I work long hours, I have a very busy schedule, I have small children, I have a long commute. For me I was looking for something that would fit into my life but would still have the results. When I found educogym, it was exactly what I was looking for. I’ve seen dramatic results overall, not just how I look but how I feel."
Elizabeth Sandler, Managing Director, Global Investment Bank
Uncover your Strengths and Weaknesses.
The Scorecard will measure you against
The 5 Elements of Health
Vision
Focus
Body
Nutrition
Lifestyle
Vision
The degree to which you can clearly articulate your vision of what you want to achieve physically is the first step in maximising your health and fitness. Rarely do individuals have a compelling answer to the question 'What do you want to achieve?' 'What is the vision of your ideal shape?'.
This will impact our health and fitness as it will lead you to do the right things or the wrong things depending on how clear your vision is.
Focus
The degree to which you can hold your mind to doing what you are doing. Most people when in the gym are talking, on their phone, watching the TV screens, they are not fully participating in the actual exercise. To maximise the results, it was shown with the research that you need to train the Mind, Body and Spirit in tandem.
This simply means giving as much of your attention as possible to the muscle doing the work, this allows the person to train at a new level of intensity which will increase fat loss and increase muscle gain. Not being able to get in the zone will negatively affect your health and fitness.
Body
Two thirds of the population are overweight and one quarter is clinically obese. There is a very strong correlation between how you look & feel and Health & fitness. If you look good, then you are more likely to feel good.
This ultimately comes down to your waistline for most people which is a good indicator of health. Other elements of your body are very important, but how you look can give a good indication.
Nutrition
You are what you eat, but you are also what you think. Healthy and fit individuals go for particular types of food, the more natural the foods the better.
Different foods have a different impact on the body, sometimes what is regarded as healthy can make a person fat and unhealthy. If a person is on the wrong physical diet, it can become impossible to become healthy.
Lifestyle
The Lifestyle you lead will have a direct impact on your shape. If you are always sitting down at the desk where you are mentally activated but physically stagnant, working long hours, have demanding family responsibilities, a long commute to work and a busy work schedule.
It can be really tough to then have the Time, motivation and know-how of what to do. Small adjustments can results in massive results.
"It was transformational, both in my health and my energy and the holistic approach of educogym was completely different to anything that I’ve ever tried before. It didn’t matter how busy I was, I could always fit it in. The results were instant.
I changed my body shape, the way I felt about myself, my health, energy and mental focus. It helped me with the creative problems and dealing with the project and team members."
Michael Kavanagh, Ex Head of Presentation, BBC Newsroom
"Problem is, as a mum of two with a hectic working week and zero 'me time' at weekends, I've told myself I don't have time.
Was it worth it? Oh my goodness YES.
At the end of my 12 day programme I’d shifted 7lb of fat and I’d lost a whopping 2.5 inches around the waist. I was absolutely shocked by how quickly and drastically my shape changed. Not only have I lost weight, I feel fitter and stronger, my cellulite is reduced, my bum has lifted and everything just feels smoother, firmer and tighter." |
Walter Long (of South Wraxall)
Walter Long of South Wraxall, near Bradford-on-Avon (c. 1712–1807), the great-great-great grandson of Sir Walter Long of South Wraxall and Draycot, was born in Wiltshire, and inherited along with other family estates, the 15th-century house known as South Wraxall Manor. His ancestors made their wealth initially as clothiers. He served as High Sheriff of Wiltshire for 1764.
He lived to at least 93 years of age, dying at Bath in 1807, bequeathing the bulk of his fortune to the sons of his cousin Richard Long of Rood Ashton, Wiltshire.
Marriage controversy
At the age of about 60, and never previously married, Long became engaged to Elizabeth Linley, a celebrated icon of the town of Bath, a gifted singer and great beauty. She was about 16 years old. The engagement was arranged by her father Thomas Linley, an impoverished composer, who had his eyes on Long's great wealth. The marriage did not take place, however: Long is said to have dissolved the contract after Elizabeth secretly told him she would never be happy as his wife, taking on himself the entire blame for breaking off the alliance. He reputedly paid her father, who was proceeding to bring the transaction into court, a settlement of £3,000. Elizabeth was allowed to keep the jewels and other gifts Long had showered upon her during their engagement.
Long knew that Elizabeth was in love with a young playwright, Richard Brinsley Sheridan (with whom she later eloped in 1772). The whole business was well publicised at the time, and soon became the subject of a satirical play The Maid of Bath written by Samuel Foote, which opened in 1771 at the Haymarket Theatre in London. Sheridan was one of Foote's favourite targets. Long's character, played by Foote himself, was named Solomon Flint, described as a "fat, fusty, shabby, shuffling, money loving, water drinking, mirth-marring, amorous old huncks", who "owns half the farms in the country", being 60 at least and "a filthy old goat! He supposedly has a rumbling old family coach and a moated haunted old house in the country.."
Foote was frequently threatened with libel suits. Long heard about the play before it was produced and tried unsuccessfully to persuade Foote to abandon the whole thing, even threatening violence against him. He commenced an action for damages against Foote, but the affair seems to have ended there.
Further reading
Inheriting the Earth: The Long Family's 500 Year Reign in Wiltshire; Cheryl Nicol
Sources
The Maid of Bath, Samuel Foote, 1771
Memoirs of the Life of Right Honorable Richard Brinsley Sheridan, Vol 1, Thomas Moore
Love Romances of The Aristocracy, Thornton Hall
A Nest of Linnets, Frankfort Moore, 1901
The Invisible Woman: aspects of women's work in eighteenth-century Britain, Isabelle Baudino
Category:1712 births
Category:1807 deaths
Category:People from Bradford-on-Avon
Walter
Category:High Sheriffs of Wiltshire |
Q:
How to debug Java Web Application in Netbeans?
I have debug Java Desktop Applications various times in Netbeans but haven't debug Java Web Application ever.
I tried to debug it the same way, but it's not working.
I have made an index.html webpage. There is a "form" on that page. After a user submits the form, the request goes to a servlet (say serv1). The servlet has been called but it is showing unexpected results.
So to debug it, I put a breakpoint in the servlet class (serv1) and then debug the application.
But when I submitted the form, the control didn't stop at the breakpoint. I am sure that the line at which the breakpoint is set is being called.
Is there any thing I am missing?
==================EDITED===================================================
Yes, I had started the server in debug mode. I am using Apache Tomcat 6.0.20
A:
How did you start your web application in debug mode? On my machine, I simply select the project, click on the Debug top menu, then Debug Project, select a Server (GlassFish, WebLogic, Tomcat) if required and things just work (I can place a breakpoint in a Servlet and the execution stops there). Tested with all the mentioned containers.
|
void convert_test(cexpr_t *e)
{
// sub -> num , var => helper object
if (e->op == cot_sub)
{
cexpr_t *var = e->x;
if (var->op == cot_cast)
var = var->x;
cexpr_t * num = e->y;
if(var->op == cot_var && num->op == cot_num)
{
typestring t = make_pointer( create_typedef("_DWORD"));
cexpr_t * ce = create_helper(t, "test");//make_num(10);
e->cleanup();//delete
e->replace_by(ce);
}
}
}
static void convert_zeroes(cfunc_t *cfunc)
{
struct zero_converter_t : public ctree_visitor_t
{
zero_converter_t(void) : ctree_visitor_t(CV_FAST) {}
int idaapi visit_expr(cexpr_t *e)
{
switch ( e->op )
{
case cot_sub: // B
{
convert_test(e);
}
break;
}
return 0; // continue walking the tree
}
};
zero_converter_t zc;
zc.apply_to(&cfunc->body, NULL);
}
static int idaapi callback(void *, hexrays_event_t event, va_list va)
{
switch ( event )
{
case hxe_maturity:
{
cfunc_t *cfunc = va_arg(va, cfunc_t *);
ctree_maturity_t new_maturity = va_argi(va, ctree_maturity_t);
if ( new_maturity == CMAT_FINAL ) // ctree is ready
{
convert_zeroes(cfunc);
}
}
break;
}
return 0;
}
|
Proliferative Funiculitis-Like Dedifferentiated Liposarcoma With Mesothelial Glandular Structures: A Diagnostic Pitfall.
Dedifferentiated liposarcoma shows a wide morphological spectrum. We present a case of dedifferentiated liposarcoma of the spermatic cord in a 66-year-old male that was initially misinterpreted as pseudosarcomatous proliferative funiculitis with mesothelial proliferation. |
Sewage sludge ash characteristics and potential for use in bricks, tiles and glass ceramics.
The characteristics of sewage sludge ash (SSA) and its use in ceramic applications pertaining to bricks, tiles and glass ceramics have been assessed using the globally published literature in the English medium. It is shown that SSA possesses similar chemical characteristics to established ceramic materials and under heat treatment achieves the targeted densification, strength increases and absorption reductions. In brick and tile applications, technical requirements relating to strength, absorption and durability are achievable, with merely manageable performance reductions with SSA as a partial clay replacement. Fluxing properties of SSA facilitate lower firing temperatures during ceramics production, although reductions in mix plasticity leads to higher forming water requirements. SSA glass ceramics attained strengths in excess of natural materials such as granite and marble and displayed strong durability properties. The thermal treatment and nature of ceramic products also effectively restricted heavy metal leaching to low levels. Case studies, predominantly in bricks applications, reinforce confidence in the material with suitable technical performances achieved in practical conditions. |
Transmastoid extracranial repair of CSF leaks following acoustic neuroma resection.
Acoustic neuromas may be resected either by a suboccipital craniectomy or translabyrinthine approach; the latter gives good access without unduly traumatising the brainstem, but can lead to a higher incidence of cerebrospinal fluid (CSF) leaks. The surgical management of these leaks can be difficult; we describe a transmastoid extracranial technique using pedicled sternomastoid muscle that has produced complete resolution of the leak in all cases managed in this way. |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.